4

私は次のものを持っていますgulpfile

gulp.task('browserify', function() {
    bundle(false);
});

gulp.task('browserify-watch', function() {
    bundle(true);
});

function bundle (performWatch) {
    var bify = (performWatch === true
        ? watchify(browserify(finalBrowserifyOptions))
        : browserify(finalBrowserifyOptions));

    if (performWatch) {
        bify.on('update', function () {
            console.log('Updating project files...');
            rebundle(bify);
        });
    }

    bify.transform(babelify.configure({
        compact: false
    }));

    function rebundle(bify) {
        return bify.bundle()
            .on('error', function () {
                plugins.util.log('Browserify error');
            })
            .pipe(source('bundle.js'))
            .pipe(buffer())
            .pipe(plugins.sourcemaps.init({loadMaps: true}))
            .pipe(plugins.sourcemaps.write('./')) 
            .pipe(gulp.dest(paths.build + assets.js));
    }

    return rebundle(bify);
}

問題は、それがgulp browserifyうまく機能することです。ただし、gulp browserify-watch変更は検出されますが、出力は更新されません。

私は何を間違っていますか?

4

2 に答える 2

1

ファイル変更の検出で同じwatchifyの失敗に遭遇しました(gulpとgruntの両方で)。ただし、CLI watchify は期待どおりに動作します。例えば:

watchify ./src/app.js -t babelify --outfile ./build/bundle.js -v

現在、 browserify-incrementalに切り替えました。watchify アプローチに関しては、視点が異なります。これは、Githubページからの段落であり、それを最もよく表しています。

browserify-incremental は、実行の間に発生した変更を検出できます。つまり、長時間のプロセスを必要とせずに、オンデマンドで呼び出されるビルド システムの一部として使用できます。watchify は各起動時の最初の実行では遅いのに対し、browserify-incremental は最初の実行後は毎回高速です。

browserify-incremental を利用するための「翻訳された」CLI コマンドは次のとおりです。

browserifyinc ./src/app.js -t babelify --outfile ./build/bundle.js -v

これは、監視と[再]バンドルのための単純な gulpfile.js スクリプトです。

var gulp = require('gulp');
var sourcemaps = require('gulp-sourcemaps');
var source = require('vinyl-source-stream');
var buffer = require('vinyl-buffer');
var browserify = require('browserify');
var babel = require('babelify');
var browserifyInc = require('browserify-incremental');

var bundleApp = function() {
  var browserifyObj = browserify('./src/app.js', { debug: false, cache: {}, packageCache: {}, fullPaths: true }).transform(babel);
  var bundler = browserifyInc(browserifyObj,  {cacheFile: './browserify-cache.json'});

  bundler.on('time', function (time) {
    console.log('-> Done in ' + time/1000 + ' ms');
  });

  console.log('-> Bundling...');

  bundler.bundle()
    .on('error', function(err) { console.error(err); this.emit('end'); })
    .pipe(source('bundle.js'))
    .pipe(buffer())
    .pipe(sourcemaps.init({ loadMaps: true }))
    .pipe(sourcemaps.write('./'))
    .pipe(gulp.dest('./build'));
};


gulp.task('browserify', function () {
  gulp.watch('./src/**/*.js', function () {
    return bundleApp();
  });
});


gulp.task('default', ['browserify']);
于 2015-09-05T20:05:32.400 に答える