使用无缓冲的标准输出,-u
在守护进程开始时将参数传递给 python 脚本(类似于python -u (your python script)
)
并且,在 PHP 中,使用诸如proc_open
实时读取 Python 脚本打印的内容之类的东西。
编辑
如评论中所述,我可以提出以下建议:
Python:
import sys, atexit
sys.stdout = open(sys.argv.pop(), "w+") #Replaces stdout with a file returned from sys.argv (command line arguments)
def saveClose():
sys.stdout.write("--%s--"%sys.stdout.name) #Just to indicate if the script closed
atexit.register(saveClose) #Register with atexit to execute the function at...exit
PHP:(命名为daemon.php)
<?php
function execInBackground($cmd) { // Put the program in background in Windows and *nix
if (substr(php_uname(), 0, 7) == "Windows"){ // Detect if Windows
pclose(popen("start /B ". $cmd, "r")); // Use start /B (windows only) to open a background program in Windows
}
else {
exec($cmd . " > /dev/null &"); // Open program as a daemon using & in *nix.
}
}
if(isset($_GET["verify_id"])){ // We have ID?
$content = file_get_contents($_GET["verify_id"]); // If yes, just load the file here (this is a security problem, but you can fix easily)
echo $content; // Simply echoes the content of the file
}
else if(isset($_GET["daemon"])){
$id = md5(uniqid(rand(), true)); // Create a unique hash
execInBackground($_GET["daemon"]." ".$id); // Execute in the background passing the hash as a argument
echo $id; // Echoes the hash
}
?>
Javascript:(命名为 daemon.js 并使用 jQuery)
var cmds = {}
function receiveResult(cmd, id, callback){ // This function effectively receives the result from the execution of the program.
var reg = new RegExp("--"+id+"--$");
cmds_interval[id] = setInterval(function(){
$.ajax({
url:"daemon.php",
dataType: "text",
data: {"verify_id":id},
success: function(msg){
if(reg.test(msg)){ // Is the script closed?
msg = msg.replace(reg, ""); // If yes, removes it from the end of the string
clearInterval(cmds_interval[id]); // And clear the interval
}
callback(msg, id, cmd); // Callback with the message from the stdout
}
});
}, 1000); // refreshes with a interval of 1 second
return cmds_interval[id];
}
function exec(cmd, callback){
$.ajax({
url:"daemon.php",
dataType: "text",
data: {"daemon":cmd},
success: function(id){
receiveResult(cmd, id, callback);
}
});
}
使用示例:
在 HTML 中:
<pre id="console"></pre>
<script language="javascript" type="text/javascript" src="path/to/jquery.js"></script>
<script language="javascript" type="text/javascript" src="path/to/daemon.js"></script>
<script language="javascript" type="text/javascript" src="path/to/demo.js"></script>
在 demo.js 中:(Javascript,也使用 jQuery):
exec("python script.py", function(msg){
$("#console").html(msg);
});
这应该有效。如果它不起作用,请等待明天,因为我现在要退出。祝你好运。
PS:如果代码不起作用,您可以将代码视为您想要的算法示例。
PS 2:execInBackground
函数来自这里:http ://www.php.net/manual/en/function.exec.php#86329