Node流Stream

fs模块就是基于stream的

可读流

// 官方用法
let rs = fs.createReadStream('./temp/1.txt', { // 官方的
  flags: 'r',
  encoding: null,
  mode: 0o666,
  autoClose: true,
  start: 0,         // 读的起点
  highWaterMark: 2, // 每读一下的大小
  end: 4            // 读的终点;包前又包后,读5个
})
rs.on('open', fd => {
  console.info('触发open', fd)
})
let temp = setInterval(() => { clearInterval(temp); rs.resume(); }, 1000)
rs.on('data', data => {
  console.info('data:', data.toString())
  rs.pause()
})
rs.on('end', () => {
  console.info('触发end')
})
rs.on('close', () => {
  console.info('触发close')
})

自己实现一个readstream

  • 有on方法,基于events事件
  • 流一创建,马上触发open事件(马上打开文件)
  • 订阅了data事件(且文件已打开)之后,再开始读操作。基于newListener
  • 每次读出数据后,触发data事件
  • 读取位置到达end(如果有的话)后,触发end事件
  • 读完(到达end或文件结尾)后,如果autoClose==true,触发close事件
  • 有pause事件,暂停读取
  • 有resume事件,恢复读取
let events = require('events')
class myReadStream extends events {
  constructor (dir, option) {
    super()
    this.flags = option.flags || 'r'
    this.encoding = option.encoding
    this.mode = option.mode || 0o666
    this.autoClose = option.autoClose || true
    this.start = option.start || 0
    this.end = option.end || Infinity
    this.highWaterMark = option.highWaterMark || 64 * 1024  // 默认16k
    this.fd = option.fd

    this.read_state = 0   // 1已打开 2已on-data 3可读 4暂停 5结束
    this.position = this.start
    if (!this.fd) {
      this.open(dir)
    } else {
      this.read_state = 1
    }

    this.on('newListener', type => {
      if (type == 'data') {
        this.read_state += 2
        this.read()
      }
    })
  }

  open (dir) {
    fs.open(dir, this.flags, (err, fd) => {
      if (err) return new Error('文件不存在')
      this.fd = fd
      this.emit('open', fd)

      this.read_state += 1
      this.read()
    })
  }
  close () {
    this.read_state = 5
    this.emit('end')
    if (this.autoClose) {
      fs.close(this.fd, () => this.emit('close'))
    }
  }

  read () {
    if (this.read_state != 3) return
    
    let buf = Buffer.alloc(this.highWaterMark)
    let how_mach_to_read = Math.min(this.highWaterMark, this.end - this.position + 1)
    fs.read(this.fd, buf, 0, how_mach_to_read, this.position, (err, bytesRead) => {
      if (err) return new Error(err)

      this.push(buf, bytesRead)
      this.position += bytesRead
      if (bytesRead == this.highWaterMark) {
        this.read()
      } else {
        this.close()
      }
      // console.info(bytesRead, buf.toString('utf8'))
    })
  }
  push (buf, bytesRead) { 
    if (!bytesRead) return
    if (bytesRead != this.highWaterMark){
      buf = buf.subarray(0, bytesRead)
    }
    this.emit('data', this.encoding ? buf.toString(this.encoding): buf)
  }

  pause () {
    if (this.read_state == 3) this.read_state = 4
  }
  resume () {
    console.log('resume', this.read_state)
    if (this.read_state == 4) {
      this.read_state = 3
      this.read()
    }
  }

}


// 自己的
let rs = new myReadStream('./temp/1.txt', {})   

可写流

let ws = fs.createWriteStream('./temp/1.txt', { // 官方的 
  flags: 'w',
  encoding: null,
  mode: 0o666,
  autoClose: true,
  start: 0,
  highWaterMark: 2  // 所有write的累加
})
ws.on('open', fd => {
  console.info('触发open', fd)
})
ws.on('drain', data => {
  console.info('drain:', data)
})
ws.on('finish', () => {
  console.info('触发finish')
})
ws.on('close', () => {
  console.info('触发close')
})

// 返回值:写入字节数是否在highWaterMark内
let isunfull = ws.write('111', err => console.log('done 111')) 
console.log(444444,isunfull)
isunfull = ws.write('222', err => console.log('done 222'))
console.log(444444,isunfull)
isunfull = ws.write('333', err => console.log('done 333'))
console.log(444444,isunfull)

