3

PHP 内置的网络服务器似乎无法shell_exec()正确处理后台进程;请求会一直挂起,直到后台进程完成,即使它被显式放置在后台&

例子:

$ ls
runit.php
$ cat runit.php 
<?php
echo "Here we are\n";
shell_exec("sleep 5 &");
echo "and the command is done\n";
?>
$ php -S localhost:7891
PHP 5.5.9-1ubuntu4.9 Development Server started at Mon May 18 19:20:12 2015
Listening on http://localhost:7891
Press Ctrl-C to quit.

然后在另一个外壳中:

$ GET http://localhost:7891/runit.php
(...waits five seconds...)
Here we are
and the command is done

这不应该发生,如果使用生产级网络服务器,确实不会发生。有没有办法解决它?

(注意:这不是刷新问题。flush()在第一次回显之后添加不会使其发生,并且请求仍然挂起,直到后台进程完成。)

4

2 回答 2

1

PHP 承认这是一个错误,但不会在内置 webserver 中修复。但是,错误报告也确实提出了一种解决方法;在响应上设置一个正确Content-Length的,然后接收浏览器将在接收到这么多数据后在客户端关闭请求,从而解决问题。

于 2015-05-18T19:40:50.473 回答
-1

您的选择是:

1)使用单独的线程来运行你的进程

<?php 
for ($i = 1; $i <= 5; ++$i) { 
        $pid = pcntl_fork(); 

        if (!$pid) { 
            sleep(1); 
            print "In child $i\n"; 
            exit($i); 
        } 
    } 

    while (pcntl_waitpid(0, $status) != -1) { 
        $status = pcntl_wexitstatus($status); 
        echo "Child $status completed\n"; 
    } 
?>

2)你可以 '> /dev/null 2>/dev/null &'在你的shell exec的末尾追加,这也会去掉所有的输出,但它会运行命令。让它看起来像

shell_exec('sleep 5 > /dev/null 2>/dev/null &');

于 2015-05-18T18:27:20.653 回答