https://github.com/kumavis/obj-multiplex

obj-multiplex多路复用

simple stream multiplexing for objectMode

其实就是一个多路复用流能够使用name来区分各个子流,以达到一个parent流下其实有多个子流在运行,可以通过多个子流来读入写出数据,效率更高。而且parent流结束了,则所有子流也会被销毁

usage

// create multiplexer
const mux = new ObjMultiplex() // setup substreams
const streamA = mux.createStream('hello')
const streamB = mux.createStream('world') // pipe over transport (and back)
mux.pipe(transport).pipe(mux) // send values over the substreams
streamA.write({ thisIsAn: 'object' })
streamA.write() // or pipe together normally
streamB.pipe(evilAiBrain).pipe(streamB)

obj-multiplex/index.js

const { Duplex } = require('readable-stream')
const endOfStream = require('end-of-stream')//看博客mafintosh/end-of-stream
const once = require('once')
const noop = () => {} const IGNORE_SUBSTREAM = {} class ObjectMultiplex extends Duplex { constructor(_opts = {}) {
const opts = Object.assign({}, _opts, {
objectMode: true,//流可传各类形式数据
})
super(opts)//生成这个流 this._substreams = {}
} createStream (name) {//就是创建两个流,一个是这个流,另一个是parent是这个流的一个子流,并返回子流
// validate name
if (!name) throw new Error('ObjectMultiplex - name must not be empty')//name不能为空
if (this._substreams[name]) throw new Error('ObjectMultiplex - Substream for name "${name}" already exists')//name不能重复 // create substream
const substream = new Substream({ parent: this, name: name })
this._substreams[name] = substream // listen for parent stream to end
anyStreamEnd(this, (err) => {//定义当parent流结束,则相应的所有子流也要被销毁
substream.destroy(err)//substream被destroy,如果出错返回的错误信息即err
}) return substream
} // ignore streams (dont display orphaned data warning)
ignoreStream (name) {//就是将之前创建的name的子流的内容清空
// validate name
if (!name) throw new Error('ObjectMultiplex - name must not be empty')
if (this._substreams[name]) throw new Error('ObjectMultiplex - Substream for name "${name}" already exists')
// set
this._substreams[name] = IGNORE_SUBSTREAM
} // stream plumbing
//下面就是parent流能够做的一系列读写操作
_read () {} _write(chunk, encoding, callback) {//当调用 writable.write(chunk) 时,数据会被缓冲在可写流中。
// parse message,就是当parent流write时,将根据其传入的name来决定该数据是写到哪个子流上的
const name = chunk.name
const data = chunk.data
if (!name) {//name不能为空,否则不知道是哪个子流
console.warn(`ObjectMultiplex - malformed chunk without name "${chunk}"`)
return callback()
} // get corresponding substream
const substream = this._substreams[name]//然后根据name得到子流
if (!substream) {//如果为空则warn
console.warn(`ObjectMultiplex - orphaned data for stream "${name}"`)
return callback()
} // push data into substream
if (substream !== IGNORE_SUBSTREAM) {//只有当子流不为{}时,才将data压入
substream.push(data)//当调用 stream.push(chunk) 时,数据会被缓冲在可读流中。 如果流的消费者没有调用 stream.read(),则数据会保留在内部队列中直到被消费
} callback()
}//_write }//class class Substream extends Duplex { constructor ({ parent, name }) {
super({
objectMode: true,
}) this._parent = parent
this._name = name
} _read () {}//读入的操作即Duplex的定义 _write (chunk, enc, callback) {//当子流被写入时,其实是将数据压入流parent中
this._parent.push({
name: this._name,
data: chunk,
})
callback()//然后调用回调函数
} } module.exports = ObjectMultiplex // util function anyStreamEnd(stream, _cb) {//就是当stream结束的时候就会调用cb回调函数
const cb = once(_cb)
endOfStream(stream, { readable: false }, cb)
endOfStream(stream, { writable: false }, cb)
}