// ws.end('结束')  // 调用了end就不执行drain了

自己实现一个writestream

  • 有on方法,基于events事件
  • 流一创建,马上触发open事件(马上打开文件)
  • write方法入参:内容、编码、回调
  • write方法出参:(所有的write累加的)调用字节数 < highWaterMark
  • 写入字节数 > highWaterMark,触发drain事件
  • 有end方法,被调用后不再响应write方法,
    所有内容写入文件后,触发finish事件
      如果autoClose==true,触发close事件
let events = require('events')
class myWriteStream extends events {
  constructor (dir, option) {
    super()
    this.flags = option.flags || 'w'
    this.encoding = option.encoding || 'utf8'
    this.mode = option.mode || 0o666
    this.autoClose = option.autoClose || true
    this.start = option.start || 0
    this.highWaterMark = option.highWaterMark || 64 * 1024  // 默认16k
    this.fd = option.fd
 
    this._cache = []            // 等待写入的数据
    this._cache_buf_length = 0  // 等待写入的字节数
    this._isend = false         // 是否已经调用end
    this.position = this.start
    if (!this.fd) {
      this.open(dir)
    }
  }

  open (dir) {
    fs.open(dir, this.flags, (err, fd) => {
      if (err) return new Error('文件不存在')
      this.fd = fd
      this.emit('open', fd)
    })
  }
  finish () {
    this.emit('finish')
    if (this.autoClose) {
      fs.close(this.fd, () => this.emit('close'))
    }
  }

  write (chunk, encoding = 'utf8', callback = ()=>{}) {
    if (this._isend) return
    
    if (!Buffer.isBuffer(chunk)) chunk = Buffer.from(chunk)
    this._cache.push({ chunk, callback })
    
    if (this._cache.length == 1) {
      this._write()
    }

    this._cache_buf_length += chunk.length
    return this._cache_buf_length < this.highWaterMark
  }
  _write () {
    if (!this.fd) {
      return this.once('open', () => this._write() )
    }

    let {chunk, callback, isend} = this._cache.shift()
    fs.write(this.fd, chunk, 0, chunk.length, this.position, (err, written) => {
      if (err) return new Error(err)

      callback()
      this.position += chunk.length
      if (this.position >= this.highWaterMark && this.highWaterMark > 0 && !this._isend) {
        this.emit('drain')
        this.highWaterMark = 0
      }
      if (this._cache.length) {
        this._write()
      } else if (this._isend) {
        this.finish()
      }
    })
  }

  end (...args) {
    this.write(...args)
    this._isend = true
  }
}

// 自己的
let ws = new myWriteStream('./temp/1.txt', {})

流的pipe 管道

// 读取1.txt写入2.txt
let rs = fs.createReadStream('./temp/1.txt', {})
let ws = fs.createWriteStream('./temp/2.txt', {})
rs.pipe(ws) 

自己来实现,在myReadStream类中添加pipe方法

  pipe (ws) {
    this.on('data', data => { ws.write(data) })
  }

官方createReadStream基于Readable 类;createWriteStream基于Writeable 类

双工流Duplex、转化流Transform与pipe的应用

// 读取1.txt并加密写入2.txt
let rs = fs.createReadStream('./temp/1.txt', {})
let ws = fs.createWriteStream('./temp/2.txt', {})

let crypto = require('crypto')
rs.pipe(crypto.createHash('md5')).pipe(ws)

.
crypto包

crypto.createHash('md5').update('123456').digest('base64')
// update可以直接加密buffer
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 204,921评论 6 478
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 87,635评论 2 381
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 151,393评论 0 338
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 54,836评论 1 277
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 63,833评论 5 368
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 48,685评论 1 281
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 38,043评论 3 399
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 36,694评论 0 258
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 42,671评论 1 300
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 35,670评论 2 321
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 37,779评论 1 332
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 33,424评论 4 321
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 39,027评论 3 307
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 29,984评论 0 19
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 31,214评论 1 260
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 45,108评论 2 351
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 42,517评论 2 343

推荐阅读更多精彩内容