1

我目前正在用 PHP 开发一个部署框架,但遇到了一些关于线程和流的问题。

我想启动一个进程,读取它的标准输出和标准错误(分开!),回显它并在进程终止时返回流的完整内容。

为了获得该功能,我使用了两个线程,每个线程都在读取不同的流(stdout|stderr)。现在我遇到的问题是当 fgets 被第二次调用时 php 崩溃了。(错误代码 0x5,错误偏移量 0x000610e7)。

经过大量的跟踪和错误后,我发现当我向run函数添加一个虚拟数组时,崩溃并不总是发生并且它按预期工作。有谁知道为什么会这样?

我正在使用 Windows 7、PHP 5.4.22、MSVC9、pthreads 2.0.9

private static $pipeSpecsSilent = array(
   0 => array("pipe", "r"), // stdin
   1 => array("pipe", "w"), // stdout
   2 => array("pipe", "w")); // stderr

public function start()
{
    $this->procID = proc_open($this->executable, $this::$pipeSpecsSilent, $this->pipes);
    if (is_resource($this->procID))
    {
        $stdoutThread = new POutputThread($this->pipes[1]);
        $stderrThread = new POutputThread($this->pipes[2]);
        $stderrThread->start();
        $stdoutThread->start();

        $stdoutThread->join();
        $stderrThread->join();

        $stdout = trim($stdoutThread->getStreamValue());
        $stderr = trim($stderrThread->getStreamValue());

        $this->stop();
        return array('stdout' => $stdout, 'stderr' => $stderr);
    }
    return null;
}

/**
 * Closes all pipes and the process handle
 */
private function stop()
{
    for ($x = 0; $x < count($this->pipes); $x++)
    {
        fclose($this->pipes[$x]);
    }

    $this->resultValue = proc_close($this->procID);
}


class POutputThread extends Thread
{
    private $pipe;
    private $content;

    public function __construct($pipe)
    {
        $this->pipe = $pipe;
    }

    public function run()
    {
        $content = '';

        // this line is requires as we get a crash without it.
        // it seems like there is something odd happening?
        $stackDummy = array('', '');

        while (($line = fgets($this->pipe)))
        {
            PLog::i($line);
            $content .= $line;
        }
        $this->content = $content;
    }

    /**
     * Returns the value of the stream that was read
     *
     * @return string
     */
    public function getStreamValue()
    {
        return $this->content;
    }
}
4

1 回答 1

1

我发现了问题:

Although I'm closing the streams after all threads are terminated it seems like it is required to close the stream inside the thread that was reading from it. So I replaced the $this->stop(); call with a fclose($this->pipe); inside the run function and everything works just fine.

于 2015-01-14T12:58:45.737 回答