我正在尝试使用child_process.spawn
在gulp任务中运行shell命令。
我必须检测任务何时完成运行,因此我使用stdout
检查在命令末尾发出的特定字符串,但是由于某种原因,它看起来不像我发出字符串:
// gulp 3.9.1
var gulp = require('gulp');
var spawn = require('child_process').spawn;
gulp.task('my-task', function(cb) {
var command = ''; // construct my shell command here
var end = 'end_of_command';
var command = command + '; echo ' + end; // add special string to look for
var cmd = spawn(command, { shell: true });
cmd.stdout.on('data', function(data) {
if (data.includes(end)) {
return cb();
}
});
});
由于某种原因,我的echo语句没有发出,因此if语句没有被传递。
我要去哪里错了?
我还应该注意,当我直接在shell中而不是通过gulp任务运行此命令时,它运行良好并且预期的输出可见。
答案 0 :(得分:1)
Gulp和child_process
异步函数都使用节点样式的错误优先回调。
spawn
用于在命令执行期间处理流。如果只需要等待命令完成,exec
和execFile
就会这样做:
var gulp = require('gulp');
var exec = require('child_process').exec;
gulp.task('my-task', function(cb) {
exec('cmd', cb);
});
spawn
可能更复杂,因为它还允许处理退出代码:
var gulp = require('gulp');
var spawn = require('child_process').spawn;
gulp.task('my-task', function(cb) {
spawn('cmd', [], {})
.on('error', cb)
.on('close', code => code ? cb(new Error(code)) : cb());
});