我可以从NODE_ENV
到其他gulpfile.js
文件中传递不是javascript
的变量吗?
gulpfile.js
// Not related with NODE_ENV!
let isDevelopment = true;
somejsfile.js
/*
I need to get "isDevelopment" from the gulpfile.js...
For the production build, where no NodeJS avaliable, this condition will be
always "false". Maybe it's possible to delete it by webpack.
*/
if (isDevelopment) {
printDebugInfromation();
}
// No neccessirity to print it in the production build
function printDebugInfromation() {
console.log(/* ... */)
}
为什么我不使用
NODE_ENV
必须从控制台更改它的值。另外,我总是使用
webpack
并在gulpfile.js
内进行配置,因此也许某些webpack插件可以实现... 最佳答案
如果您不关心全局名称空间中的冲突
// gulpfile.js
global.isDevelopment = true;
// somejsfile.js
console.log(global.isDevelopment);
或者您可以创建一些配置模块
// my-evn.js module
const env = {};
module.exports = {
set(key, value) {
Object.assign(env, { [key]: value });
},
get(key) {
return env[key];
}
}
// or just like a global-like variable
module.exports = env;
然后在gulpfile.js中
const myEnv = require('./my-env.js');
myEnv.set('isDevelopment', true)
并在somejsfile.js中
const myEnv = require('./my-env.js');
console.log(myEnv.get('isDevelopment'));
或类似的东西,使用字符串键的getter并不是我的最佳解决方案,但是这里的想法是将一些共享模块与本地存储一起使用。