|
|
|
'use strict';
|
|
|
|
require('../common');
|
|
|
|
var assert = require('assert');
|
|
|
|
|
|
|
|
var Stream = require('stream');
|
|
|
|
var Readable = Stream.Readable;
|
|
|
|
|
|
|
|
var r = new Readable();
|
|
|
|
var N = 256;
|
|
|
|
var reads = 0;
|
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
|
|
|
r._read = function(n) {
|
|
|
|
return r.push(++reads === N ? null : Buffer.allocUnsafe(1));
|
|
|
|
};
|
|
|
|
|
|
|
|
var rended = false;
|
|
|
|
r.on('end', function() {
|
|
|
|
rended = true;
|
|
|
|
});
|
|
|
|
|
|
|
|
var w = new Stream();
|
|
|
|
w.writable = true;
|
|
|
|
var writes = 0;
|
|
|
|
var buffered = 0;
|
|
|
|
w.write = function(c) {
|
|
|
|
writes += c.length;
|
|
|
|
buffered += c.length;
|
|
|
|
process.nextTick(drain);
|
|
|
|
return false;
|
|
|
|
};
|
|
|
|
|
|
|
|
function drain() {
|
|
|
|
assert(buffered <= 3);
|
|
|
|
buffered = 0;
|
|
|
|
w.emit('drain');
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
|
|
var wended = false;
|
|
|
|
w.end = function() {
|
|
|
|
wended = true;
|
|
|
|
};
|
|
|
|
|
|
|
|
// Just for kicks, let's mess with the drain count.
|
|
|
|
// This verifies that even if it gets negative in the
|
|
|
|
// pipe() cleanup function, we'll still function properly.
|
|
|
|
r.on('readable', function() {
|
|
|
|
w.emit('drain');
|
|
|
|
});
|
|
|
|
|
|
|
|
r.pipe(w);
|
|
|
|
process.on('exit', function() {
|
|
|
|
assert(rended);
|
|
|
|
assert(wended);
|
|
|
|
console.error('ok');
|
|
|
|
});
|