我使用grunt-contrib-watch
成功地将grunt-nodemon
与grunt-concurrent
合并,以便每当我编辑和转换我的coffeescript文件时,我都会自动启动我的node.js实例。
以下是我用来实现此目的的gruntfile的grunt-concurrent
部分:
gruntfile.coffee
concurrent:
dev:
tasks: [
'watch'
'nodemon'
]
options:
logConcurrentOutput: true
watch
和nodemon
任务在同一文件中配置,但为了简洁起见已被删除。这很好。
现在我想在并发任务列表中添加grunt-node-inspector
。像这样:
concurrent:
dev:
tasks: [
'watch'
'nodemon'
'node-inspector'
]
options:
logConcurrentOutput: true
至少根据grunt-nodemon
帮助文件,这应该是可能的,因为它是作为示例用法给出的:Running Nodemon Concurrently
然而,这对我不起作用。而是只开始前两个任务。
实验表明,grunt-concurrent
似乎仅限于同时运行两个任务。任何后续任务都将被忽略。我尝试了各种选项,例如:
concurrent:
dev1:[
'watch'
'nodemon'
]
dev2:[
'node-inspector'
]
options:
logConcurrentOutput: true
grunt.registerTask 'default', ['concurrent:dev1', 'concurrent:dev2']
我也尝试将limit
选项设置为3.我对此寄予厚望,也许我误解了如何正确应用该值:
concurrent:
dev:
limit: 3
tasks: [
'watch'
'nodemon'
'node-inspector'
]
options:
logConcurrentOutput: true
但我无法完成第三次阻止任务。
问题 如何让所有三个阻止任务同时运行?
感谢。
答案 0 :(得分:4)
将限制值放在选项中,如下所示:
concurrent: {
tasks: ['nodemon', 'watch', 'node-inspector'],
options: {
limit: 5,
logConcurrentOutput: true
}
}
答案 1 :(得分:2)
我一直在使用grunt.util.spawn来运行我的任务,并在最后包含1个阻塞调用。 http://gruntjs.com/api/grunt.util#grunt.util.spawn http://nodejs.org/api/process.html#process_signal_events
这个区块杀死了孩子们。
var children = [];
process.on('SIGINT', function(){
children.forEach(function(child) {
console.log('killing child!');
child.kill('SIGINT');
});
});
module.exports = function (grunt) {
'use strict';
...
然后我注册一个任务
grunt.registerTask('blocked', 'blocking calls', function() {
var path = require('path')
var bootstrapDir = path.resolve(process.cwd()) + '/bootstrap';
var curDir = path.resolve(process.cwd());
children.push(
grunt.util.spawn( {
cmd: 'grunt',
args: ['watch'],
opts: {
cwd: bootstrapDir,
stdio: 'inherit',
}
})
);
children.push(
grunt.util.spawn( {
cmd: 'grunt',
args: ['nodemon'],
opts: {
cwd: curDir,
stdio: 'inherit',
}
})
);
children.push(
grunt.util.spawn( {
cmd: 'grunt',
args: ['node-inspector'],
opts: {
cwd: curDir,
stdio: 'inherit',
}
})
);
grunt.task.run('watch');
});
在您的情况下,您可以将当前工作目录更改为gruntfile.js并运行多个实例。