我有这样一个简单的脚本:
var exec = require('child_process').exec;
exec('coffee -cw my_file.coffee', function(error, stdout, stderr) {
console.log(stdout);
});
我只是简单地执行一个命令来编译一个咖啡脚本文件。但是stdout永远不会显示在控制台中,因为命令永远不会结束(因为coffee的-w选项)。
如果我直接从控制台执行命令,我会得到这样的消息:
18:05:59 - compiled my_file.coffee
我的问题是:是否可以用node.js的exec来显示这些消息?如果是,怎么做?!
谢谢
不要使用exec。使用spawn,这是一个eventemitter对象。然后你可以在stdout/stderr事件发生时监听它们(spawn.stdout.on('data',callback..))。
来自NodeJS文档:
var spawn = require('child_process').spawn,
ls = spawn('ls', ['-lh', '/usr']);
ls.stdout.on('data', function (data) {
console.log('stdout: ' + data.toString());
});
ls.stderr.on('data', function (data) {
console.log('stderr: ' + data.toString());
});
ls.on('exit', function (code) {
console.log('child process exited with code ' + code.toString());
});
Exec缓冲输出,通常在命令执行完成时返回。
我发现在我的实用程序中添加一个自定义的exec脚本很有帮助。
utilities.js
const { exec } = require('child_process')
module.exports.exec = (command) => {
const process = exec(command)
process.stdout.on('data', (data) => {
console.log('stdout: ' + data.toString())
})
process.stderr.on('data', (data) => {
console.log('stderr: ' + data.toString())
})
process.on('exit', (code) => {
console.log('child process exited with code ' + code.toString())
})
}
app.js
const { exec } = require('./utilities.js')
exec('coffee -cw my_file.coffee')
在回顾了所有其他答案后,我得出了以下结论:
function oldSchoolMakeBuild(cb) {
var makeProcess = exec('make -C ./oldSchoolMakeBuild',
function (error, stdout, stderr) {
stderr && console.error(stderr);
cb(error);
});
makeProcess.stdout.on('data', function(data) {
process.stdout.write('oldSchoolMakeBuild: '+ data);
});
}
有时数据是多行,因此oldSchoolMakeBuild标头将为多行出现一次。但这并没有困扰到我去改变它。