Skip to content
This repository was archived by the owner on Jul 21, 2023. It is now read-only.

Commit c6d1d49

Browse files
Alan Shawjacobheun
Alan Shaw
authored andcommitted
feat: compatibility with go-libp2p-mdns (#80)
Adds an additional mdns poller to interop with go-libp2p until both implementations comply with the new spec, https://github.com/libp2p/specs/blob/4c5a459ae8fb9a250e5f87f0c64fadaa7997266a/discovery/mdns.md.
1 parent 92cfb26 commit c6d1d49

12 files changed

+995
-18
lines changed

.gitignore

+1
Original file line numberDiff line numberDiff line change
@@ -3,6 +3,7 @@ docs
33
**/*.log
44
test/repo-tests*
55
**/bundle.js
6+
.nyc_output
67

78
# Logs
89
logs

README.md

+2-1
Original file line numberDiff line numberDiff line change
@@ -33,9 +33,10 @@ mdns.start(() => setTimeout(() => mdns.stop(() => {}), 20 * 1000))
3333

3434
- options
3535
- `peerInfo` - PeerInfo to announce
36-
- `broadcast` - (true/false) announce our presence through mDNS, default false
36+
- `broadcast` - (true/false) announce our presence through mDNS, default `false`
3737
- `interval` - query interval, default 10 * 1000 (10 seconds)
3838
- `serviceTag` - name of the service announce , default 'ipfs.local`
39+
- `compat` - enable/disable compatibility with go-libp2p-mdns, default `true`
3940

4041
## MDNS messages
4142

package.json

+2-2
Original file line numberDiff line numberDiff line change
@@ -10,7 +10,7 @@
1010
],
1111
"scripts": {
1212
"lint": "aegir lint",
13-
"coverage": "aegir coverage",
13+
"coverage": "nyc --reporter=lcov --reporter=text npm run test:node",
1414
"test": "aegir test -t node",
1515
"test:node": "aegir test -t node",
1616
"release": "aegir release -t node --no-build",
@@ -35,11 +35,11 @@
3535
"homepage": "https://github.com/libp2p/js-libp2p-mdns",
3636
"devDependencies": {
3737
"aegir": "^18.2.2",
38-
"async": "^2.6.2",
3938
"chai": "^4.2.0",
4039
"dirty-chai": "^2.0.1"
4140
},
4241
"dependencies": {
42+
"async": "^2.6.2",
4343
"debug": "^4.1.1",
4444
"libp2p-tcp": "~0.13.0",
4545
"multiaddr": "^6.0.6",

src/compat/constants.js

+6
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,6 @@
1+
'use strict'
2+
3+
exports.SERVICE_TAG = '_ipfs-discovery._udp'
4+
exports.SERVICE_TAG_LOCAL = `${exports.SERVICE_TAG}.local`
5+
exports.MULTICAST_IP = '224.0.0.251'
6+
exports.MULTICAST_PORT = 5353

src/compat/index.js

+60
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,60 @@
1+
'use strict'
2+
3+
// Compatibility with Go libp2p MDNS
4+
5+
const EE = require('events')
6+
const parallel = require('async/parallel')
7+
const Responder = require('./responder')
8+
const Querier = require('./querier')
9+
10+
class GoMulticastDNS extends EE {
11+
constructor (peerInfo) {
12+
super()
13+
this._started = false
14+
this._peerInfo = peerInfo
15+
this._onPeer = this._onPeer.bind(this)
16+
}
17+
18+
start (callback) {
19+
if (this._started) {
20+
return callback(new Error('MulticastDNS service is already started'))
21+
}
22+
23+
this._started = true
24+
this._responder = new Responder(this._peerInfo)
25+
this._querier = new Querier(this._peerInfo.id)
26+
27+
this._querier.on('peer', this._onPeer)
28+
29+
parallel([
30+
cb => this._responder.start(cb),
31+
cb => this._querier.start(cb)
32+
], callback)
33+
}
34+
35+
_onPeer (peerInfo) {
36+
this.emit('peer', peerInfo)
37+
}
38+
39+
stop (callback) {
40+
if (!this._started) {
41+
return callback(new Error('MulticastDNS service is not started'))
42+
}
43+
44+
const responder = this._responder
45+
const querier = this._querier
46+
47+
this._started = false
48+
this._responder = null
49+
this._querier = null
50+
51+
querier.removeListener('peer', this._onPeer)
52+
53+
parallel([
54+
cb => responder.stop(cb),
55+
cb => querier.stop(cb)
56+
], callback)
57+
}
58+
}
59+
60+
module.exports = GoMulticastDNS

src/compat/querier.js

+176
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,176 @@
1+
'use strict'
2+
3+
const assert = require('assert')
4+
const EE = require('events')
5+
const MDNS = require('multicast-dns')
6+
const Multiaddr = require('multiaddr')
7+
const PeerInfo = require('peer-info')
8+
const PeerId = require('peer-id')
9+
const nextTick = require('async/nextTick')
10+
const log = require('debug')('libp2p:mdns:compat:querier')
11+
const { SERVICE_TAG_LOCAL, MULTICAST_IP, MULTICAST_PORT } = require('./constants')
12+
13+
class Querier extends EE {
14+
constructor (peerId, options) {
15+
super()
16+
assert(peerId, 'missing peerId parameter')
17+
options = options || {}
18+
this._peerIdStr = peerId.toB58String()
19+
// Re-query every 60s, in leu of network change detection
20+
options.queryInterval = options.queryInterval || 60000
21+
// Time for which the MDNS server will stay alive waiting for responses
22+
// Must be less than options.queryInterval!
23+
options.queryPeriod = Math.min(
24+
options.queryInterval,
25+
options.queryPeriod == null ? 5000 : options.queryPeriod
26+
)
27+
this._options = options
28+
this._onResponse = this._onResponse.bind(this)
29+
}
30+
31+
start (callback) {
32+
this._handle = periodically(() => {
33+
// Create a querier that queries multicast but gets responses unicast
34+
const mdns = MDNS({ multicast: false, interface: '0.0.0.0', port: 0 })
35+
36+
mdns.on('response', this._onResponse)
37+
38+
mdns.query({
39+
id: nextId(), // id > 0 for unicast response
40+
questions: [{ name: SERVICE_TAG_LOCAL, type: 'PTR', class: 'IN' }]
41+
}, null, {
42+
address: MULTICAST_IP,
43+
port: MULTICAST_PORT
44+
})
45+
46+
return {
47+
stop: callback => {
48+
mdns.removeListener('response', this._onResponse)
49+
mdns.destroy(callback)
50+
}
51+
}
52+
}, {
53+
period: this._options.queryPeriod,
54+
interval: this._options.queryInterval
55+
})
56+
57+
nextTick(() => callback())
58+
}
59+
60+
_onResponse (event, info) {
61+
const answers = event.answers || []
62+
const ptrRecord = answers.find(a => a.type === 'PTR' && a.name === SERVICE_TAG_LOCAL)
63+
64+
// Only deal with responses for our service tag
65+
if (!ptrRecord) return
66+
67+
log('got response', event, info)
68+
69+
const txtRecord = answers.find(a => a.type === 'TXT')
70+
if (!txtRecord) return log('missing TXT record in response')
71+
72+
let peerIdStr
73+
try {
74+
peerIdStr = txtRecord.data[0].toString()
75+
} catch (err) {
76+
return log('failed to extract peer ID from TXT record data', txtRecord, err)
77+
}
78+
79+
if (this._peerIdStr === peerIdStr) {
80+
return log('ignoring reply to myself')
81+
}
82+
83+
let peerId
84+
try {
85+
peerId = PeerId.createFromB58String(peerIdStr)
86+
} catch (err) {
87+
return log('failed to create peer ID from TXT record data', peerIdStr, err)
88+
}
89+
90+
PeerInfo.create(peerId, (err, info) => {
91+
if (err) return log('failed to create peer info from peer ID', peerId, err)
92+
93+
const srvRecord = answers.find(a => a.type === 'SRV')
94+
if (!srvRecord) return log('missing SRV record in response')
95+
96+
log('peer found', peerIdStr)
97+
98+
const { port } = srvRecord.data || {}
99+
const protos = { A: 'ip4', AAAA: 'ip6' }
100+
101+
const multiaddrs = answers
102+
.filter(a => ['A', 'AAAA'].includes(a.type))
103+
.reduce((addrs, a) => {
104+
const maStr = `/${protos[a.type]}/${a.data}/tcp/${port}`
105+
try {
106+
addrs.push(new Multiaddr(maStr))
107+
log(maStr)
108+
} catch (err) {
109+
log(`failed to create multiaddr from ${a.type} record data`, maStr, port, err)
110+
}
111+
return addrs
112+
}, [])
113+
114+
multiaddrs.forEach(addr => info.multiaddrs.add(addr))
115+
this.emit('peer', info)
116+
})
117+
}
118+
119+
stop (callback) {
120+
this._handle.stop(callback)
121+
}
122+
}
123+
124+
module.exports = Querier
125+
126+
/**
127+
* Run `fn` for a certain period of time, and then wait for an interval before
128+
* running it again. `fn` must return an object with a stop function, which is
129+
* called when the period expires.
130+
*
131+
* @param {Function} fn function to run
132+
* @param {Object} [options]
133+
* @param {Object} [options.period] Period in ms to run the function for
134+
* @param {Object} [options.interval] Interval in ms between runs
135+
* @returns {Object} handle that can be used to stop execution
136+
*/
137+
function periodically (fn, options) {
138+
let handle, timeoutId
139+
let stopped = false
140+
141+
const reRun = () => {
142+
handle = fn()
143+
timeoutId = setTimeout(() => {
144+
handle.stop(err => {
145+
if (err) log(err)
146+
if (!stopped) {
147+
timeoutId = setTimeout(reRun, options.interval)
148+
}
149+
})
150+
handle = null
151+
}, options.period)
152+
}
153+
154+
reRun()
155+
156+
return {
157+
stop (callback) {
158+
stopped = true
159+
clearTimeout(timeoutId)
160+
if (handle) {
161+
handle.stop(callback)
162+
} else {
163+
callback()
164+
}
165+
}
166+
}
167+
}
168+
169+
const nextId = (() => {
170+
let id = 0
171+
return () => {
172+
id++
173+
if (id === Number.MAX_SAFE_INTEGER) id = 1
174+
return id
175+
}
176+
})()

src/compat/responder.js

+97
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,97 @@
1+
'use strict'
2+
3+
const OS = require('os')
4+
const assert = require('assert')
5+
const MDNS = require('multicast-dns')
6+
const log = require('debug')('libp2p:mdns:compat:responder')
7+
const TCP = require('libp2p-tcp')
8+
const nextTick = require('async/nextTick')
9+
const { SERVICE_TAG_LOCAL } = require('./constants')
10+
11+
const tcp = new TCP()
12+
13+
class Responder {
14+
constructor (peerInfo) {
15+
assert(peerInfo, 'missing peerInfo parameter')
16+
this._peerInfo = peerInfo
17+
this._peerIdStr = peerInfo.id.toB58String()
18+
this._onQuery = this._onQuery.bind(this)
19+
}
20+
21+
start (callback) {
22+
this._mdns = MDNS()
23+
this._mdns.on('query', this._onQuery)
24+
nextTick(() => callback())
25+
}
26+
27+
_onQuery (event, info) {
28+
const multiaddrs = tcp.filter(this._peerInfo.multiaddrs.toArray())
29+
// Only announce TCP for now
30+
if (!multiaddrs.length) return
31+
32+
const questions = event.questions || []
33+
34+
// Only respond to queries for our service tag
35+
if (!questions.some(q => q.name === SERVICE_TAG_LOCAL)) return
36+
37+
log('got query', event, info)
38+
39+
const answers = []
40+
const peerServiceTagLocal = `${this._peerIdStr}.${SERVICE_TAG_LOCAL}`
41+
42+
answers.push({
43+
name: SERVICE_TAG_LOCAL,
44+
type: 'PTR',
45+
class: 'IN',
46+
ttl: 120,
47+
data: peerServiceTagLocal
48+
})
49+
50+
// Only announce TCP multiaddrs for now
51+
const port = multiaddrs[0].toString().split('/')[4]
52+
53+
answers.push({
54+
name: peerServiceTagLocal,
55+
type: 'SRV',
56+
class: 'IN',
57+
ttl: 120,
58+
data: {
59+
priority: 10,
60+
weight: 1,
61+
port,
62+
target: OS.hostname()
63+
}
64+
})
65+
66+
answers.push({
67+
name: peerServiceTagLocal,
68+
type: 'TXT',
69+
class: 'IN',
70+
ttl: 120,
71+
data: [Buffer.from(this._peerIdStr)]
72+
})
73+
74+
multiaddrs.forEach((ma) => {
75+
const proto = ma.protoNames()[0]
76+
if (proto === 'ip4' || proto === 'ip6') {
77+
answers.push({
78+
name: OS.hostname(),
79+
type: proto === 'ip4' ? 'A' : 'AAAA',
80+
class: 'IN',
81+
ttl: 120,
82+
data: ma.toString().split('/')[2]
83+
})
84+
}
85+
})
86+
87+
log('responding to query', answers)
88+
this._mdns.respond(answers, info)
89+
}
90+
91+
stop (callback) {
92+
this._mdns.removeListener('query', this._onQuery)
93+
this._mdns.destroy(callback)
94+
}
95+
}
96+
97+
module.exports = Responder

0 commit comments

Comments
 (0)