在 PHP 中,使用 exec()
函数执行外部命令时,可以通过以下方法提高输出的可读性:
shell_exec()
函数:shell_exec()
函数会返回命令的完整输出,而不仅仅是最后一行。这样,你可以更容易地处理命令的输出。例如:$output = shell_exec('your_command_here');
echo "<pre>$output</pre>";
passthru()
函数:passthru()
函数会直接将命令的输出发送到浏览器,保留原始的格式。这对于需要实时查看输出的场景非常有用。例如:passthru('your_command_here');
proc_open()
函数:proc_open()
函数提供了更多的控制选项,例如执行命令时的工作目录、环境变量等。你可以使用 proc_open()
函数捕获命令的输出,并将其存储在数组中,以便于处理。例如:$descriptorspec = array(
0 => array("pipe", "r"), // 标准输入,子进程从此管道中读取数据
1 => array("pipe", "w"), // 标准输出,子进程向此管道中写入数据
2 => array("pipe", "w") // 标准错误,子进程向此管道中写入数据
);
$process = proc_open('your_command_here', $descriptorspec, $pipes);
if (is_resource($process)) {
fclose($pipes[0]); // 不需要向子进程传递任何输入,所以关闭此管道
$output = stream_get_contents($pipes[1]);
fclose($pipes[1]);
$error_output = stream_get_contents($pipes[2]);
fclose($pipes[2]);
$return_value = proc_close($process);
echo "<pre>$output</pre>";
echo "<pre>$error_output</pre>";
}
通过这些方法,你可以更容易地处理 exec()
函数的输出,提高其可读性。