我这个简单的Python
脚本每秒都会打印一条消息:
#!/usr/bin/python
import time
while True:
print u"Message"
time.sleep(1)
我尝试使用python-shell
将第三方Python脚本与上述结构与Node.js
集成。
我有这个JS脚本来从Python脚本获取所有消息:
var PythonShell = require('python-shell');
var options = {
scriptPath: './'
};
var pyshell = new PythonShell('test.py',options);
pyshell.on('message', function (message) {
// received a message sent from the Python script (a simple "print" statement)
console.log(message);
});
// end the input stream and allow the process to exit
pyshell.end(function (err) {
if (err) throw err;
console.log('finished');
});
但似乎Python中的while True
导致事件未被调用。我怎么解决这个问题?我可以将Python
脚本中的循环更改为与python-shell
兼容的内容吗?
答案 0 :(得分:5)
您需要刷新sys.stdout
,因为输出是缓冲的,因为它是管道传输的:
import time
import sys
while True:
print u"Message"
sys.stdout.flush()
time.sleep(1)
一旦刷新,您将立即收到输出:
$ nodejs n.js
Message
Message
Message
.....
启动shell时,您可以将缓冲设置为缓冲区或非缓冲区,但我对nodejs并不太熟悉。
实际上有一种方法可以设置-u
标志以获得带有pythonOptions
标志的无缓冲输出:
var PythonShell = require('python-shell');
var pyshell = new PythonShell('test.py',{scriptPath:"./", pythonOptions: ['-u']});
pyshell.on('message', function (message) {
// received a message sent from the Python script (a simple "print" statement)
console.log(message);
});
// end the input stream and allow the process to exit
pyshell.end(function (err) {
if (err) throw err;
console.log('finished');
});
输出将是无缓冲的,因此不需要刷新标准输出。