web-dev-qa-db-fra.com

Comment vérifier si une commande Shell existe depuis PHP

J'ai besoin de quelque chose comme ça en php:

If (!command_exists('makemiracle')) {
  print 'no miracles';
  return FALSE;
}
else {
  // safely call the command knowing that it exists in the Host system
  Shell_exec('makemiracle');
}

Y a-t-il des solutions?

32
mimrock

Sous Linux/Mac OS Essayez ceci:

function command_exist($cmd) {
    $return = Shell_exec(sprintf("which %s", escapeshellarg($cmd)));
    return !empty($return);
}

Puis utilisez-le dans le code:

if (!command_exist('makemiracle')) {
    print 'no miracles';
} else {
    Shell_exec('makemiracle');
}

Mise à jour: Comme suggéré par @ camilo-martin, vous pouvez simplement utiliser:

if (`which makemiracle`) {
    Shell_exec('makemiracle');
}
45
docksteaderluke

Windows utilise where, les systèmes UNIX which pour permettre de localiser une commande. Les deux renverront une chaîne vide dans STDOUT si la commande n'est pas trouvée.

PHP_OS est actuellement WINNT pour chaque version Windows prise en charge par PHP.

Alors voici une solution portable:

/**
 * Determines if a command exists on the current environment
 *
 * @param string $command The command to check
 * @return bool True if the command has been found ; otherwise, false.
 */
function command_exists ($command) {
  $whereIsCommand = (PHP_OS == 'WINNT') ? 'where' : 'which';

  $process = proc_open(
    "$whereIsCommand $command",
    array(
      0 => array("pipe", "r"), //STDIN
      1 => array("pipe", "w"), //STDOUT
      2 => array("pipe", "w"), //STDERR
    ),
    $pipes
  );
  if ($process !== false) {
    $stdout = stream_get_contents($pipes[1]);
    $stderr = stream_get_contents($pipes[2]);
    fclose($pipes[1]);
    fclose($pipes[2]);
    proc_close($process);

    return $stdout != '';
  }

  return false;
}
12
Dereckson

Vous pouvez utiliser is_executable pour vérifier s’il est exécutable, mais vous devez connaître le chemin de la commande et utiliser la commande which pour l’obtenir.

4
xdazz

Solution indépendante de la plateforme:

function cmd_exists($command)
{
    if (\strtolower(\substr(PHP_OS, 0, 3)) === 'win')
    {
        $fp = \popen("where $command", "r");
        $result = \fgets($fp, 255);
        $exists = ! \preg_match('#Could not find files#', $result);
        \pclose($fp);   
    }
    else # non-Windows
    {
        $fp = \popen("which $command", "r");
        $result = \fgets($fp, 255);
        $exists = ! empty($result);
        \pclose($fp);
    }

    return $exists;
}
3
srcspider

Basé sur @xdazz answer, fonctionne sous Windows et Linux. Devrait également fonctionner sur MacOSX aussi, car c'est unix.

function is_windows() {
  return strtoupper(substr(PHP_OS, 0, 3)) === 'WIN';
}

function command_exists($command) {
    $test = is_windows() ? "where" : "which";
    return is_executable(trim(Shell_exec("$test $command")));
}
0
jcubic