1

我需要做的是使用 PHP 处理数据库中待处理的多个请求。

我目前正在尝试做的是:当我的 cronjob 运行时。我想立即调用文件“process_a.php”10 次,而无需等待它完成处理(process_a.php 可能需要几分钟)。

我尝试使用 CURL 来做到这一点。但是当我的 cronjob 调用 process_a.php 时,它会等待它完成处理并在调用另一个 process_a.php 文件之前返回。

我什至尝试将代码放入 process_a.php 以立即关闭连接,然后在后台继续处理。但 cronjob 仍在等待它完成。

我只希望同一个文件一次执行 10 次,你知道的,就像 10 个不同的用户请求我网站的 index.php 页面......有什么想法!?

4

3 回答 3

2

分叉成 10 个进程:

 <?php
 for($i = 0; $i < 10;$i++){
     $pid = pcntl_fork():
     if ($pid == -1) {
          trigger_error('could not fork');
     } else if (!$pid) {
          //we are the child now
           require 'process_a.php';
     } else {
         // we are the parent, you could do something here if need be.
     }
 }

...但是 process_a.php 可以做您的网站所做的任何事情,所以,与其调用页面,为什么不做页面请求会导致的实际工作呢?让网络服务器继续成为网络服务器,而不是臃肿的脚本存储库。

于 2012-06-19T19:54:17.927 回答
2

正如@Brad curl-multi-exec 所说,应该是一个选项。

http://php.net/manual/en/function.curl-multi-exec.php

    <?php
//create the multiple cURL handle
$mh = curl_multi_init();

// create both cURL resources
for($i = 0; $i < 10;$i++){
     $ch[$i] = curl_init();
     curl_setopt($ch[$i], CURLOPT_URL, "http://urhost//path/to/process_a.php");
     curl_setopt($ch[$i], CURLOPT_HEADER, 0);
     curl_multi_add_handle($mh,$ch[$i]);//add the handles
}

$active = null;

//execute the handles
do {
    $mrc = curl_multi_exec($mh, $active);
} while ($mrc == CURLM_CALL_MULTI_PERFORM);

while ($active && $mrc == CURLM_OK) {
    if (curl_multi_select($mh) != -1) {
        do {
            $mrc = curl_multi_exec($mh, $active);
        } while ($mrc == CURLM_CALL_MULTI_PERFORM);
    }
}

//close the handles
for($i = 0; $i < 10;$i++){
     curl_multi_remove_handle($mh, $ch[$i]);
}
curl_multi_close($mh);

?>

我通过调用下面的另一个脚本来测试这个脚本:

<?php 
print microtime();//Return current Unix timestamp with microseconds 
print '<br>';
?>

这是结果,每个句柄的执行时间相差微秒。

0.27085300 1340214659
0.44853600 1340214659
0.46611800 1340214659
0.48201000 1340214659
0.50209400 1340214659
0.48233900 1340214659
0.52274300 1340214659
0.54757800 1340214659
0.57316900 1340214659
0.59475800 1340214659
于 2012-06-19T20:03:38.070 回答
1

你有完整的 cron 可用,还是只能指定 php 文件?

您也许可以使用 xargs 通过-P参数分叉 10 个进程

seq `1 10`|xargs -n1 -P10 php /path/to/file.php
于 2012-06-19T19:54:43.333 回答