-
Notifications
You must be signed in to change notification settings - Fork 6
/
Copy pathduplex.js
59 lines (46 loc) · 1.31 KB
/
duplex.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
/*
Duplex streams are used to communicate with a remote service,
and they are a pair of source and sink streams `{source, sink}`
in node, you see duplex streams to connect replication or rpc protocols.
client.pipe(server).pipe(client)
or
server.pipe(client).pipe(server)
both do the same thing.
the pull function we wrote before doesn't detect this,
but if you use the pull-stream module it will.
Then we can pipe duplex pull-streams like this:
var pull = require('pull-stream')
pull(client, server, client)
Also, sometimes you'll need to interact with a regular node stream.
there are two modules for this.
stream-to-pull-stream
and
pull-stream-to-stream
*/
var net = require('net')
var toPull = require('stream-to-pull-stream')
var pull = require('pull-stream')
var server = net.createServer(function (stream) {
//convert into a duplex pull-stream
stream = toPull.duplex(stream)
pull(
stream,
pull.map(function (b) {
//take the input, and MAKE IT LOUD!!!
return b.toString().toUpperCase() + '!!!'
}),
stream
)
}).listen(9999, function () {
var stream = toPull.duplex(net.connect(9999))
pull(
pull.values(['quiet stream']),
stream,
pull.drain(function (data) {
console.log(data.toString())
}, function (err) {
if(err) throw err
server.close()
})
)
})