快速搜索教程已经变得干涸.我已经使用codeigniter构建了我的应用程序,并且我确实在我的应用程序中对facebook api进行了各种调用,使用基于PHP的图像处理.我唯一想知道的是,如果我正在执行api调用或调整我的图像大小,队列服务器工作人员如何帮助我,并且用户通常不会在我的服务器完成之前回复.
哪种情况对于工作队列服务器来说是好的候选者,是否有任何指南可以将这些包含在我的应用程序中?最近我在我的应用程序中包含了memcache,这非常简单.我只是用一个memcache处理程序包装我的SQL查询.
另一个想法是,使用队列,您可以控制并发.如果100个用户同时上传图像以进行调整大小怎么办?你的服务器可以处理吗?如果您有一个工作(后端)服务器来处理这些请求,那么您将能够仅允许执行X个并发作业.
同样适用于Web服务请求:您没有保持打开的连接,而是基本上将Web服务调用的执行卸载到工作进程,这释放了一个apache进程,并且您可以实现一个AJAX轮询机制来检查是否存在请求发送到Web服务的后端服务器已完成.从长远来看,系统将更好地扩展,用户通常不喜欢等待操作完成而没有反馈它在哪里.排队允许您异步执行任务并向访问者提供有关任务完成状态的反馈.
我通常使用Zend Server的完整版(商业版)提供的Zend Server的作业队列(http://devzone.zend.com/article/11907和http://devzone.zend.com/article/11907).但是,Gearman也非常出色,并且有一个PHP扩展:http://php.net/manual/en/book.gearman.php和一个例子:http://www.php.net/manual/en/gearmanclient.do.php.
希望这可以帮助.
– 编辑 –
@Casey,我开始添加评论,但意识到这很快就会变得太长,所以我编辑了答案.我刚刚阅读了云控制的文档,这是一项我不知道的服务.幸运的是,我已经广泛使用了Codeigniter,所以我会试着为你解答一个答案:
1- Cloudcontrol的工作者概念是从命令行启动PHP脚本.因此,您需要一种方法让Codeigniter接受从命令行触发脚本并将其分派到控制器.您可能希望将其限制为一个控制器.请参阅代码:http://pastebin.com/GZigWbT3
该文件实质上是CI的index.PHP文件所做的,除了它通过设置$_REQUEST [‘SERVER_URI’]来模拟请求.确保将该文件放在文档根目录之外,并相应地调整$system_folder变量.
2-您需要控制器文件夹中的控制器script.PHP,您将从中禁用Web请求.您可以采取以下措施:
<?PHP class script extends CI_Controller { public function __construct() { if(PHP_sapi_name() !== 'cli') { show_404(); } parent::__construct(); } public function resizeImage($arg1,$arg2) { //Whatever logic to resize image,or library call to do so. } }
3-最后一部分是您在CI(在您的系统/应用程序/库文件夹中)开发一个包装器库,它将有效地包装CloudController的工作者调用的功能
public function _construct() { $ci = get_instance(); //add check to make sure that the value is set in the configuration //Ideally since this is a library,pass the app_name in a setter to avoid creating a dependancy on the config object. //Somewhere in one of your config files add $config['app_name'] = 'YOUR_APP_NAME/YOUR_DEP_NAME'; //where APP_NAME and DEP_NAME are cloud controller's app_name and dep_name $this->_app_name = $ci->config->item('app_name'); //Also add: $config['utilities_script'] = 'path/to/utilities.PHP'; //This is the script created in step 1 $this->_utilities_script = $ci->config->item('utilities_script'); } public function run() { $args = func_get_args(); if(count($args) < 1 ) { //We expect at least one arg which would be the command name trigger_error('Run expects at least one argument',E_USER_ERROR); } $method = array_shift($args); //utilities.PHP is the file created in step 1 $command = "cctrlapp " . $this->_app_name . " worker.add ".$this->_utilities_script; //Add arguments if any $command .= ' "'.implode(' ',$args).'"'; //finally... exec($command); } }
4-现在,从代码中的任何位置,如果来自控制器,您实际上想要排队作业:
$this->load->library('Worker'); //resizeImage will call the method resizeImage in the script controller. $this->worker->run('resizeImage',$width,$height);
Pelase注意到:1-这可以进一步完善,它真的能让你了解它是如何完成的2-由于我没有cloudcontroller帐户,我无法测试代码,因此可能需要调整.我在我的项目中使用的utilities.PHPh脚本,所以这个应该是好的.祝好运!