我目前正在尝试使用grunt发送参数来多次运行其他任务。
这是我已经完成的单一构建任务:
var country = grunt.option('country') || 'X0';
var product = grunt.option('product') || 'Y0';
var subdomain = grunt.option('subdomain') || 'Z0';
grunt.registerTask('build_home', [
'sprite:publicProduct',
'sprite:home',
'uglify:home',
'sass:home',
'csscomb:home',
'cssmin:home'
]);
所以在我的日常生活中,我会运行命令:
grunt build_home --country=X0 --product=Y7 --subdomain=Z3
我现在想要的是一个可以运行所有可能的预定义选项的任务:
grunt build_home_all
这将是这样的:
grunt.registerTask('build_home_all', function() {
var products = ['Y0','Y1','Y2','Y3','Y4','Y5','Y6','Y7','Y8','Y9'];
var subdomains = ['Z0','Z1','Z2'];
for (i = 0; i < products.length; i++) {
for (j = 0; j < subdomains.length; j++) {
grunt.task.run('build_home --product='+products[i]+' --subdomain='+subdomains[j]);
};
};
grunt.log.ok(['Finished.']);
});
我已经用grunt.util.spawn实现了这一点,但它有点异步运行并且强制我的cpu同时运行所有类型的任务。
答案 0 :(得分:0)
使用调用任务的grunt.task.run
方法时,您无法传递通常使用CLI的参数,但仍然可以使用以冒号分隔的表示法传递参数:
build_home --country=X0 --product=Y7 --subdomain=Z3
=&gt; build_home:X0:Y7:Z3
将您的build_home_all
任务更新为以下内容:
function buildHomeAll() = {
var products = ['Y0','Y1','Y2','Y3','Y4','Y5','Y6','Y7','Y8','Y9'],
subdomains = ['Z0','Z1','Z2'],
tasks = [],
country = grunt.option('country') || 'X0';
for (i = 0; i < products.length; i++) {
for (j = 0; j < subdomains.length; j++) {
tasks.push(['build_home',country, products[i],'subdomains[j]'].join(':'));
};
};
grunt.task.run(tasks);
grunt.log.ok(['Finished.']);
}
您将使用grunt build_home_all --country=X0
接下来,您需要修改build_home
任务,以便考虑新的参数传递方式:
function buildHome() = {
if (!grunt.option('country') {
grunt.option('country', this.args[0] || 'X0');
})
if (!grunt.option('product') {
grunt.option('product', this.args[1] || 'Y0');
})
if (!grunt.option('subdomain') {
grunt.option('subdomain', this.args[2] || 'Z0');
})
grunt.task.run([
'sprite:publicProduct',
'sprite:home',
'uglify:home',
'sass:home',
'csscomb:home',
'cssmin:home'
]);
最后,公开gruntfile.js
中的功能:
grunt.registerTask('build_home', buildHome);
grunt.registerTask('build_home_all', buildHomeAll);