Задачи Gulp работают в одиночку, но не в режиме просмотра

Я разрабатываю инструмент CLI, работающий на node.js. Я пытаюсь настроить свою среду для tdd, но мне трудно сделать это с помощью gulp.

Все мои «автономные» задачи из gulp работают. Они здесь:

Задание сборки:

var tsProject = ts.createProject({
    declarationFiles: true,
    noEmitOnError: true,
    module: 'commonjs',
    target: 'es5',
    sortOutput: true,
    typescript: require('typescript') //usefull during typescript 1.5 alpha
});

gulp.task('build', function() {
    var tsResult = gulp.src([
       PATHS.lib + '/**/*.ts'
    ])
    .pipe(sourcemaps.init())
    .pipe(ts(tsProject));

    return merge([ // Merge the two output streams, so this task is finished when the IO of both operations are done.
        tsResult.dts.pipe(gulp.dest(PATHS.build + '/definitions')),
        tsResult.js
        .pipe(sourcemaps.write())
        .pipe(gulp.dest(PATHS.build + '/js'))
    ]);
});

Тестовое задание:

gulp.task('test', ['build'], function () {
    return gulp.src(PATHS.test + '/**/*.js', {read: false})
    .pipe(mocha({
        reporter: 'spec',
        globals: {
            should: require('should'),
            sinon: require('sinon'),
            mockery: require('mockery')
        }
    }))
    .on('error', gutil.log);
});

Как видите, у меня есть одна задача, которая собирает мои машинописные файлы в совместимые с es5 js. И еще одна задача, запускающая мои тесты с прецедентной сборкой.

Если я управляю ими один. Оно работает.

Я попытался добавить режим просмотра:

сборка:смотреть:

gulp.task('build:watch', ['build'], function() {
   gulp.watch([
       PATHS.lib + '/**/*.ts'
   ], ['build']);
});

тест:смотреть:

gulp.task('test:watch', ['test'], function () {
    gulp.watch([
       PATHS.lib + '/**/*.ts',
       PATHS.test + '/**/*.js'
    ], ['test']);
});

build:watch работает. Каждый раз, когда я редактирую файл машинописного текста, запускается задача сборки и перестраивает мой проект. (Здесь это не очень актуально, потому что сборка триггера тестового задания. Просто хочу сказать, что этот режим просмотра работает)

test:watch не работает. Первая итерация (вызванная зависимостью задачи) работает, но когда я редактирую файл машинописного текста или тестовый файл, я получаю эту ошибку:

{ [TypeError: Cannot read property 'defaultEncoding' of undefined]
  domain:
   { domain: null,
     _events: { error: [Function: handleException] },
     _maxListeners: undefined,
     members: [] },
  domainThrown: true,
  name: 'TypeError',
  message: 'Cannot read property \'defaultEncoding\' of undefined',
  stack: 'TypeError: Cannot read property \'defaultEncoding\' of undefined\n    at DestroyableTransform.Writable.write (/Users/thomashourlier/Documents/Work/jsProjects/hawker/node_modules/gulp/node_modules/vinyl-fs/node_modules/through2/node_modules/readable-stream/lib/_stream_writable.js:186:21)\n    at Glob.<anonymous> (/Users/thomashourlier/Documents/Work/jsProjects/hawker/node_modules/gulp/node_modules/vinyl-fs/node_modules/glob-stream/index.js:44:14)\n    at Glob.emit (events.js:107:17)\n    at Glob._emitMatch (/Users/thomashourlier/Documents/Work/jsProjects/hawker/node_modules/gulp/node_modules/vinyl-fs/node_modules/glob-stream/node_modules/glob/glob.js:457:8)\n    at Glob._processReaddir2 (/Users/thomashourlier/Documents/Work/jsProjects/hawker/node_modules/gulp/node_modules/vinyl-fs/node_modules/glob-stream/node_modules/glob/glob.js:405:12)\n    at /Users/thomashourlier/Documents/Work/jsProjects/hawker/node_modules/gulp/node_modules/vinyl-fs/node_modules/glob-stream/node_modules/glob/glob.js:345:17\n    at RES (/Users/thomashourlier/Documents/Work/jsProjects/hawker/node_modules/gulp/node_modules/vinyl-fs/node_modules/glob-stream/node_modules/glob/node_modules/inflight/inflight.js:23:14)\n    at /Users/thomashourlier/Documents/Work/jsProjects/hawker/node_modules/gulp/node_modules/vinyl-fs/node_modules/glob-stream/node_modules/glob/node_modules/inflight/inflight.js:30:13\n    at process._tickDomainCallback (node.js:381:11)',
  showStack: true,
  showProperties: true,
  plugin: 'gulp-mocha' }

И если хотите, вот стек gulp:

[10:58:24] Using gulpfile ~/Documents/Work/jsProjects/hawker/gulpfile.js
[10:58:24] Starting 'build'...
[10:58:25] Finished 'build' after 1.01 s
[10:58:25] Starting 'test'...


  Hawker
    ✓ should get the Logger
    ✓ should get the Parser
    ✓ should define a file loader
    ✓ should define a url loader
    ✓ should launch hawker

  FileLoader
    ✓ should be defined
    ✓ should get a configuration file

  Parser
    ✓ should be defined
    ✓ should parse configuration file


  9 passing (24ms)

[10:58:26] Finished 'test' after 98 ms
[10:58:26] Starting 'test:watch'...
[10:58:26] Finished 'test:watch' after 14 ms
[10:58:28] Starting 'build'...
[10:58:28] { [TypeError: Cannot read property 'defaultEncoding' of undefined] ...

Есть ли у вас предложения?


person Thomas Hourlier    schedule 20.04.2015    source источник


Ответы (1)


Хорошо, я нахожу проблему.

Я использую насмешки в своих модульных тестах и ​​забываю отключить их после некоторых тестов. Я просто добавляю в свои тестовые файлы:

 afterEach(function() {
    mockery.disable();
 });

Хорошего дня. Томас

person Thomas Hourlier    schedule 20.04.2015