|
|
|
'use strict';
|
|
|
|
var common = require('../common');
|
|
|
|
var assert = require('assert');
|
|
|
|
var stream = require('stream');
|
|
|
|
|
|
|
|
if (!common.hasCrypto) {
|
|
|
|
console.log('1..0 # Skipped: missing crypto');
|
|
|
|
return;
|
|
|
|
}
|
|
|
|
var crypto = require('crypto');
|
|
|
|
|
|
|
|
var util = require('util');
|
|
|
|
|
|
|
|
function TestWriter() {
|
|
|
|
stream.Writable.call(this);
|
|
|
|
}
|
|
|
|
util.inherits(TestWriter, stream.Writable);
|
|
|
|
|
|
|
|
TestWriter.prototype._write = function(buffer, encoding, callback) {
|
|
|
|
console.log('write called');
|
|
|
|
// super slow write stream (callback never called)
|
|
|
|
};
|
|
|
|
|
|
|
|
var dest = new TestWriter();
|
|
|
|
|
|
|
|
function TestReader(id) {
|
|
|
|
stream.Readable.call(this);
|
|
|
|
this.reads = 0;
|
|
|
|
}
|
|
|
|
util.inherits(TestReader, stream.Readable);
|
|
|
|
|
|
|
|
TestReader.prototype._read = function(size) {
|
|
|
|
this.reads += 1;
|
stream: There is no _read cb, there is only push
This makes it so that `stream.push(chunk)` is the only way to signal the
end of reading, removing the confusing disparity between the
callback-style _read method, and the fact that most real-world streams
do not have a 1:1 corollation between the "please give me data" event,
and the actual arrival of a chunk of data.
It is still possible, of course, to implement a `CallbackReadable` on
top of this. Simply provide a method like this as the callback:
function readCallback(er, chunk) {
if (er)
stream.emit('error', er);
else
stream.push(chunk);
}
However, *only* fs streams actually would behave in this way, so it
makes not a lot of sense to make TCP, TLS, HTTP, and all the rest have
to bend into this uncomfortable paradigm.
12 years ago
|
|
|
this.push(crypto.randomBytes(size));
|
|
|
|
};
|
|
|
|
|
|
|
|
var src1 = new TestReader();
|
|
|
|
var src2 = new TestReader();
|
|
|
|
|
|
|
|
src1.pipe(dest);
|
|
|
|
|
|
|
|
src1.once('readable', function() {
|
|
|
|
process.nextTick(function() {
|
|
|
|
|
|
|
|
src2.pipe(dest);
|
|
|
|
|
|
|
|
src2.once('readable', function() {
|
|
|
|
process.nextTick(function() {
|
|
|
|
|
|
|
|
src1.unpipe(dest);
|
|
|
|
});
|
|
|
|
});
|
|
|
|
});
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
|
|
process.on('exit', function() {
|
|
|
|
assert.equal(src1.reads, 2);
|
|
|
|
assert.equal(src2.reads, 2);
|
|
|
|
});
|