我设法使用一个名为gulp-insert的Gulp插件完成了我的任务,如下所示:
gulp.task('compile-js', function () {
// Minify and bundle client scripts.
var scripts = gulp.src([
srcDir + '/routes/**/*.js',
srcDir + '/shared/js/**/*.js'
])
// Sort angular files so the module definition appears
// first in the bundle.
.pipe(gulpAngularFilesort())
// Add angular dependency injection annotations before
// minifying the bundle.
.pipe(gulpNgAnnotate())
// Begin building source maps for easy debugging of the
// bundled code.
.pipe(gulpSourcemaps.init())
.pipe(gulpConcat('bundle.js'))
// Buffer the bundle.js file and replace the appConfig
// placeholder string with a stringified config object.
.pipe(gulpInsert.transform(function (contents) {
return contents.replace("'{{{appConfigObj}}}'", JSON.stringify(config));
}))
.pipe(gulpUglify())
// Finish off sourcemap tracking and write the map to the
// bottom of the bundle file.
.pipe(gulpSourcemaps.write())
.pipe(gulp.dest(buildDir + '/shared/js'));
return scripts.pipe(gulpLivereload());
});
我正在做的是读取我们应用程序的配置文件,该文件由 npm 上的配置模块管理。使用 var config = require('config');
从服务器端代码获取我们的配置文件是轻而易举的,但我们是一个单页应用程序,经常需要访问客户端的配置设置。为此,我将配置对象填充到 Angular 服务中。
这是 gulp 构建之前的 Angular 服务。
angular.module('app')
.factory('appConfig', function () {
return '{{{appConfigObj}}}';
});
占位符位于字符串中,因此对于首先处理文件的其他一些 Gulp 插件,它是有效的 JavaScript。gulpInsert
实用程序允许我像这样插入配置。
.pipe(gulpInsert.transform(function (contents) {
return contents.replace("'{{{appConfigObj}}}'", JSON.stringify(config));
}))
这有效,但感觉有点笨拙。更不用说它必须缓冲整个捆绑文件,以便我可以执行该操作。有没有更优雅的方式来完成同样的事情?最好是允许流保持平稳流动而不会在最后缓冲整个束
你检查过gulp-replace-task
吗?
类似的东西
[...]
.pipe(gulpSourcemaps.init())
.pipe(replace({
patterns: [{
match: '{{{appConfigObj}}}',
replacement: config
}],
usePrefix: false
})
.pipe(gulpUglify())
[...]
诚然,这感觉也有点笨拙,但可能会稍微好一点......我在 React 项目中使用 envify
和 gulp-env
。你可以做这样的事情。
gulpfile.js:
var config = require('config');
var envify = require('envify');
gulp.task('env', function () {
env({
vars: {
APP_CONFIG: JSON.stringify(config)
}
});
});
gulp.task('compile-js', ['env'], function () {
// ... replace `gulp-insert` with `envify`
});
厂:
angular.module('app')
.factory('appConfig', function () {
return process.env.APP_CONFIG;
});