10

我必须构建一个 PHP 队列系统,发现这篇精彩的文章 http://squirrelshaterobots.com/programming/php/building-a-queue-server-in-php-part-1-understanding-the-project,我用它来创建一个 PHP 队列系统,它非常易于设置和使用。

下面是 queue.php 的代码,从 shell(puTTy 或类似的)运行。

<?PHP 

//. set this constant to false if we ever need to debug
//. the application in a terminal.
define('QUEUESERVER_FORK', true);

//////// fork into a background process ////////
if(QUEUESERVER_FORK){    
    $pid = pcntl_fork(); 
    if($pid === -1) die('error: unable to fork.');    
    else if($pid) exit(0);        
    posix_setsid();    
    sleep(1);        
    ob_start();
}

$queue = array();

//////// setup our named pipe ////////
$pipefile = '/tmp/queueserver-input';

if(file_exists($pipefile))    
    if(!unlink($pipefile))         
        die('unable to remove stale file');

umask(0);


if(!posix_mkfifo($pipefile, 0666))    
    die('unable to create named pipe');

$pipe = fopen($pipefile,'r+');

if(!$pipe) die('unable to open the named pipe');

stream_set_blocking($pipe, false);

//////// process the queue ////////
while(1){    

    while($input = trim(fgets($pipe))){        
        stream_set_blocking($pipe, false);        
        $queue[] = $input;    
    }    

    $job = current($queue);    
    $jobkey = key($queue);    

    if($job){        
        echo 'processing job ', $job, PHP_EOL;                
        process($job);                
        next($queue);        
        unset($job, $queue[$jobkey]);            
    }else{        
        echo 'no jobs to do - waiting...', PHP_EOL;        
        stream_set_blocking($pipe, true);    
    }        

    if(QUEUESERVER_FORK) ob_clean();

}

?>

最难的部分是让 pcntl 函数在我的服务器上工作。

我的问题是“当/如果服务器必须重新启动时,我如何让工作自动启动?”


正如评论中所指出的,编辑了断开的链接,并为后代指出了优秀的网络档案。

4

1 回答 1

10

我的问题是“当/如果服务器必须重新启动时,我如何让工作自动启动?”

通过将其添加到服务器启动时启动的事物列表中。不幸的是,这样做的说明因操作系统和操作系统版本而异。您可能想要使用稍微跨平台的东西。我对supervisor很幸运,你可以在你选择的操作系统的包 repos 中找到它。

也就是说,你正在走上疯狂的道路。你正在做的事情以前已经做过了,更好的是,很棒的人。查看Gearman工作队列系统和随附的PECL 扩展。碰巧,主管也很方便让您的 Gearman 工人活着。

于 2013-01-04T00:49:11.750 回答