我正在尝试配置我的JS版本来做下一步:
我正在使用JS变量来定义应用程序根目录:
globals.js
define(function (require) {
"use strict";
return {
mainRoot: "http://myapp.com"
//mainRoot: "http://localhost:3000" - local run
//mainRoot: "http://myapp-test.com" - test server
};
});
在本地开发期间,我使用的代码没有Grunt构建,只运行Grunt用于测试&生产建设。
Grunt使用命令行配置从Maven插件运行。所以这是传递环境变量的唯一方法。
的pom.xml
<plugin>
<groupId>pl.allegro</groupId>
<artifactId>grunt-maven-plugin</artifactId>
<configuration>
<gruntOptions>
<gruntOption>--verbose</gruntOption>
</gruntOptions>
<target>build</target>
</configuration>
</plugin>
Grunt配置非常简单,如下所示:
Gruntfile.js
grunt.registerTask('build', [
'karma',
'requirejs',
'concat',
'csso',
'copy',
'processhtml'
]);
问题:
如何配置Grunt以下一种方式更改我的变量?
mainRoot
的默认值应为http://localhost:3000
PROD
环境中运行Grunt时,mainRoot
应更改为http://myapp.com
TEST
环境中运行Grunt时,mainRoot
应更改为http://myapp-test.com
谢谢!
答案 0 :(得分:10)
我发现grunt-replace
和grunt-config
的组合效果很好。
在Gruntfile.js
中,像这样配置grunt-config
(请参阅README):
config: {
local: {
options: {
variables: {
mainroot: 'http://localhost:3000'
}
}
},
test: {
options: {
variables: {
mainroot: 'http://myapp-test.com'
}
}
},
prod: {
options: {
variables: {
mainroot: 'http://myapp.com'
}
}
}
}
在globals.js
中,为grunt-replace
创建an @@
placeholder以查找和替换:
define(function (require) {
"use strict";
return {
mainRoot: "@@MAINROOT"
};
});
在Gruntfile.js
中,像这样配置grunt-replace
:
replace: {
my_target: {
options: {
patterns: [
{
match: 'MAINROOT',
replacement: '<%= grunt.config.get("mainroot") %>'
}
]
},
src: ... ,
dest: ...
}
}
然后创建一个command-line option,例如--env
,它将接受local
或test
或prod
,默认为local
省略:
var envTarget = grunt.option('env') || 'local';
并更新您的build
任务以使用config
和replace
:
grunt.registerTask('build', [
'config:' + envTarget,
'replace',
'karma',
'requirejs',
'concat',
'csso',
'copy',
'processhtml'
]);
现在,您可以使用新的--env
选项从命令行运行Grunt:
grunt build --env=local
grunt build --env=test
grunt build --env=prod