在默认情况下引用两个gulp任务

时间:2015-02-17 23:05:38

标签: css gulp gulp-less gulp-concat

我有一个gulp'默认'我想在gulp继续构建我的缩小的CSS和JS之前清理文件夹的任务。这个'清洁'每个默认任务只需要运行一次任务。但是我在尝试使用默认任务来引用真正的构建任务时遇到了问题。 所以这是我的gulpfile:

    var gulp = require('gulp');

    // including our plugins
    var clean = require('gulp-clean');
    var less = require('gulp-less');
    var util = require('gulp-util');
    var lsourcemaps = require('gulp-sourcemaps');
    var rename = require('gulp-rename');
    var filesize = require('gulp-filesize');
    var ugly = require('gulp-uglify');
    var path = require('path');
    var plumber = require('gulp-plumber');
    var minifyCSS = require('gulp-minify-css');
    var concat = require('gulp-concat');
    // DEFAULT TASK
    gulp.task('default', ['clean'], function() {
    .pipe(gulp.task('vendor'))
    .pipe(gulp.task('css'))
});
    // strips public folder for a build operation nice and clean ** obliterates! **
    gulp.task('clean', function() {
        return gulp.src('public/**', {read: false})
        .pipe(clean());
    });
    // javascript vendor builds
    gulp.task('vendor', function() {
        return gulp.src(['bower_comps/angular/angular.js', 'bower_comps/angular-bootstrap/ui-bootstrap.js', 'bower_comps/angular-bootstrap/ui-bootstrap-tpls.js'])
        //.pipe(filesize())
        .pipe(ugly())
        .pipe(concat('vendor.min.js'))
        .pipe(gulp.dest('public/js'))
    });
    // builds CSS
    gulp.task('css', function() {
        return gulp.src('bower_comps/bootstrap-less/less/bootstrap.less')
        .pipe(lsourcemaps.init())
        .pipe(plumber({
            errorHandler: function(err) {
                console.log(err);
                this.emit('end')
            }
        }))
        .pipe(less({
            paths: [path.join(__dirname, 'less', 'includes')]
        }))
        .pipe(minifyCSS())
        .pipe(rename('site.min.css'))
        .pipe(lsourcemaps.write('./maps'))
        .pipe(gulp.dest('public/css/'))
        .pipe(filesize())
    });

那么我怎么会这样呢?每个单独的任务都将自行运行,并且#34; gulp css"" gulp vendor"。就在我将它们放入默认任务(主任务)时,使用了先决条件'我清理的任务,我遇到了问题。

2 个答案:

答案 0 :(得分:7)

尝试以下任务:

gulp.task('clean', function() {
    // Insert cleaning code here
});

gulp.task('vendor', ['clean'], function() {
    // Insert your 'vendor' code here
});

gulp.task(‘css’, ['clean'], function() {
    // insert your 'css' code here
});

gulp.task('build', [‘vendor’, ‘css’]);

gulp.task('default', ['build']);

'vendor'和'css'将在'clean'完成后同时运行。 “干净”只会运行一次,尽管它是'供应商'和'css'的先决条件。

答案 1 :(得分:1)

问题是当你调用默认任务时,gulp会随机选择任务的顺序:

gulp.task('default', ['clean', 'move', 'scripts', 'css']);

要解决此问题,每个任务都应具有依赖关系。例如,应在清理任务之后执行move任务。所以move taks应该是这样的:

gulp.task('move', ['clean'], function () { //your code }

了解更多解释:https://github.com/gulpjs/gulp/blob/master/docs/API.md#gulptaskname-deps-fn

抱歉我的英语不好: - )