nim-libp2p-experimental/libp2p/switch.nim

420 lines
14 KiB
Nim
Raw Normal View History

2019-08-27 21:46:12 +00:00
## Nim-LibP2P
2019-09-24 17:48:23 +00:00
## Copyright (c) 2019 Status Research & Development GmbH
2019-08-27 21:46:12 +00:00
## Licensed under either of
## * Apache License, version 2.0, ([LICENSE-APACHE](LICENSE-APACHE))
## * MIT license ([LICENSE-MIT](LICENSE-MIT))
## at your option.
## This file may not be copied, modified, or distributed except according to
## those terms.
2020-02-21 01:14:39 +00:00
import tables, sequtils, options, strformat, sets
2019-09-09 17:33:32 +00:00
import chronos, chronicles
2019-09-11 19:03:30 +00:00
import connection,
transports/transport,
multistream,
2019-09-06 07:13:47 +00:00
protocols/protocol,
2019-09-14 13:55:52 +00:00
protocols/secure/secure,
protocols/secure/plaintext, # for plain text
2019-09-11 19:03:30 +00:00
peerinfo,
protocols/identify,
protocols/pubsub/pubsub,
2019-09-06 07:13:47 +00:00
muxers/muxer,
2019-09-09 17:33:32 +00:00
peer
2019-09-12 02:10:38 +00:00
logScope:
topic = "Switch"
#TODO: General note - use a finite state machine to manage the different
# steps of connections establishing and upgrading. This makes everything
# more robust and less prone to ordering attacks - i.e. muxing can come if
# and only if the channel has been secured (i.e. if a secure manager has been
# previously provided)
type
2019-09-11 19:03:30 +00:00
NoPubSubException = object of CatchableError
Switch* = ref object of RootObj
2019-08-30 05:17:07 +00:00
peerInfo*: PeerInfo
2019-09-13 18:41:48 +00:00
connections*: Table[string, Connection]
muxed*: Table[string, Muxer]
2019-08-30 05:17:07 +00:00
transports*: seq[Transport]
protocols*: seq[LPProtocol]
2019-09-04 22:00:39 +00:00
muxers*: Table[string, MuxerProvider]
2020-02-04 16:16:21 +00:00
ms*: MultistreamSelect
2019-09-04 01:50:17 +00:00
identity*: Identify
2019-09-06 07:13:47 +00:00
streamHandler*: StreamHandler
2019-09-13 18:41:48 +00:00
secureManagers*: Table[string, Secure]
2019-09-11 19:03:30 +00:00
pubSub*: Option[PubSub]
2020-02-21 01:14:39 +00:00
dialedPubSubPeers: HashSet[string]
2019-09-11 19:03:30 +00:00
proc newNoPubSubException(): ref Exception {.inline.} =
2019-09-11 19:03:30 +00:00
result = newException(NoPubSubException, "no pubsub provided!")
2019-08-27 21:46:12 +00:00
proc secure(s: Switch, conn: Connection): Future[Connection] {.async, gcsafe.} =
2019-09-06 07:13:47 +00:00
## secure the incoming connection
2019-09-04 22:00:39 +00:00
2019-09-13 18:41:48 +00:00
let managers = toSeq(s.secureManagers.keys)
2019-09-09 23:17:45 +00:00
if managers.len == 0:
raise newException(CatchableError, "No secure managers registered!")
2019-09-13 18:41:48 +00:00
let manager = await s.ms.select(conn, toSeq(s.secureManagers.values).mapIt(it.codec))
if manager.len == 0:
2019-09-06 07:13:47 +00:00
raise newException(CatchableError, "Unable to negotiate a secure channel!")
2019-09-09 23:17:45 +00:00
2019-09-13 18:41:48 +00:00
result = await s.secureManagers[manager].secure(conn)
2019-08-31 17:58:49 +00:00
2019-09-28 19:54:32 +00:00
proc identify(s: Switch, conn: Connection): Future[PeerInfo] {.async, gcsafe.} =
2019-09-04 01:50:17 +00:00
## identify the connection
2019-09-28 19:54:32 +00:00
if not isNil(conn.peerInfo):
result = conn.peerInfo
2019-09-06 07:13:47 +00:00
try:
if (await s.ms.select(conn, s.identity.codec)):
let info = await s.identity.identify(conn, conn.peerInfo)
if info.pubKey.isNone and isNil(result):
raise newException(CatchableError,
"no public key provided and no existing peer identity found")
2019-09-28 19:54:32 +00:00
if info.pubKey.isSome:
result = PeerInfo.init(info.pubKey.get())
trace "identify: identified remote peer", peer = result.id
2019-09-28 19:54:32 +00:00
if info.addrs.len > 0:
result.addrs = info.addrs
2019-09-28 19:54:32 +00:00
if info.protos.len > 0:
result.protocols = info.protos
2019-09-06 07:13:47 +00:00
except IdentityInvalidMsgError as exc:
error "identify: invalid message", msg = exc.msg
2019-09-06 07:13:47 +00:00
except IdentityNoMatchError as exc:
error "identify: peer's public keys don't match ", msg = exc.msg
2019-09-06 07:13:47 +00:00
2019-09-08 07:43:33 +00:00
proc mux(s: Switch, conn: Connection): Future[void] {.async, gcsafe.} =
2019-09-04 01:50:17 +00:00
## mux incoming connection
2019-09-28 19:54:32 +00:00
trace "muxing connection"
2019-09-04 22:00:39 +00:00
let muxers = toSeq(s.muxers.keys)
2019-09-13 20:04:46 +00:00
if muxers.len == 0:
warn "no muxers registered, skipping upgrade flow"
2019-09-13 20:04:46 +00:00
return
2019-09-04 22:00:39 +00:00
let muxerName = await s.ms.select(conn, muxers)
2019-09-06 07:13:47 +00:00
if muxerName.len == 0 or muxerName == "na":
2019-09-04 22:00:39 +00:00
return
2019-09-14 15:55:58 +00:00
# create new muxer for connection
2019-09-04 22:00:39 +00:00
let muxer = s.muxers[muxerName].newMuxer(conn)
# install stream handler
2019-09-06 07:13:47 +00:00
muxer.streamHandler = s.streamHandler
2019-09-04 22:00:39 +00:00
2019-09-14 15:55:58 +00:00
# new stream for identify
var stream = await muxer.newStream()
2019-09-08 07:43:33 +00:00
let handlerFut = muxer.handle()
# add muxer handler cleanup proc
handlerFut.addCallback do (udata: pointer = nil):
trace "muxer handler completed for peer",
peer = conn.peerInfo.id
2019-09-14 15:55:58 +00:00
2019-09-28 19:54:32 +00:00
# do identify first, so that we have a
2019-09-14 15:55:58 +00:00
# PeerInfo in case we didn't before
conn.peerInfo = await s.identify(stream)
await stream.close() # close identify stream
trace "connection's peerInfo", peerInfo = $conn.peerInfo
2019-09-14 15:55:58 +00:00
2019-09-05 15:19:39 +00:00
# store it in muxed connections if we have a peer for it
if not isNil(conn.peerInfo):
trace "adding muxer for peer", peer = conn.peerInfo.id
s.muxed[conn.peerInfo.id] = muxer
2019-09-04 22:00:39 +00:00
2019-09-28 19:54:32 +00:00
proc cleanupConn(s: Switch, conn: Connection) {.async, gcsafe.} =
if not isNil(conn.peerInfo):
let id = conn.peerInfo.id
trace "cleaning up connection for peer", peerId = id
if id in s.muxed:
await s.muxed[id].close()
s.muxed.del(id)
if id in s.connections:
if not s.connections[id].closed:
await s.connections[id].close()
s.connections.del(id)
2019-09-28 19:54:32 +00:00
2020-02-21 14:25:09 +00:00
s.dialedPubSubPeers.excl(id)
2020-02-21 01:14:39 +00:00
# TODO: Investigate cleanupConn() always called twice for one peer.
if not(conn.peerInfo.isClosed()):
conn.peerInfo.close()
proc disconnect*(s: Switch, peer: PeerInfo) {.async, gcsafe.} =
let conn = s.connections.getOrDefault(peer.id)
if not isNil(conn):
await s.cleanupConn(conn)
proc getMuxedStream(s: Switch, peerInfo: PeerInfo): Future[Connection] {.async, gcsafe.} =
2019-09-28 19:54:32 +00:00
# if there is a muxer for the connection
# use it instead to create a muxed stream
if peerInfo.id in s.muxed:
trace "connection is muxed, setting up a stream"
let muxer = s.muxed[peerInfo.id]
2019-09-28 19:54:32 +00:00
let conn = await muxer.newStream()
result = conn
2019-09-28 19:54:32 +00:00
proc upgradeOutgoing(s: Switch, conn: Connection): Future[Connection] {.async, gcsafe.} =
trace "handling connection", conn = $conn
2019-09-06 07:13:47 +00:00
result = conn
# don't mux/secure twise
if conn.peerInfo.id in s.muxed:
return
result = await s.secure(result) # secure the connection
if isNil(result):
return
2019-09-08 07:43:33 +00:00
await s.mux(result) # mux it if possible
s.connections[conn.peerInfo.id] = result
2019-09-04 22:00:39 +00:00
proc upgradeIncoming(s: Switch, conn: Connection) {.async, gcsafe.} =
Noise (#90) * Start ChaCha20Poly1305 integration (BearSSL) * Add Curve25519 (BearSSL) required operations for noise * Fix curve mulgen iterate/derive * Fix misleading header * Add chachapoly proper test * Curve25519 integration tests (failing, something is wrong) * Add few converters, finish c25519 integration tests * Remove implicit converters * removed internal globals * Start noise implementation * Fix public() using proper bear mulgen * Noise protocol WIP * Noise progress * Add a quick nim version of HKDF * Converted hkdf to iterator, useful for noise * Noise protocol implementation progress * Noise progress * XX handshake almost there * noise progress * Noise, testing handshake with test vectors * Noise handshake progress, still wrong somewhere! * Noise handshake success! * Full verified noise XX handshake completed * Fix and rewrite test to be similar to switch one * Start with connection upgrade * Switch chachapoly to CT implementations * Improve HKDF implementation * Use a type insted of tuple for HandshakeResult * Remove unnecessary Let * More cosmetic fixes * Properly check randomBytes result * Fix chachapoly signature * Noise full circle (altho dispatcher is nil cursed) * Allow nil aads in chachapoly routines * Noise implementation up to running full test * Use bearssl HKDF as well * Directly use bearssl rng for curve25519 keys * Add a (disabled/no CI) noise interop test server * WIP on fixing interop issues * More fixes in noise implementation for interop * bump chronos requirement (nimble) * Add a chachapoly test for very small size payloads * Noise, more tracing * Add 2 properly working noise tests * Fix payload packing, following the spec properly (and not go version but rather rust) * Sanity, replace discard with asyncCheck * Small fixes and optimization * Use stew endian2 rather then system endian module * Update nimble deps (chronos) * Minor cosmetic/code sanity fixes * Noise, handle Nonce max * Noise tests, make sure to close secured conns * More polish, improve code readability too * More polish and testing again which test fails * Further polishing * Restore noise tests * Remove useless Future[void] * Remove useless CipherState initializer * add a proper read wait future in second noise test * Remove noise generic secure implementation for now * Few fixes to run eth2 sim * Add more debug info in noise traces * Merge size + payload write in sendEncryptedMessage * Revert secure interface, add outgoing property directly in newNoise * remove sendEncrypted and receiveEncrypted * Use openarray in chachapoly and curve25519 helpers
2020-03-17 12:30:01 +00:00
trace "upgrading incoming connection", conn = $conn
2019-09-28 19:54:32 +00:00
let ms = newMultistream()
2019-09-04 01:50:17 +00:00
2019-09-28 19:54:32 +00:00
# secure incoming connections
proc securedHandler (conn: Connection,
proto: string)
{.async, gcsafe, closure.} =
trace "Securing connection"
let secure = s.secureManagers[proto]
let sconn = await secure.secure(conn)
if not isNil(sconn):
# add the muxer
for muxer in s.muxers.values:
ms.addHandler(muxer.codec, muxer)
# handle subsequent requests
await ms.handle(sconn)
if (await ms.select(conn)): # just handshake
# add the secure handlers
for k in s.secureManagers.keys:
ms.addHandler(k, securedHandler)
# handle secured connections
await ms.handle(conn)
2019-09-11 19:03:30 +00:00
2020-02-21 01:14:39 +00:00
proc subscribeToPeer(s: Switch, peerInfo: PeerInfo) {.async, gcsafe.}
proc internalConnect(s: Switch,
peer: PeerInfo): Future[Connection] {.async.} =
let id = peer.id
trace "Dialing peer", peer = id
2019-12-23 18:44:51 +00:00
var conn = s.connections.getOrDefault(id)
if conn.isNil or conn.closed:
for t in s.transports: # for each transport
for a in peer.addrs: # for each address
2019-12-23 18:44:51 +00:00
if t.handles(a): # check if it can dial it
trace "Dialing address", address = $a
2020-02-21 14:25:09 +00:00
try:
conn = await t.dial(a)
except CatchableError as exc:
trace "couldn't dial peer, transport failed", exc = exc.msg, address = a
continue
# make sure to assign the peer to the connection
2019-12-23 18:44:51 +00:00
conn.peerInfo = peer
conn = await s.upgradeOutgoing(conn)
if isNil(conn):
continue
2019-12-23 18:44:51 +00:00
conn.closeEvent.wait()
.addCallback do (udata: pointer):
2019-12-23 18:44:51 +00:00
asyncCheck s.cleanupConn(conn)
2019-12-09 17:17:29 +00:00
break
else:
trace "Reusing existing connection"
if not isNil(conn):
await s.subscribeToPeer(peer)
result = conn
proc connect*(s: Switch, peer: PeerInfo) {.async.} =
2020-02-25 23:21:12 +00:00
var conn = await s.internalConnect(peer)
if isNil(conn):
raise newException(CatchableError, "Unable to connect to peer")
proc dial*(s: Switch,
peer: PeerInfo,
proto: string):
Future[Connection] {.async.} =
var conn = await s.internalConnect(peer)
2019-12-23 18:44:51 +00:00
if isNil(conn):
raise newException(CatchableError, "Unable to establish outgoing link")
if conn.closed:
raise newException(CatchableError, "Connection dead on arrival")
2020-02-25 23:20:57 +00:00
result = conn
let stream = await s.getMuxedStream(peer)
if not isNil(stream):
trace "Connection is muxed, return muxed stream"
result = stream
trace "Attempting to select remote", proto = proto
if not await s.ms.select(result, proto):
warn "Unable to select sub-protocol", proto = proto
raise newException(CatchableError, &"unable to select protocol: {proto}")
2020-02-21 01:14:39 +00:00
proc mount*[T: LPProtocol](s: Switch, proto: T) {.gcsafe.} =
2019-08-31 17:58:49 +00:00
if isNil(proto.handler):
raise newException(CatchableError,
2019-08-31 17:58:49 +00:00
"Protocol has to define a handle method or proc")
2019-08-27 21:46:12 +00:00
2019-09-06 07:13:47 +00:00
if proto.codec.len == 0:
raise newException(CatchableError,
2019-08-31 18:52:56 +00:00
"Protocol has to define a codec string")
2019-08-31 17:58:49 +00:00
s.ms.addHandler(proto.codec, proto)
2019-08-28 02:30:53 +00:00
proc start*(s: Switch): Future[seq[Future[void]]] {.async, gcsafe.} =
trace "starting switch"
2019-08-31 18:52:56 +00:00
proc handle(conn: Connection): Future[void] {.async, closure, gcsafe.} =
2019-09-04 22:00:39 +00:00
try:
await s.upgradeIncoming(conn) # perform upgrade on incoming connection
except CatchableError as exc:
trace "Exception occurred in Switch.start", exc = exc.msg
2019-09-27 13:24:59 +00:00
finally:
if not isNil(conn) and not conn.closed:
await conn.close()
2019-09-04 22:00:39 +00:00
await s.cleanupConn(conn)
2019-09-12 00:15:04 +00:00
var startFuts: seq[Future[void]]
2019-08-28 02:30:53 +00:00
for t in s.transports: # for each transport
2019-09-28 19:54:32 +00:00
for i, a in s.peerInfo.addrs:
2019-08-28 02:30:53 +00:00
if t.handles(a): # check if it handles the multiaddr
2019-09-12 00:15:04 +00:00
var server = await t.listen(a, handle)
2019-09-28 19:54:32 +00:00
s.peerInfo.addrs[i] = t.ma # update peer's address
2019-09-12 00:15:04 +00:00
startFuts.add(server)
PubSub (Gossip & Flood) Implementation (#36) This adds gossipsub and floodsub, as well as basic interop testing with the go libp2p daemon. * add close event * wip: gossipsub * splitting rpc message * making message handling more consistent * initial gossipsub implementation * feat: nim 1.0 cleanup * wip: gossipsub protobuf * adding encoding/decoding of gossipsub messages * add disconnect handler * add proper gossipsub msg handling * misc: cleanup for nim 1.0 * splitting floodsub and gossipsub tests * feat: add mesh rebalansing * test pubsub * add mesh rebalansing tests * testing mesh maintenance * finishing mcache implementatin * wip: commenting out broken tests * wip: don't run heartbeat for now * switchout debug for trace logging * testing gossip peer selection algorithm * test stream piping * more work around message amplification * get the peerid from message * use timed cache as backing store * allow setting timeout in constructor * several changes to improve performance * more through testing of msg amplification * prevent gc issues * allow piping to self and prevent deadlocks * improove floodsub * allow running hook on cache eviction * prevent race conditions * prevent race conditions and improove tests * use hashes as cache keys * removing useless file * don't create a new seq * re-enable pubsub tests * fix imports * reduce number of runs to speed up tests * break out control message processing * normalize sleeps between steps * implement proper transport filtering * initial interop testing * clean up floodsub publish logic * allow dialing without a protocol * adding multiple reads/writes * use protobuf varint in mplex * don't loose conn's peerInfo * initial interop pubsub tests * don't duplicate connections/peers * bring back interop tests * wip: interop * re-enable interop and daemon tests * add multiple read write tests from handlers * don't cleanup channel prematurely * use correct channel to send/receive msgs * adjust tests with latest changes * include interop tests * remove temp logging output * fix ci * use correct public key serialization * additional tests for pubsub interop
2019-12-06 02:16:18 +00:00
if s.pubSub.isSome:
await s.pubSub.get().start()
2019-09-12 00:15:04 +00:00
result = startFuts # listen for incoming connections
2019-08-27 21:46:12 +00:00
proc stop*(s: Switch) {.async.} =
trace "stopping switch"
PubSub (Gossip & Flood) Implementation (#36) This adds gossipsub and floodsub, as well as basic interop testing with the go libp2p daemon. * add close event * wip: gossipsub * splitting rpc message * making message handling more consistent * initial gossipsub implementation * feat: nim 1.0 cleanup * wip: gossipsub protobuf * adding encoding/decoding of gossipsub messages * add disconnect handler * add proper gossipsub msg handling * misc: cleanup for nim 1.0 * splitting floodsub and gossipsub tests * feat: add mesh rebalansing * test pubsub * add mesh rebalansing tests * testing mesh maintenance * finishing mcache implementatin * wip: commenting out broken tests * wip: don't run heartbeat for now * switchout debug for trace logging * testing gossip peer selection algorithm * test stream piping * more work around message amplification * get the peerid from message * use timed cache as backing store * allow setting timeout in constructor * several changes to improve performance * more through testing of msg amplification * prevent gc issues * allow piping to self and prevent deadlocks * improove floodsub * allow running hook on cache eviction * prevent race conditions * prevent race conditions and improove tests * use hashes as cache keys * removing useless file * don't create a new seq * re-enable pubsub tests * fix imports * reduce number of runs to speed up tests * break out control message processing * normalize sleeps between steps * implement proper transport filtering * initial interop testing * clean up floodsub publish logic * allow dialing without a protocol * adding multiple reads/writes * use protobuf varint in mplex * don't loose conn's peerInfo * initial interop pubsub tests * don't duplicate connections/peers * bring back interop tests * wip: interop * re-enable interop and daemon tests * add multiple read write tests from handlers * don't cleanup channel prematurely * use correct channel to send/receive msgs * adjust tests with latest changes * include interop tests * remove temp logging output * fix ci * use correct public key serialization * additional tests for pubsub interop
2019-12-06 02:16:18 +00:00
if s.pubSub.isSome:
await s.pubSub.get().stop()
await allFutures(toSeq(s.connections.values).mapIt(s.cleanupConn(it)))
2019-08-31 17:58:49 +00:00
await allFutures(s.transports.mapIt(it.close()))
2019-09-06 07:13:47 +00:00
2020-02-21 01:14:39 +00:00
proc subscribeToPeer(s: Switch, peerInfo: PeerInfo) {.async, gcsafe.} =
2019-09-12 02:10:38 +00:00
## Subscribe to pub sub peer
2020-02-21 01:14:39 +00:00
if s.pubSub.isSome and peerInfo.id notin s.dialedPubSubPeers:
try:
s.dialedPubSubPeers.incl(peerInfo.id)
let conn = await s.dial(peerInfo, s.pubSub.get().codec)
await s.pubSub.get().subscribeToPeer(conn)
except CatchableError as exc:
2020-02-25 22:26:46 +00:00
warn "unable to initiate pubsub", exc = exc.msg
finally:
2020-02-21 01:14:39 +00:00
s.dialedPubSubPeers.excl(peerInfo.id)
2019-09-11 19:03:30 +00:00
proc subscribe*(s: Switch, topic: string,
handler: TopicHandler): Future[void] =
2019-09-12 02:10:38 +00:00
## subscribe to a pubsub topic
2019-09-11 19:03:30 +00:00
if s.pubSub.isNone:
var retFuture = newFuture[void]("Switch.subscribe")
retFuture.fail(newNoPubSubException())
return retFuture
2019-09-11 19:03:30 +00:00
result = s.pubSub.get().subscribe(topic, handler)
proc unsubscribe*(s: Switch, topics: seq[TopicPair]): Future[void] =
2019-09-12 02:10:38 +00:00
## unsubscribe from topics
2019-09-11 19:03:30 +00:00
if s.pubSub.isNone:
var retFuture = newFuture[void]("Switch.unsubscribe")
retFuture.fail(newNoPubSubException())
return retFuture
2019-09-11 19:03:30 +00:00
result = s.pubSub.get().unsubscribe(topics)
proc publish*(s: Switch, topic: string, data: seq[byte]): Future[void] =
2019-09-12 02:10:38 +00:00
# pubslish to pubsub topic
2019-09-11 19:03:30 +00:00
if s.pubSub.isNone:
var retFuture = newFuture[void]("Switch.publish")
retFuture.fail(newNoPubSubException())
return retFuture
2019-09-11 19:03:30 +00:00
result = s.pubSub.get().publish(topic, data)
proc addValidator*(s: Switch,
topics: varargs[string],
hook: ValidatorHandler) =
# add validator
if s.pubSub.isNone:
raise newNoPubSubException()
s.pubSub.get().addValidator(topics, hook)
proc removeValidator*(s: Switch,
topics: varargs[string],
hook: ValidatorHandler) =
# pubslish to pubsub topic
if s.pubSub.isNone:
raise newNoPubSubException()
s.pubSub.get().removeValidator(topics, hook)
2019-09-06 07:13:47 +00:00
proc newSwitch*(peerInfo: PeerInfo,
transports: seq[Transport],
identity: Identify,
2019-09-09 17:33:32 +00:00
muxers: Table[string, MuxerProvider],
2019-09-13 20:04:46 +00:00
secureManagers: Table[string, Secure] = initTable[string, Secure](),
2019-09-11 19:03:30 +00:00
pubSub: Option[PubSub] = none(PubSub)): Switch =
2019-09-06 07:13:47 +00:00
new result
result.peerInfo = peerInfo
result.ms = newMultistream()
result.transports = transports
2019-09-13 18:41:48 +00:00
result.connections = initTable[string, Connection]()
result.muxed = initTable[string, Muxer]()
2019-09-06 07:13:47 +00:00
result.identity = identity
result.muxers = muxers
2019-09-13 18:41:48 +00:00
result.secureManagers = initTable[string, Secure]()
2020-02-21 01:14:39 +00:00
result.dialedPubSubPeers = initHashSet[string]()
2019-09-06 07:13:47 +00:00
let s = result # can't capture result
result.streamHandler = proc(stream: Connection) {.async, gcsafe.} =
trace "handling connection for", peerInfo = $stream.peerInfo
2019-09-06 07:13:47 +00:00
await s.ms.handle(stream) # handle incoming connection
result.mount(identity)
for key, val in muxers:
val.streamHandler = result.streamHandler
2019-09-12 02:10:38 +00:00
val.muxerHandler = proc(muxer: Muxer) {.async, gcsafe.} =
trace "got new muxer"
2019-09-12 02:10:38 +00:00
let stream = await muxer.newStream()
muxer.connection.peerInfo = await s.identify(stream)
2019-09-28 19:54:32 +00:00
await stream.close()
2019-09-12 02:10:38 +00:00
2019-09-13 18:41:48 +00:00
for k in secureManagers.keys:
trace "adding secure manager ", codec = secureManagers[k].codec
2019-09-13 18:41:48 +00:00
result.secureManagers[k] = secureManagers[k]
2019-09-09 17:33:32 +00:00
if result.secureManagers.len == 0:
# use plain text if no secure managers are provided
2020-02-12 14:43:42 +00:00
warn "no secure managers, falling back to plain text", codec = PlainTextCodec
2019-09-13 18:41:48 +00:00
result.secureManagers[PlainTextCodec] = Secure(newPlainText())
2019-09-11 19:03:30 +00:00
if pubSub.isSome:
result.pubSub = pubSub
result.mount(pubSub.get())