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 ...
随机推荐
- osgi.net框架简介
osgi.net是一个动态的模块化框架.它向用户提供了模块化与插件化.面向服务构架和模块扩展支持等功能.该平台是OSGi联盟定义的服务平台规范移植到.NET的实现. 简介 尤埃开放服务平台是一个基于. ...
- jsonp请求
发起一个jsonp请求 <!DOCTYPE html> <html> <head> <meta http-equiv="Content-Type&q ...
- IOS中input键盘事件支持的解决方法
欢迎大家去我的网站详细查看http://genghongshuo.com.cn/ IOS中input键盘事件keyup.keydown.等支持不是很好, 用input监听键盘keyup事件,在安卓手机 ...
- Java框架之Spring(一)
在学习Spring之前,需要回忆一下工厂模式.下面会演示一段代码,自己体会.之所以要工厂模式是因为他有一个好处,很像Spring的用法.在实际开发中,new对象对于一个开发人员来说是一件非常需要小心谨 ...
- SQL Server 基本UPDATE和DELETE语句
1.UPDATA 基本UPDATE语法:(可以修改多行的列) 2.DELETE
- tomcat版本号隐藏或修改
tomcat版本号隐藏或修改 找到tomcat\lib\catalina.jar\org\apache\catalina\util\ServerInfo.properties文件 修改 server. ...
- switch和if语句
if :基本语法: 1.单分支语句 : if(条件){代码块}else{代码块} 2.多分支语句 :if(条件){代码块} else if(条件){代码块}else{代码块} * 不要忘记添加else ...
- 【机器学习】激活函数(Activation Function)
https://blog.csdn.net/ChenVast/article/details/81382795 激活函数是模型整个结构中的非线性扭曲力 神经网络的每层都会有一个激活函数 1.逻辑函数( ...
- C++ UTF8 UrlEncode(宽字符)
为了支持C++ UrlEncode之后的字符串能够被C#所识别(windows phone 下C#只能支持UTF8与 Unicode). 所谓的 UTF8 UrlEncode 也只是宽字符串 UrlE ...
- Android常用数据类型转换
String转int.float.double.byte[].bitmap Int i = Integer.parseInt(str); Float f = Float.parseFloat(str) ...