通过测试学习该库的使用:

obj-multiplex/test/index.js

const test = require('tape')
const once = require('once')
const { PassThrough, Transform } = require('readable-stream')//PassThrough本质也是Transform流,是最简单的Transform流,只是将数据从此处传过
// a passthrough stream.
// basically just the most minimal sort of Transform stream.
// Every written chunk gets output as-is
const endOfStream = require('end-of-stream')
const pump = require('pump')
const ObjMultiplex = require('../index.js') test('basic - string', (t) => {
t.plan() const {
inTransport, outTransport,
inMux, outMux,
inStream, outStream,
} = basicTestSetup() bufferToEnd(outStream, (err, results) => {
t.error(err, 'should not error')
t.deepEqual(results, ['haay', 'wuurl'], 'results should match')
t.end()
}) // pass in messages
inStream.write('haay')
inStream.write('wuurl') // simulate disconnect
setTimeout(() => inTransport.destroy())
}) test('basic - obj', (t) => {
t.plan() const {
inTransport, outTransport,
inMux, outMux,
inStream, outStream,
} = basicTestSetup() bufferToEnd(outStream, (err, results) => {
t.error(err, 'should not error')
t.deepEqual(results, [{ message: 'haay' }, { message: 'wuurl' }], 'results should match')
t.end()
}) // pass in messages
inStream.write({ message: 'haay' })
inStream.write({ message: 'wuurl' }) // simulate disconnect
setTimeout(() => inTransport.destroy())
}) test('roundtrip', (t) => {
t.plan() const {
inTransport, outTransport,
inMux, outMux,
inStream, outStream,
} = basicTestSetup() const doubler = new Transform({
objectMode: true,
transform (chunk, end, callback) {//对流内数据进行*2计算
// console.log('doubler!', chunk)
const result = chunk *
callback(null, result)
}
}) pump(//即将从outStream处得到的数据进行*2处理后再传回outStream
outStream,
doubler,
outStream
) bufferToEnd(inStream, (err, results) => {
t.error(err, 'should not error')
t.deepEqual(results, [, ], 'results should match')
t.end()
}) // pass in messages
inStream.write()
inStream.write() // simulate disconnect
setTimeout(() => outTransport.destroy(), )
}) // util function basicTestSetup() { // setup multiplex and Transport
const inMux = new ObjMultiplex()//定义了两个parent流
const outMux = new ObjMultiplex()
const inTransport = new PassThrough({ objectMode: true })
const outTransport = new PassThrough({ objectMode: true }) // setup substreams
const inStream = inMux.createStream('hello')//分别在两个parent流中各自定义一个name为hello的子流
const outStream = outMux.createStream('hello') pump(//形成一个pipe流
inMux,
inTransport,
outMux,
outTransport,
inMux
) return {
inTransport, outTransport,
inMux, outMux,
inStream, outStream,
} } function bufferToEnd(stream, callback) {
const results = []
endOfStream(stream, (err) => callback(err, results))//定义了流结束后的回调
stream.on('data', (chunk) => results.push(chunk))//并监听data事件,用于将数据压入流
}

