1

我正在尝试创建一个在后台运行并分叉子进程的 PHP 脚本。(我知道这可能会导致服务器爆炸;还有一些超出此问题范围的额外保护措施)

简而言之,代码的工作方式如下:

$pids = array();
$ok = true;
while ($ok)
{
    $job = $pheanstalk->watch('jobs')->ignore('default')->reserve();
    echo 'Reserved job #' . $job->getId();
    $pids[$job->getId()] = pcntl_fork();
    if(!$pids[$job->getId()]) {
       doStuff();
       $pheanstalk->delete($job);
       exit();
    }
}

问题是,一旦我分叉了这个过程,我就会得到错误:

Reserved job #0
PHP Fatal error:  Uncaught exception 'Pheanstalk_Exception_ServerException' with message 'Cannot delete job 0: NOT_FOUND'

我的问题是,pheanstalk 是如何返回一个没有 ID 和有效负载的工作的?一旦我 fork 它几乎感觉就像 $pheanstalk 损坏了。如果我删除分叉,一切正常。(虽然它必须等待每个进程)

4

2 回答 2

1

在删除 pheanstalk 作业之前放置这个 if 条件:

if ($job) $pheanstalk->delete($job);

那是因为在代码到达此位置之前,您的文件的另一个 php 实例很可能已经删除了该作业。(另一个实例仍然可以使用 reserve() 检索该作业,直到该作业从队列中删除。

于 2014-06-12T22:11:25.833 回答
1

您遇到此问题的原因是该作业由主进程保留。在你调用之后pcntl_fork(),实际上有一个$worker变量的副本,因此主进程对作业有一个锁定,而第二个作业在尝试删除它时说它不存在(或者在这种情况下它被另一个进程保留) . 下面的代码通过创建一个新的工作人员来处理它,然后释放主工作人员的工作,并尝试在第二个工作人员上拿起它。

# worker for the main process
$worker = new \Pheanstalk\Pheanstalk($host, $port, $timeout, $persistent);

$pid = -1;

# seek out new jobs
while ($job = $worker->watch('queue_caller')->reserve()) {

    # make sure pcntl is installed & enabled
    if (function_exists('pcntl_fork')) {
        # create a child process
        $pid = pcntl_fork();
    }

    if ($pid === -1) {
        # code will run in single threaded mode
    } elseif ($pid !== 0) {
        # parent process
        # release the job so it can be picked up by the fork
        $worker->release($job);

        # short wait (1/20000th second) to ensure the fork executes first
        # adjust this value to what is appropriate for your environment
        usleep(50);

        # clear out zombie processes after they're completed
        pcntl_waitpid(0, $pidStatus, WNOHANG);

        # go back to looking for jobs
        continue;
    } else {
        # child worker is needed, because it has to own the job to delete it
        /** @var Pheanstalk $worker */
        $worker = new \Pheanstalk\Pheanstalk($host, $port, $timeout, $persistent);

        # only look for jobs for 1 second, in theory it should always find something
        $job = $worker->watch('queue_caller')->reserve(1);

        if (false === $job) {
            # for some reason there is no job
            # terminate the child process with an error code
            exit(1);
        }

    }

    /** Start your code **/

    do_something();

    /** End your code **/

    # delete the job from the queue        
    $worker->delete($job);

    # only terminate if it's the child process 
    if ($pid === 0) {
        # terminate the child process with success code
        exit(0);
    }

}
于 2016-11-20T05:46:15.300 回答