php的异步请求操作
PHP #异步请求2012-04-15 00:21
在很多情况下,有这样的一个需求:让php在后台执行某个程序,但要让页面快速的输出显示。
以下是我总结的几种实现方式
exec
这是最简单的方式
<?php exec(sprintf("%s > %s 2>&1 & echo $! > %s", $cmd, $outputfile, $pidfile));
调用$cmd命令,将输出重定向到$outputfile,不显示错误信息,同时将进程id输出到$pidfile。
这样也方便监控,比如判断该进程是否还在运行
<?php function isRunning($pid){ try{ $result = shell_exec(sprintf("ps %d", $pid)); if( count(preg_split("/\n/", $result)) > 2){ return true; } }catch(Exception $e){} return false; }
注意:如果直接调用exec来运行某个命令,或者在该命令后面加个"&",php还是会等待该命令运行完成再执行下面的操作。
proc_open/proc_close
这个方法很有意思,先用proc_open运行一段后台程序,然后用proc_close来关闭proc_open,结果程序就在后台运行了,同时php也会继续执行下去
<?php proc_close(proc_open ("ping www.baidu.com -c 10 > /path/to/output &", array(), $foo)); pcntl_fork
使用php的多线程来达到目的,原理就是复制一个子线程,同时杀死父线程(不支持windows)。
<?php if ($pid = pcntl_fork()) die(); // Parent function shutdown() { posix_kill(posix_getpid(), SIGHUP); } if(ob_get_level()) ob_end_clean(); // Discard the output buffer and close fclose(STDIN); // Close all of the standard fclose(STDOUT); // file descriptors as we fclose(STDERR); // are running as a daemon. register_shutdown_function('shutdown'); if (posix_setsid() < 0) die(); // <- This is an error // Do your stuff here exec('/bash/command > /path/to/output');
header
使用这个方法的前提是使用http协议,同时目标文件可控,最好在一个域下。因为必须要建立http连接才行,所以稍微有点费时。原理是通过header输出’Connection:close’头,中断http连接,同时后面的代码继续执行。
<?php while(ob_get_level()) ob_end_clean(); header('Connection: close'); ignore_user_abort(); ob_start(); echo('Connection Closed'); $size = ob_get_length(); header("Content-Length: $size"); ob_end_flush(); flush();
使用数据库作中转
把要执行的命令和参数先存到缓存或数据库,接下来的事就不用php操心了。
相关文章
- CodeIgniter框架URL支持中文的方法 2012/04/14
- 在smarty中使用php函数 2012/04/14
- Discuz的Ucenter通信失败的原因 2012/04/14
- php在类中使用回调函数 2012/04/14