協程 shell_exec 如何捕獲標準錯誤流

沈唁發表於2020-11-03

今天在GitHub主頁看到外國友人提了一個很有意思的issue,他在使用Co\\System::exec()執行了一個不存在的命令時,錯誤資訊會直接列印到螢幕,而不是返回錯誤資訊。

實際上Swoole提供的System::exec()行為上與PHPshell_exec是完全一致的,我們寫一個shell_exec的同步阻塞版本,執行後發現同樣拿不到標準錯誤流輸出的內容,會被直接列印到螢幕。

<?php
$result = shell_exec('unknown');
var_dump($result);
htf@htf-ThinkPad-T470p:~/workspace/debug$ php s.php
sh: 1: unknown: not found
NULL
htf@htf-ThinkPad-T470p:~/workspace/debug$

那麼如何解決這個問題呢?答案就是使用proc_open+hook實現。

例項程式碼

Swoole\Runtime::setHookFlags(SWOOLE_HOOK_ALL);
Swoole\Coroutine\run(function () {
    $descriptorspec = array(
        0 => array("pipe", "r"),
        1 => array("pipe", "w"),
        2 => array("pipe", "w"),
    );

    $process = proc_open('unknown', $descriptorspec, $pipes);
    var_dump($pipes);

    var_dump(fread($pipes[2], 8192));
    $return_value = proc_close($process);

    echo "command returned $return_value\n";
});

使用proc_open,傳入了3個描述資訊:

  • fd0 的流是標準輸入,可以在主程式內向這個流寫入資料,子程式就可以得到資料
  • fd1 的流是標準輸出,這裡可以得到執行命令的輸出內容
  • fd2pipe stream 就是 stderr ,讀取 stderr 就能拿到錯誤資訊輸出

使用fread就可以拿到標準錯誤流輸出的內容。

htf@htf-ThinkPad-T470p:~/workspace/swoole/examples/coroutine$ php proc_open.php
array(3) {
  [0]=>
  resource(4) of type (stream)
  [1]=>
  resource(5) of type (stream)
  [2]=>
  resource(6) of type (stream)
}
string(26) "sh: 1: unknown: not found
"
command returned 32512
htf@htf-ThinkPad-T470p:~/workspace/swoole/examples/coroutine$
Swoole 正在參與 2020 年度 OSC 中國開源專案評選,請點選下方連結投出您的一票,投票直達連結:https://www.oschina.net/p/swoole-server

Swoole官方

相關文章