捕获/抑制来自php exec的所有输出,包括stderr
我想通过
exec()
运行几个命令,但我不希望屏幕上有任何输出。但是,我确实希望保留输出,以便可以在脚本运行时控制详细程度。
这是我的班级:
<?php
class System
{
public function exec($command, array &$output = [])
{
$returnVar = null;
exec($command, $output, $returnVar);
return $returnVar;
}
}
问题是,大多数应用程序都会在stderr
中放入大量令人恼火的无关内容,而我似乎无法在挡路中添加这些内容。例如,下面是通过它运行git clone
的输出:
Cloning into '/tmp/directory'...
remote: Counting objects: 649, done.
remote: Compressing objects: 100% (119/119), done.
remote: Total 649 (delta 64), reused 0 (delta 0), pack-reused 506
Receiving objects: 100% (649/649), 136.33 KiB | 0 bytes/s, done.
Resolving deltas: 100% (288/288), done.
Checking connectivity... done.
我还看到其他问题声称使用输出缓冲区可以工作,但似乎不工作
<?php
class System
{
public function exec($command, array &$output = [])
{
$returnVar = null;
ob_start();
exec($command, $output, $returnVar);
ob_end_clean();
return $returnVar;
}
}
这仍然会产生相同的结果。我可以通过在命令中将stderr路由到stdout来解决该问题,但是,这不仅阻止了我与stdout和stderr区分开来,而且该应用程序被设计为在Windows和Linux中运行,因此现在这是一个糟糕的烂摊子。
<?php
class System
{
public function exec($command, array &$output = [])
{
$returnVar = null;
// Is Windows
if (strtoupper(substr(PHP_OS, 0, 3)) === 'WIN') {
exec($command, $output, $returnVar);
return $returnVar;
}
// Is not windows
exec("({$command}) 2>&1", $output, $returnVar);
return $returnVar;
}
}
是否有办法分别捕获和抑制stderr和stdout?
更新/应答示例
根据评论中@exasoft的建议,我更新了我的方法,如下所示:
<?php
class System
{
public function exec($command, &$stdOutput = '', &$stdError = '')
{
$process = proc_open(
$command,
[
0 => ['pipe', 'r'],
1 => ['pipe', 'w'],
2 => ['pipe', 'w'],
],
$pipes
);
if (!is_resource($process)) {
throw new RuntimeException('Could not create a valid process');
}
// This will prevent to program from continuing until the processes is complete
// Note: exitcode is created on the final loop here
$status = proc_get_status($process);
while($status['running']) {
$status = proc_get_status($process);
}
$stdOutput = stream_get_contents($pipes[1]);
$stdError = stream_get_contents($pipes[2]);
proc_close($process);
return $status['exitcode'];
}
}
此技术提供了更高级的选项,包括异步进程。
解决方案
命令proc_exec()
允许使用管道处理执行命令的文件描述符。
函数为:proc_open ( string $cmd , array $descriptorspec , array &$pipes […optional parameters] ) : resource
exec
),并给出一个数组来描述要为该命令"安装"的filedescriptor。此数组按文件描述符号编制索引(0=标准输入,1=标准输出…)包含类型(文件、管道)和模式(r/w…)加上文件类型的文件名。
然后,您将在$Pipes中获得一个filedescriptor数组,该数组可用于读取或写入(取决于请求的内容)。
使用后不要忘记关闭这些描述符。
请参考PHP手册页面(特别是示例):https://php.net/manual/en/function.proc-open.php
请注意,读/写与派生的命令相关,与PHP脚本无关。
相关文章