我使用passthru来运行scp
。通常scp输出一个进度条,但是当我使用passthru
时它没有被绘制。我想估计转移需要多长时间。有没有办法强制它显示?
答案 0 :(得分:2)
大多数与libc链接的程序使用函数isatty
来检查stdout是否是终端,然后才决定对其输出进行着色。因此,要确保ANSI终端转义序列不会搞砸管道或重定向到文件中。 passthru()
将不会在终端中运行该命令。
在PHP中,您可以使用proc_open()
打开一个进程,并为stdout提供一个终端。从手册中获取此示例,我已将其修改为使用pty
代替pipe
stdout
和stderr
:
$descriptorspec = array(
0 => array("pipe", "r"), // stdin is a pipe that the child will read from
1 => array("pty", "w"), // stdout is a pty that the child will write to
2 => array("pty", "w") // stderr is a pty that the child will write to
);
$cwd = '/tmp';
$env = array('some_option' => 'aeiou');
$process = proc_open('command', $descriptorspec, $pipes, $cwd, $env);
if (is_resource($process)) {
// $pipes now looks like this:
// 0 => writeable handle connected to child stdin
// 1 => readable handle connected to child stdout
// Any error output will be appended to /tmp/error-output.txt
fwrite($pipes[0], '<?php print_r($_ENV); ?>');
fclose($pipes[0]);
echo stream_get_contents($pipes[1]);
fclose($pipes[1]);
echo stream_get_contents($pipes[2]);
fclose($pipes[2]);
// It is important that you close any pipes before calling
// proc_close in order to avoid a deadlock
$return_value = proc_close($process);
echo "command returned $return_value\n";
}
但是,您也可以在启动流程时使用LD_PRELOAD
并以认为 stdout为终端的方式欺骗程序。 (hackish但有时是最后的手段)。我在这里描述过:Bash: trick program into thinking stdout is an interactive terminal