我正在尝试按顺序在Gulp中运行一些任务.其中一个任务是执行简单的$node app.js的shell脚本.我如何解雇回调,以便告诉Gulp服务器已启动?
TL;博士
所以这里是我想要实现的目标的更大图景:
我正在使用gulp run-sequence按顺序启动一些任务,这指定了你应该编写任务的几种方式,以便它们按顺序运行.
每个gulp.task()都必须:
>返回流
要么
>在任务上调用回调
我的设置:
> gulp.task(“干净”,..); //返回流,一切OK
> gulp.task(“compile”,..); //返回流,一切OK
> gulp.task(“spin-server”,..); //用hack调用回调
> gulp.task(“init-browser-sync”,..); //上一个任务
这是我的旋转服务器任务:
gulp.task("spin-server", function(cb) {
exec("sh shell-utilities/spin-server");
// @HACK allow time for the server to start before `runSequence`
// runs the next task.
setTimeout(function() {
cb();
}, 2500);
});
这是spin-server.sh shell脚本:
## Start Node server ##
node server/app.js
#######
# EOF #
#######
问题
现在我正在使用setTimeout hack确保我的Node / Express服务器已启动,然后再继续运行init-browser-sync任务.
当我的Express服务器实际启动时,如何消除setTimeout hack并调用cb()?
解决方法:
如果你想生成一个进程但是要监听它的输出,你可以用exec启动它,然后将监听器附加到进程的stdout.
var exec = require('child_process').exec;
gulp.task("spin-server", function() {
var child = exec("sh shell-utilities/spin-server");
child.stdout.on('data', function(data) {
console.log('stdout: ' + data);
});
child.stderr.on('data', function(data) {
console.log('stderr: ' + data);
});
child.on('close', function(code) {
console.log('closing code: ' + code);
});
});