Welcome to the Treehouse Community
Want to collaborate on code errors? Have bugs you need feedback on? Looking for an extra set of eyes on your latest project? Get support with fellow developers, designers, and programmers of all backgrounds and skill levels here with the Treehouse Community! While you're at it, check out some resources Treehouse students have shared here.
Looking to learn something new?
Treehouse offers a seven day free trial for new students. Get access to thousands of hours of content and join thousands of Treehouse students and alumni in the community today.
Start your free trialmrben
8,068 PointsTask dependencies - concatScripts then minifyScripts
I wanted to add a task dependency to minifyScripts
so that concatScripts
was run first. I understand that the tasks should run in series so that I can create app.js
first then create app.min.js
afterwards.
However, if app.js
isn't present it is created by concatScripts
but minifyScripts
fails to create app.min.js
. If I run gulp minifyScripts
a second time app.min.js
is created.
Why is minifyScripts
failing to minify app.js
? Is this a flushing issue with the file not being saved to disk in time? If so, is there a way to force the write to disk?
Here's my gulpfile.js
:
"use strict";
var gulp = require('gulp'),
concat = require('gulp-concat'),
uglify = require('gulp-uglify'),
rename = require('gulp-rename');
gulp.task("concatScripts", function() {
gulp.src([
'js/jquery.js',
'js/sticky/jquery.sticky.js',
'js/main.js'
])
.pipe(concat('app.js'))
.pipe(gulp.dest('js'));
});
gulp.task("minifyScripts", ["concatScripts"], function() {
gulp.src("js/app.js")
.pipe(uglify())
.pipe(rename('app.min.js'))
.pipe(gulp.dest('js'));
});
Thanks.
1 Answer
mrben
8,068 PointsAh, this is answered later on in Putting Multiple Tasks Together.
The answer is to make your tasks return
the stream which causes them to run in series.
E.g.
"use strict";
var gulp = require('gulp'),
concat = require('gulp-concat'),
uglify = require('gulp-uglify'),
rename = require('gulp-rename'),
sass = require('gulp-sass'),
maps = require('gulp-sourcemaps');
gulp.task("concatScripts", function() {
return gulp.src([
'js/jquery.js',
'js/sticky/jquery.sticky.js',
'js/main.js'
])
.pipe(maps.init())
.pipe(concat('app.js'))
.pipe(maps.write('./'))
.pipe(gulp.dest('js'));
});
gulp.task("minifyScripts", ["concatScripts"], function() {
return gulp.src("js/app.js")
.pipe(uglify())
.pipe(rename('app.min.js'))
.pipe(gulp.dest('js'));
});
gulp.task('compileSass', function() {
return gulp.src("scss/application.scss")
.pipe(maps.init())
.pipe(sass())
.pipe(maps.write('./'))
.pipe(gulp.dest('css'));
})
gulp.task("build", ["minifyScripts", "compileSass"]);