kumavis/obj-multiplex的更多相关文章

  1. obj.style.z-index的正确写法

    obj.style.z-index的正确写法 今天发现obj.style.z-index在js里面报错,后来才知道在js里应该把含"-"的字符写成驼峰式,例如obj.style.z ...

  2. CSharpGL(9)解析OBJ文件并用CSharpGL渲染

    CSharpGL(9)解析OBJ文件并用CSharpGL渲染 2016-08-13 由于CSharpGL一直在更新,现在这个教程已经不适用最新的代码了.CSharpGL源码中包含10多个独立的Demo ...

  3. BeanUtils.populate(obj, map);

    public static void populate(Object bean, Map<String, ? extends Object> properties) throws Ille ...

  4. VC++ : error LNK2005: ... already defined in *.obj

    今天写代码遇到了这么一个链接错误:"已经在*.obj中定义". error LNK2005: "void __cdecl ReplaceWstringVar(class ...

  5. 111. for(元素变量x:遍历对象obj)

    package com.chongrui.test;/* * for(元素变量x:遍历对象obj){ * 引用X的java语句 *  * } *  *  * */public class test { ...

  6. 让Git忽略所有obj和bin目录的同步

    DotNet的项目里,编译出来的二进制文件默认都是放在每个项目对应的bin和obj目录下,有时候开发人员会不小心把这些目录的文件错误的提交到Git服务器.Git里的忽略文件功能可以通过一个.gitig ...

  7. make: *** [out/host/linux-x86/obj/EXECUTABLES/aidl_intermediates/aidl] 错误 1,make: *** [out/host/linux-x86/obj/lib/libESR_Portable.so] 错误 1

    错误3: g++: g++: selected multilib '32' not installed selected multilib '32' not installed make: *** [ ...

  8. obj转json

    .js模型(JSON)的获取 方法一: 1.安装Python插件.安装完后配置环境变量,path中添加Python路径. 2.找到three.js\utils\converters\obj\conve ...

  9. three.js加载obj模型

    <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Strict//EN" "http://www.w3.org/TR/xht ...

随机推荐

  1. 互联网推送服务原理:长连接+心跳机制(MQTT协议)

    互联网推送消息的方式很常见,特别是移动互联网上,手机每天都能收到好多推送消息,经过研究发现,这些推送服务的原理都是维护一个长连接(要不不可能达到实时效果),但普通的socket连接对服务器的消耗太大了 ...

  2. CTE(公用表表达式)

    -> 将复杂的派生表写在中间from子句中变得十分臃肿,给为维护等操作带来麻烦 -> 将这个派生表要是能提前到前面,给一个别名,后面查询的时候直接使用别名即可语法: with 表的别名 a ...

  3. jQuery 【事件】【dom 操作】

    事件  hover( function(){},function(){})   --  鼠标移入移出事件   toggle(function(){},function(){},function(){} ...

  4. [PHP]算法-替换空格的PHP实现

    替换空格: 请实现一个函数,将一个字符串中的每个空格替换成“%20”.例如,当字符串为We Are Happy.则经过替换之后的字符串为We%20Are%20Happy. 思路: 1.先循环一遍,找出 ...

  5. Java开发中json使用,各对象与json相互转换

    Json:一种网络通信使用的数据格式,因为便于解析,比较流行,对象可以转为json,同样json也可以转对象. 下面介绍下Json工具的简单使用(fastjson && jackson ...

  6. 【pygame游戏编程】第一篇-----创建一个窗口

    下面我们一起来创建一个背景为蓝色的窗口作为游戏编程的开始: import sys import pygame def creat_screen(): #初始化pygame pygame.init() ...

  7. √n求单值欧拉函数

    基本定理: 首先看一下核心代码: 核心代码 原理解析: 当初我看不懂这段代码,主要有这么几个问题: 1.定理里面不是一开始写了一个n*xxx么?为什么代码里没有*n? 2.ans不是*(prime[i ...

  8. 在vue中赋值的路径没有被编译

    当我们跑起来的时候,f12会看到相对路径,但是此时会报错,说找不到图片,这时候有其中一个办法,直接 require进去. 这时候就可以成功显示图片,但是路径会不一样,因为编译出来. 至于如何props ...

  9. JAVA 和.NET在安全功能的比较

    以下转载于: http://www.it28.cn/ASPNET/825159.html 本文根据Denis Piliptchouk的文章翻译.摘录而来,有些术语翻译不太好理解,还请参考原文. 第一部 ...

  10. Python 关于Python函数参数传递方式的一点探索

    关于Python函数参数传递方式的一点探索 by:授客 QQ:1033553122 实践代码 #!/usr/bin/env python # -*- coding:utf-8 -*- __author ...