如何关闭没有更多数据要在node.js中发送的流?

时间:2013-11-14 13:54:36

标签: node.js stream node.js-stream

我正在使用node.js并通过打开/ dev / tty文件从串口读取输入,我发送命令并读取命令的结果,我想在读取和解析后关闭流所有数据。我知道我已经完成了数据标记的读取和结束。我发现一旦我关闭了流,我的程序就不会终止。

下面是我看到的一个示例,但使用/ dev / random来缓慢生成数据(假设您的系统没有做太多工作)。我发现,一旦设备在流关闭后生成数据,该过程将终止。

var util = require('util'),
    PassThrough = require('stream').PassThrough,
    fs = require('fs');

// If the system is not doing enough to fill the entropy pool
// /dev/random will not return much data.  Feed the entropy pool with :
//  ssh <host> 'cat /dev/urandom' > /dev/urandom
var readStream = fs.createReadStream('/dev/random');
var pt = new PassThrough();

pt.on('data', function (data) {
    console.log(data)
    console.log('closing');
    readStream.close();  //expect the process to terminate immediately
});

readStream.pipe(pt);

更新:1

我回到这个问题并且有另一个样本,这个只使用一个pty并且很容易在节点repl中重现。登录2个终端并在下面的createReadStream调用中使用你没有运行节点的终端的pty。

var fs = require('fs');
var rs = fs.createReadStream('/dev/pts/1'); // a pty that is allocated in another terminal by my user
//wait just a second, don't copy and paste everything at once
process.exit(0);

此时节点将挂起而不退出。这是在10.28。

2 个答案:

答案 0 :(得分:1)

而不是使用

readStream.close(), 

尝试使用

readStream.pause().

但是,如果您使用的是最新版本的节点,请使用isaacs从stream模块创建的对象包装readstream,如下所示:

var Readable = require('stream').Readable;
var myReader = new Readable().wrap(readStream);

然后使用myReader代替readStream。

祝你好运!告诉我这是否有效。

答案 1 :(得分:-1)

您正在关闭/dev/random流,但您仍然可以在传递中找到'data'事件的监听器,这将使应用保持运行直到传递关闭。

我猜测读取流中有一些缓冲数据,直到刷新后才会关闭传递。但这只是猜测。

要获得所需的行为,您可以删除传递中的事件侦听器,如下所示:

pt.on('data', function (data) {
  console.log(data)
  console.log('closing');

  pt.removeAllListeners('data');
  readStream.close();
});