我的目标是将最新的git提交附加到我的index.html
文件中。
以下任务成功返回最新的git哈希(使用gulp-git):
var git = require('gulp-git');
gulp.task('hash', function() {
git.revParse({args:'--short HEAD'}, function (err, hash) {
return hash;
});
});
以下任务构建我的HTML:
var inject = require('inject-string');
gulp.task('html', function () {
return gulp.src('app/index.html')
.pipe(inject.append('append git hash here!'))
.pipe(gulp.dest('dist'))
});
这会成功将字符串附加到index.html
,但如何将hash
任务的返回值注入html
?
答案 0 :(得分:6)
当然,您可以向哈希任务添加回调方法,以便将结果保存到变量中,以便在html任务中使用。 html任务也应该将哈希任务作为依赖项,这样哈希就不会被定义。另外,你应该使用类似gulp-cheerio之类的东西将哈希注入到输出中,这样你就不会在关闭的html标记之外附加哈希。
var gulp = require('gulp'),
git = require('gulp-git'),
cheerio = require('gulp-cheerio');
var gitHash;
gulp.task('hash', function(cb) {
return git.revParse({args:'--short HEAD'}, function(err, hash) {
gitHash = hash;
cb();
});
});
gulp.task('html', ['hash'], function() {
return gulp.src('app/index.html')
.pipe(cheerio(function($) {
$('body').append('<p>' + gitHash + '</p>');
}))
.pipe(gulp.dest('dist'));
});