kumavis/obj-multiplex
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的更多相关文章
- obj.style.z-index的正确写法
obj.style.z-index的正确写法 今天发现obj.style.z-index在js里面报错,后来才知道在js里应该把含"-"的字符写成驼峰式,例如obj.style.z ...
- CSharpGL(9)解析OBJ文件并用CSharpGL渲染
CSharpGL(9)解析OBJ文件并用CSharpGL渲染 2016-08-13 由于CSharpGL一直在更新,现在这个教程已经不适用最新的代码了.CSharpGL源码中包含10多个独立的Demo ...
- BeanUtils.populate(obj, map);
public static void populate(Object bean, Map<String, ? extends Object> properties) throws Ille ...
- VC++ : error LNK2005: ... already defined in *.obj
今天写代码遇到了这么一个链接错误:"已经在*.obj中定义". error LNK2005: "void __cdecl ReplaceWstringVar(class ...
- 111. for(元素变量x:遍历对象obj)
package com.chongrui.test;/* * for(元素变量x:遍历对象obj){ * 引用X的java语句 * * } * * * */public class test { ...
- 让Git忽略所有obj和bin目录的同步
DotNet的项目里,编译出来的二进制文件默认都是放在每个项目对应的bin和obj目录下,有时候开发人员会不小心把这些目录的文件错误的提交到Git服务器.Git里的忽略文件功能可以通过一个.gitig ...
- 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: *** [ ...
- obj转json
.js模型(JSON)的获取 方法一: 1.安装Python插件.安装完后配置环境变量,path中添加Python路径. 2.找到three.js\utils\converters\obj\conve ...
- three.js加载obj模型
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Strict//EN" "http://www.w3.org/TR/xht ...
随机推荐
- LeetCode链表相加-Python<二>
上一篇:LeetCode两数之和-Python<一> 题目:https://leetcode-cn.com/problems/add-two-numbers/description/ 给定 ...
- 《Head First设计模式》批注系列(一)——观察者设计模式
最近在读<Head First设计模式>一书,此系列会引用源书内容,但文章内容会更加直接,以及加入一些自己的理解. 观察者模式(有时又被称为模型-视图(View)模式.源-收听者(List ...
- 汇编语言--微机CPU的指令系统(五)(数据传送指令)
五.微机CPU的指令系统 1.汇编语言指令格式 汇编语言的指令格式如下: 指令助忆符 [操作数1 [, 操作数2 [, 操作数3]]] [;注释] 指令助忆符体现该指令的功能,它对应一条二进制编码的机 ...
- SuperMap iObject .NET开发完成后私有部署,打包安装
转载自:http://blog.csdn.net/supermapsupport/article/details/53319800 作者:皇皇 SuperMap iObjict .NET组件开发结束后 ...
- Java并发编程(二)同步
在多线程的应用中,两个或者两个以上的线程需要共享对同一个数据的存取.如果两个线程存取相同的对象,并且每一个线程都调用了修改该对象的方法,这种情况通常成为竞争条件. 竞争条件最容易理解的例子就是:比如 ...
- Kotlin入门(13)类成员的众生相
上一篇文章介绍了类的简单定义及其构造方式,当时为了方便观察演示结果,在示例代码的构造函数中直接调用toast提示方法,但实际开发是不能这么干的.合理的做法是外部访问类的成员属性或者成员方法,从而获得处 ...
- LeetCode题解之Second Minimum Node In a Binary Tree
1.题目描述 2.问题分析 使用set. 3.代码 set<int> s; int findSecondMinimumValue(TreeNode* root) { dfs(root); ...
- sql 删除默认索引,对象 依赖于 列,由于一个或多个对象访问此列
declare @name varchar(50)select @name =b.name from sysobjects b join syscolumns aon b.id = a.cdefau ...
- 使用 Array2XML把数组转成XML格式,有相同的节点
最近开发一个项目,需要调用第三方的接口,第三方提供的数据是xml,我直接使用Array2XML把php数组转成XML格式. XML格式如: <root> <body> < ...
- Selenium 、WebDriver :Capability
Selenium | WebDriver Capability 内容摘要: 1.WebDriver 通用配置 2.RemoteWebDriver特有配置 3.Grid特有配置 4.在使用特定浏览器时的 ...