运行 来自 PHP 内置网络服务器的 shell_exec 后台进程
Running a background process with shell_exec from the PHP built-in webserver
PHP 内置网络服务器似乎无法正确处理 shell_exec()
ing 后台进程;请求挂起,直到后台进程完成,即使它明确地放在后台 &
.
示例:
$ 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.
然后在另一个 shell:
$ GET http://localhost:7891/runit.php
(...waits five seconds...)
Here we are
and the command is done
这不应该发生,如果使用生产级网络服务器,也确实不会发生。有什么办法可以解决这个问题吗?
(注意:这不是flushing的问题,在第一次echo后加flush()
并没有使它发生,请求仍然挂起,直到后台进程完成。)
您的选择是:
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) 您可以在 shell exec 的末尾附加 '> /dev/null 2>/dev/null &'
,这也将删除所有输出,但它会 运行 命令。
让它看起来像
shell_exec('sleep 5 > /dev/null 2>/dev/null &')
;
这是acknowledged as a bug by PHP, but won't be fixed in the built-in webserver。但是,错误报告也确实提出了一种解决方法;在响应上设置正确的 Content-Length
,然后接收浏览器将在收到那么多数据后在客户端关闭请求,从而解决问题。
PHP 内置网络服务器似乎无法正确处理 shell_exec()
ing 后台进程;请求挂起,直到后台进程完成,即使它明确地放在后台 &
.
示例:
$ 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.
然后在另一个 shell:
$ GET http://localhost:7891/runit.php
(...waits five seconds...)
Here we are
and the command is done
这不应该发生,如果使用生产级网络服务器,也确实不会发生。有什么办法可以解决这个问题吗?
(注意:这不是flushing的问题,在第一次echo后加flush()
并没有使它发生,请求仍然挂起,直到后台进程完成。)
您的选择是:
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) 您可以在 shell exec 的末尾附加 '> /dev/null 2>/dev/null &'
,这也将删除所有输出,但它会 运行 命令。
让它看起来像
shell_exec('sleep 5 > /dev/null 2>/dev/null &')
;
这是acknowledged as a bug by PHP, but won't be fixed in the built-in webserver。但是,错误报告也确实提出了一种解决方法;在响应上设置正确的 Content-Length
,然后接收浏览器将在收到那么多数据后在客户端关闭请求,从而解决问题。