var fs = require("fs");
var data = '';
// 创建可读流
var readerStream = fs.createReadStream('input.txt');
// 设置编码为 utf8。
readerStream.setEncoding('UTF8');
// 处理流事件 --> data, end, and error
readerStream.on('data', function(chunk) {
data += chunk;
});
readerStream.on('error', function(err){
console.log(err.stack);
});
//'readable' 事件将在流中有数据可供读取时触发
//当到达流数据尾部时, 'readable' 事件也会触发。触发顺序在 'end' 事件之前。
readerStream.on('readable', () => {
// 有一些数据可读了
});
readerStream.on('end',function(){
console.log(data);
});
console.log("程序执行完毕");
readable.pause()与readable.resume()
// 新建一个readable数据流
var readable = getReadableStreamSomehow();
readable.on('data', function(chunk) {
console.log('读取%d字节的数据', chunk.length);
readable.pause();
console.log('接下来的1秒内不读取数据');
setTimeout(function() {
console.log('数据恢复读取');
readable.resume();
}, 1000);
});
var fs = require("fs");
var data = 'hello world';
// 创建一个可以写入的流,写入到文件 output.txt 中
var writerStream = fs.createWriteStream('output.txt');
// 使用 utf8 编码写入数据
writerStream.write(data,'UTF8');
// 标记文件末尾
// 如有callback,在finish前调用
writerStream.end('',function(){});
// 处理流事件 --> data, end, and error
writerStream.on('finish', function() {
console.log("写入完成。");
});
writerStream.on('error', function(err){
console.log(err.stack);
});
console.log("程序执行完毕");
// 创建一个可读流
// new stream.Readable([options])
var readerStream = fs.createReadStream('input.txt');
// 创建一个可写流
var writerStream = fs.createWriteStream('output.txt');
// 当writerStream.write()返回false时,便会在合适的时机触发drain事件。
writerStream.on('drain',function(){
readerStream.resume(); // 数据已经写完,继续读取
console.log('drain');
});
// 管道读写操作
readerStream.on('data', function(chunk){
if(writerStream.write(chunk) === false){ // 尚未写完,停止读取
readerStream.pause();
}
});
// 读取 input.txt 文件内容,并将内容写入到 output.txt 文件中
readerStream.pipe(writerStream);
readable.pipe(writable);
setTimeout(function() {
console.log('停止写入file.txt');
readable.unpipe(writable);
console.log('手动关闭file.txt的写入数据流');
writable.end();
}, 1000);
readable.on('unpipe', function(src) {
//do ...
});
// 压缩 input.txt 文件为 input.txt.gz
fs.createReadStream('input.txt')
.pipe(zlib.createGzip())
.pipe(fs.createWriteStream('input.txt.gz'));
// 解压 input.txt.gz 文件为 input.txt
fs.createReadStream('input.txt.gz')
.pipe(zlib.createGunzip())
.pipe(fs.createWriteStream('input.txt'));