我有文件流,在某个时候我需要暂停我的流,等待它完成并缓冲,然后继续。
例:
var eventStream = require('event-stream')
gulp.task('test', () => {
eventStream.readArray([1, 2, 3, 4, 5])
.pipe(gulpTap((data) => {
console.log('d1:', data);
}))
.pipe(gulpTap((data) => {
console.log('d2:', data);
}))
.on('end', function () {
console.log('ended');
});
})
印刷品:
d1 1
d2 1
d1 2
d2 2
d1 3
d2 3
结束了
当我希望它像:
d1 1
d1 2
d1 3
d2 1
d2 2
d2 3
原因是我想从一个对象的所有文件中收集一些数据,然后将其提供给其他对象,因此我需要在管道链中间进行某种同步
最佳答案
您可以在through2
的帮助下完成此操作,例如:
const eventStream = require('event-stream');
const through = require('through2');
gulp.task('test', () => {
const input = [];
eventStream.readArray([1, 2, 3, 4, 5])
.pipe(through.obj((data, enc, done) => {
// Save data and remove from stream
input.push(data);
console.log('d1:', data);
return done();
}, function(done) {
// Return "buffered" data back to stream
input.forEach(this.push.bind(this));
return done();
}))
.pipe(through.obj((data, enc, done) => {
console.log('d2:', data);
return done(null, data);
}))
.on('end', function () {
console.log('ended');
});
});
实际示例:https://github.com/sirlantis/gulp-order