Skip to content
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.

Commit 3717b23

Browse files
lostnetMylesBorins
authored andcommittedJan 16, 2018
dgram: added setMulticastInterface()
Add wrapper for uv's uv_udp_set_multicast_interface which provides the sender side mechanism to explicitly select an interface. The equivalent receiver side mechanism is the optional 2nd argument of addMembership(). PR-URL: #7855 Reviewed-By: James M Snell <jasnell@gmail.com> Reviewed-By: Colin Ihrig <cjihrig@gmail.com> Reviewed-By: Matteo Collina <matteo.collina@gmail.com>
1 parent 17fb9fa commit 3717b23

7 files changed

+528
-1
lines changed
 

‎doc/api/dgram.md

+81
Original file line numberDiff line numberDiff line change
@@ -336,6 +336,84 @@ added: v0.6.9
336336
Sets or clears the `SO_BROADCAST` socket option. When set to `true`, UDP
337337
packets may be sent to a local interface's broadcast address.
338338

339+
### socket.setMulticastInterface(multicastInterface)
340+
<!-- YAML
341+
added: REPLACEME
342+
-->
343+
344+
* `multicastInterface` {String}
345+
346+
*Note: All references to scope in this section are refering to
347+
[IPv6 Zone Indices][], which are defined by [RFC 4007][]. In string form, an IP
348+
with a scope index is written as `'IP%scope'` where scope is an interface name or
349+
interface number.*
350+
351+
Sets the default outgoing multicast interface of the socket to a chosen
352+
interface or back to system interface selection. The `multicastInterface` must
353+
be a valid string representation of an IP from the socket's family.
354+
355+
For IPv4 sockets, this should be the IP configured for the desired physical
356+
interface. All packets sent to multicast on the socket will be sent on the
357+
interface determined by the most recent successful use of this call.
358+
359+
For IPv6 sockets, `multicastInterface` should include a scope to indicate the
360+
interface as in the examples that follow. In IPv6, individual `send` calls can
361+
also use explicit scope in addresses, so only packets sent to a multicast
362+
address without specifying an explicit scope are affected by the most recent
363+
successful use of this call.
364+
365+
#### Examples: IPv6 Outgoing Multicast Interface
366+
367+
On most systems, where scope format uses the interface name:
368+
369+
```js
370+
const socket = dgram.createSocket('udp6');
371+
372+
socket.bind(1234, () => {
373+
socket.setMulticastInterface('::%eth1');
374+
});
375+
```
376+
377+
On Windows, where scope format uses an interface number:
378+
379+
```js
380+
const socket = dgram.createSocket('udp6');
381+
382+
socket.bind(1234, () => {
383+
socket.setMulticastInterface('::%2');
384+
});
385+
```
386+
387+
#### Example: IPv4 Outgoing Multicast Interface
388+
All systems use an IP of the host on the desired physical interface:
389+
```js
390+
const socket = dgram.createSocket('udp4');
391+
392+
socket.bind(1234, () => {
393+
socket.setMulticastInterface('10.0.0.2');
394+
});
395+
```
396+
397+
#### Call Results
398+
399+
A call on a socket that is not ready to send or no longer open may throw a *Not
400+
running* [`Error`][].
401+
402+
If `multicastInterface` can not be parsed into an IP then an *EINVAL*
403+
[`System Error`][] is thrown.
404+
405+
On IPv4, if `multicastInterface` is a valid address but does not match any
406+
interface, or if the address does not match the family then
407+
a [`System Error`][] such as `EADDRNOTAVAIL` or `EPROTONOSUP` is thrown.
408+
409+
On IPv6, most errors with specifying or omiting scope will result in the socket
410+
continuing to use (or returning to) the system's default interface selection.
411+
412+
A socket's address family's ANY address (IPv4 `'0.0.0.0'` or IPv6 `'::'`) can be
413+
used to return control of the sockets default outgoing interface to the system
414+
for future multicast packets.
415+
416+
339417
### socket.setMulticastLoopback(flag)
340418
<!-- YAML
341419
added: v0.3.8
@@ -490,4 +568,7 @@ and `udp6` sockets). The bound address and port can be retrieved using
490568
[`socket.address().address`]: #dgram_socket_address
491569
[`socket.address().port`]: #dgram_socket_address
492570
[`socket.bind()`]: #dgram_socket_bind_port_address_callback
571+
[`System Error`]: errors.html#errors_class_system_error
493572
[byte length]: buffer.html#buffer_class_method_buffer_bytelength_string_encoding
573+
[IPv6 Zone Indices]: https://en.wikipedia.org/wiki/IPv6_address#Link-local_addresses_and_zone_indices
574+
[RFC 4007]: https://tools.ietf.org/html/rfc4007

‎lib/dgram.js

+13
Original file line numberDiff line numberDiff line change
@@ -493,6 +493,19 @@ Socket.prototype.setMulticastLoopback = function(arg) {
493493
};
494494

495495

496+
Socket.prototype.setMulticastInterface = function(interfaceAddress) {
497+
this._healthCheck();
498+
499+
if (typeof interfaceAddress !== 'string') {
500+
throw new TypeError('"interfaceAddress" argument must be a string');
501+
}
502+
503+
const err = this._handle.setMulticastInterface(interfaceAddress);
504+
if (err) {
505+
throw errnoException(err, 'setMulticastInterface');
506+
}
507+
};
508+
496509
Socket.prototype.addMembership = function(multicastAddress,
497510
interfaceAddress) {
498511
this._healthCheck();

‎src/udp_wrap.cc

+17
Original file line numberDiff line numberDiff line change
@@ -97,6 +97,7 @@ void UDPWrap::Initialize(Local<Object> target,
9797
GetSockOrPeerName<UDPWrap, uv_udp_getsockname>);
9898
env->SetProtoMethod(t, "addMembership", AddMembership);
9999
env->SetProtoMethod(t, "dropMembership", DropMembership);
100+
env->SetProtoMethod(t, "setMulticastInterface", SetMulticastInterface);
100101
env->SetProtoMethod(t, "setMulticastTTL", SetMulticastTTL);
101102
env->SetProtoMethod(t, "setMulticastLoopback", SetMulticastLoopback);
102103
env->SetProtoMethod(t, "setBroadcast", SetBroadcast);
@@ -208,6 +209,22 @@ X(SetMulticastLoopback, uv_udp_set_multicast_loop)
208209

209210
#undef X
210211

212+
void UDPWrap::SetMulticastInterface(const FunctionCallbackInfo<Value>& args) {
213+
UDPWrap* wrap;
214+
ASSIGN_OR_RETURN_UNWRAP(&wrap,
215+
args.Holder(),
216+
args.GetReturnValue().Set(UV_EBADF));
217+
218+
CHECK_EQ(args.Length(), 1);
219+
CHECK(args[0]->IsString());
220+
221+
Utf8Value iface(args.GetIsolate(), args[0]);
222+
223+
const char* iface_cstr = *iface;
224+
225+
int err = uv_udp_set_multicast_interface(&wrap->handle_, iface_cstr);
226+
args.GetReturnValue().Set(err);
227+
}
211228

212229
void UDPWrap::SetMembership(const FunctionCallbackInfo<Value>& args,
213230
uv_membership membership) {

‎src/udp_wrap.h

+2
Original file line numberDiff line numberDiff line change
@@ -28,6 +28,8 @@ class UDPWrap: public HandleWrap {
2828
static void RecvStop(const v8::FunctionCallbackInfo<v8::Value>& args);
2929
static void AddMembership(const v8::FunctionCallbackInfo<v8::Value>& args);
3030
static void DropMembership(const v8::FunctionCallbackInfo<v8::Value>& args);
31+
static void SetMulticastInterface(
32+
const v8::FunctionCallbackInfo<v8::Value>& args);
3133
static void SetMulticastTTL(const v8::FunctionCallbackInfo<v8::Value>& args);
3234
static void SetMulticastLoopback(
3335
const v8::FunctionCallbackInfo<v8::Value>& args);

‎test/internet/test-dgram-multicast-multi-process.js

+3-1
Original file line numberDiff line numberDiff line change
@@ -8,6 +8,7 @@ const assert = require('assert');
88
const dgram = require('dgram');
99
const fork = require('child_process').fork;
1010
const LOCAL_BROADCAST_HOST = '224.0.0.114';
11+
const LOCAL_HOST_IFADDR = '0.0.0.0';
1112
const TIMEOUT = common.platformTimeout(5000);
1213
const messages = [
1314
Buffer.from('First message to send'),
@@ -136,6 +137,7 @@ if (process.argv[2] !== 'child') {
136137
sendSocket.setBroadcast(true);
137138
sendSocket.setMulticastTTL(1);
138139
sendSocket.setMulticastLoopback(true);
140+
sendSocket.setMulticastInterface(LOCAL_HOST_IFADDR);
139141
});
140142

141143
sendSocket.on('close', function() {
@@ -175,7 +177,7 @@ if (process.argv[2] === 'child') {
175177
});
176178

177179
listenSocket.on('listening', function() {
178-
listenSocket.addMembership(LOCAL_BROADCAST_HOST);
180+
listenSocket.addMembership(LOCAL_BROADCAST_HOST, LOCAL_HOST_IFADDR);
179181

180182
listenSocket.on('message', function(buf, rinfo) {
181183
console.error('[CHILD] %s received "%s" from %j', process.pid,
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,293 @@
1+
'use strict';
2+
const common = require('../common');
3+
const assert = require('assert');
4+
const dgram = require('dgram');
5+
const util = require('util');
6+
7+
if (common.inFreeBSDJail) {
8+
common.skip('in a FreeBSD jail');
9+
return;
10+
}
11+
12+
// All SunOS systems must be able to pass this manual test before the
13+
// following barrier can be removed:
14+
// $ socat UDP-RECVFROM:12356,ip-add-membership=224.0.0.115:127.0.0.1,fork \
15+
// EXEC:hostname &
16+
// $ echo hi |socat STDIO \
17+
// UDP4-DATAGRAM:224.0.0.115:12356,ip-multicast-if=127.0.0.1
18+
19+
if (common.isSunOS) {
20+
common.skip('SunOs is not correctly delivering to loopback multicast.');
21+
return;
22+
}
23+
24+
const networkInterfaces = require('os').networkInterfaces();
25+
const Buffer = require('buffer').Buffer;
26+
const fork = require('child_process').fork;
27+
const MULTICASTS = {
28+
IPv4: ['224.0.0.115', '224.0.0.116', '224.0.0.117'],
29+
IPv6: ['ff02::1:115', 'ff02::1:116', 'ff02::1:117']
30+
};
31+
const LOOPBACK = { IPv4: '127.0.0.1', IPv6: '::1' };
32+
const ANY = { IPv4: '0.0.0.0', IPv6: '::' };
33+
const FAM = 'IPv4';
34+
35+
// Windows wont bind on multicasts so its filtering is by port.
36+
const PORTS = {};
37+
for (let i = 0; i < MULTICASTS[FAM].length; i++) {
38+
PORTS[MULTICASTS[FAM][i]] = common.PORT + (common.isWindows ? i : 0);
39+
}
40+
41+
const UDP = { IPv4: 'udp4', IPv6: 'udp6' };
42+
43+
const TIMEOUT = common.platformTimeout(5000);
44+
const NOW = Date.now();
45+
const TMPL = (tail) => `${NOW} - ${tail}`;
46+
47+
// Take the first non-internal interface as the other interface to isolate
48+
// from loopback. Ideally, this should check for whether or not this interface
49+
// and the loopback have the MULTICAST flag.
50+
const interfaceAddress = ((networkInterfaces) => {
51+
for (const name in networkInterfaces) {
52+
for (const localInterface of networkInterfaces[name]) {
53+
if (!localInterface.internal && localInterface.family === FAM) {
54+
let interfaceAddress = localInterface.address;
55+
// On Windows, IPv6 would need: `%${localInterface.scopeid}`
56+
if (FAM === 'IPv6')
57+
interfaceAddress += `${interfaceAddress}%${name}`;
58+
return interfaceAddress;
59+
}
60+
}
61+
}
62+
})(networkInterfaces);
63+
64+
assert.ok(interfaceAddress);
65+
66+
const messages = [
67+
{ tail: 'First message to send', mcast: MULTICASTS[FAM][0], rcv: true },
68+
{ tail: 'Second message to send', mcast: MULTICASTS[FAM][0], rcv: true },
69+
{ tail: 'Third message to send', mcast: MULTICASTS[FAM][1], rcv: true,
70+
newAddr: interfaceAddress },
71+
{ tail: 'Fourth message to send', mcast: MULTICASTS[FAM][2] },
72+
{ tail: 'Fifth message to send', mcast: MULTICASTS[FAM][1], rcv: true },
73+
{ tail: 'Sixth message to send', mcast: MULTICASTS[FAM][2], rcv: true,
74+
newAddr: LOOPBACK[FAM] }
75+
];
76+
77+
78+
if (process.argv[2] !== 'child') {
79+
const IFACES = [ANY[FAM], interfaceAddress, LOOPBACK[FAM]];
80+
const workers = {};
81+
const listeners = MULTICASTS[FAM].length * 2;
82+
let listening = 0;
83+
let dead = 0;
84+
let i = 0;
85+
let done = 0;
86+
let timer = null;
87+
// Exit the test if it doesn't succeed within the TIMEOUT.
88+
timer = setTimeout(function() {
89+
console.error('[PARENT] Responses were not received within %d ms.',
90+
TIMEOUT);
91+
console.error('[PARENT] Skip');
92+
93+
killChildren(workers);
94+
common.skip('Check filter policy');
95+
96+
process.exit(1);
97+
}, TIMEOUT);
98+
99+
// Launch the child processes.
100+
for (let i = 0; i < listeners; i++) {
101+
const IFACE = IFACES[i % IFACES.length];
102+
const MULTICAST = MULTICASTS[FAM][i % MULTICASTS[FAM].length];
103+
104+
const messagesNeeded = messages.filter((m) => m.rcv &&
105+
m.mcast === MULTICAST)
106+
.map((m) => TMPL(m.tail));
107+
const worker = fork(process.argv[1],
108+
['child',
109+
IFACE,
110+
MULTICAST,
111+
messagesNeeded.length,
112+
NOW]);
113+
workers[worker.pid] = worker;
114+
115+
worker.messagesReceived = [];
116+
worker.messagesNeeded = messagesNeeded;
117+
118+
// Handle the death of workers.
119+
worker.on('exit', function(code, signal) {
120+
// Don't consider this a true death if the worker has finished
121+
// successfully or if the exit code is 0.
122+
if (worker.isDone || code === 0) {
123+
return;
124+
}
125+
126+
dead += 1;
127+
console.error('[PARENT] Worker %d died. %d dead of %d',
128+
worker.pid,
129+
dead,
130+
listeners);
131+
132+
if (dead === listeners) {
133+
console.error('[PARENT] All workers have died.');
134+
console.error('[PARENT] Fail');
135+
136+
killChildren(workers);
137+
138+
process.exit(1);
139+
}
140+
});
141+
142+
worker.on('message', function(msg) {
143+
if (msg.listening) {
144+
listening += 1;
145+
146+
if (listening === listeners) {
147+
// All child process are listening, so start sending.
148+
sendSocket.sendNext();
149+
}
150+
} else if (msg.message) {
151+
worker.messagesReceived.push(msg.message);
152+
153+
if (worker.messagesReceived.length === worker.messagesNeeded.length) {
154+
done += 1;
155+
worker.isDone = true;
156+
console.error('[PARENT] %d received %d messages total.',
157+
worker.pid,
158+
worker.messagesReceived.length);
159+
}
160+
161+
if (done === listeners) {
162+
console.error('[PARENT] All workers have received the ' +
163+
'required number of ' +
164+
'messages. Will now compare.');
165+
166+
Object.keys(workers).forEach(function(pid) {
167+
const worker = workers[pid];
168+
169+
let count = 0;
170+
171+
worker.messagesReceived.forEach(function(buf) {
172+
for (let i = 0; i < worker.messagesNeeded.length; ++i) {
173+
if (buf.toString() === worker.messagesNeeded[i]) {
174+
count++;
175+
break;
176+
}
177+
}
178+
});
179+
180+
console.error('[PARENT] %d received %d matching messages.',
181+
worker.pid,
182+
count);
183+
184+
assert.strictEqual(count, worker.messagesNeeded.length,
185+
'A worker received ' +
186+
'an invalid multicast message');
187+
});
188+
189+
clearTimeout(timer);
190+
console.error('[PARENT] Success');
191+
killChildren(workers);
192+
}
193+
}
194+
});
195+
}
196+
197+
const sendSocket = dgram.createSocket({
198+
type: UDP[FAM],
199+
reuseAddr: true
200+
});
201+
202+
// Don't bind the address explicitly when sending and start with
203+
// the OSes default multicast interface selection.
204+
sendSocket.bind(common.PORT, ANY[FAM]);
205+
sendSocket.on('listening', function() {
206+
console.error(`outgoing iface ${interfaceAddress}`);
207+
});
208+
209+
sendSocket.on('close', function() {
210+
console.error('[PARENT] sendSocket closed');
211+
});
212+
213+
sendSocket.sendNext = function() {
214+
const msg = messages[i++];
215+
216+
if (!msg) {
217+
sendSocket.close();
218+
return;
219+
}
220+
console.error(TMPL(NOW, msg.tail));
221+
const buf = Buffer.from(TMPL(msg.tail));
222+
if (msg.newAddr) {
223+
console.error(`changing outgoing multicast ${msg.newAddr}`);
224+
sendSocket.setMulticastInterface(msg.newAddr);
225+
}
226+
sendSocket.send(
227+
buf,
228+
0,
229+
buf.length,
230+
PORTS[msg.mcast],
231+
msg.mcast,
232+
function(err) {
233+
assert.ifError(err);
234+
console.error('[PARENT] sent %s to %s:%s',
235+
util.inspect(buf.toString()),
236+
msg.mcast, PORTS[msg.mcast]);
237+
238+
process.nextTick(sendSocket.sendNext);
239+
}
240+
);
241+
};
242+
243+
function killChildren(children) {
244+
for (const i in children)
245+
children[i].kill();
246+
}
247+
}
248+
249+
if (process.argv[2] === 'child') {
250+
const IFACE = process.argv[3];
251+
const MULTICAST = process.argv[4];
252+
const NEEDEDMSGS = Number(process.argv[5]);
253+
const SESSION = Number(process.argv[6]);
254+
const receivedMessages = [];
255+
256+
console.error(`pid ${process.pid} iface ${IFACE} MULTICAST ${MULTICAST}`);
257+
const listenSocket = dgram.createSocket({
258+
type: UDP[FAM],
259+
reuseAddr: true
260+
});
261+
262+
listenSocket.on('message', function(buf, rinfo) {
263+
// Examine udp messages only when they were sent by the parent.
264+
if (!buf.toString().startsWith(SESSION)) return;
265+
266+
console.error('[CHILD] %s received %s from %j',
267+
process.pid,
268+
util.inspect(buf.toString()),
269+
rinfo);
270+
271+
receivedMessages.push(buf);
272+
273+
let closecb;
274+
275+
if (receivedMessages.length === NEEDEDMSGS) {
276+
listenSocket.close();
277+
closecb = () => process.exit();
278+
}
279+
280+
process.send({ message: buf.toString() }, closecb);
281+
});
282+
283+
284+
listenSocket.on('listening', function() {
285+
listenSocket.addMembership(MULTICAST, IFACE);
286+
process.send({ listening: true });
287+
});
288+
289+
if (common.isWindows)
290+
listenSocket.bind(PORTS[MULTICAST], ANY[FAM]);
291+
else
292+
listenSocket.bind(common.PORT, MULTICAST);
293+
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,119 @@
1+
'use strict';
2+
const common = require('../common');
3+
const assert = require('assert');
4+
const dgram = require('dgram');
5+
6+
{
7+
const socket = dgram.createSocket('udp4');
8+
9+
socket.bind(0);
10+
socket.on('listening', common.mustCall(() => {
11+
// Explicitly request default system selection
12+
socket.setMulticastInterface('0.0.0.0');
13+
14+
socket.close();
15+
}));
16+
}
17+
18+
{
19+
const socket = dgram.createSocket('udp4');
20+
21+
socket.bind(0);
22+
socket.on('listening', common.mustCall(() => {
23+
socket.close(common.mustCall(() => {
24+
assert.throws(() => { socket.setMulticastInterface('0.0.0.0'); },
25+
/Not running/);
26+
}));
27+
}));
28+
}
29+
30+
{
31+
const socket = dgram.createSocket('udp4');
32+
33+
socket.bind(0);
34+
socket.on('listening', common.mustCall(() => {
35+
// Try to set with an invalid interfaceAddress (wrong address class)
36+
try {
37+
socket.setMulticastInterface('::');
38+
throw new Error('Not detected.');
39+
} catch (e) {
40+
console.error(`setMulticastInterface: wrong family error is: ${e}`);
41+
}
42+
43+
socket.close();
44+
}));
45+
}
46+
47+
{
48+
const socket = dgram.createSocket('udp4');
49+
50+
socket.bind(0);
51+
socket.on('listening', common.mustCall(() => {
52+
// Try to set with an invalid interfaceAddress (wrong Type)
53+
assert.throws(() => {
54+
socket.setMulticastInterface(1);
55+
}, /TypeError/);
56+
57+
socket.close();
58+
}));
59+
}
60+
61+
{
62+
const socket = dgram.createSocket('udp4');
63+
64+
socket.bind(0);
65+
socket.on('listening', common.mustCall(() => {
66+
// Try to set with an invalid interfaceAddress (non-unicast)
67+
assert.throws(() => {
68+
socket.setMulticastInterface('224.0.0.2');
69+
}, /Error/);
70+
71+
socket.close();
72+
}));
73+
}
74+
75+
if (!common.hasIPv6) {
76+
common.skip('Skipping udp6 tests, no IPv6 support.');
77+
return;
78+
}
79+
80+
{
81+
const socket = dgram.createSocket('udp6');
82+
83+
socket.bind(0);
84+
socket.on('listening', common.mustCall(() => {
85+
// Try to set with an invalid interfaceAddress ('undefined')
86+
assert.throws(() => {
87+
socket.setMulticastInterface(String(undefined));
88+
}, /EINVAL/);
89+
90+
socket.close();
91+
}));
92+
}
93+
94+
{
95+
const socket = dgram.createSocket('udp6');
96+
97+
socket.bind(0);
98+
socket.on('listening', common.mustCall(() => {
99+
// Try to set with an invalid interfaceAddress ('')
100+
assert.throws(() => {
101+
socket.setMulticastInterface('');
102+
}, /EINVAL/);
103+
104+
socket.close();
105+
}));
106+
}
107+
108+
{
109+
const socket = dgram.createSocket('udp6');
110+
111+
socket.bind(0);
112+
socket.on('listening', common.mustCall(() => {
113+
// Using lo0 for OsX, on all other OSes, an invalid Scope gets
114+
// turned into #0 (default selection) which is also acceptable.
115+
socket.setMulticastInterface('::%lo0');
116+
117+
socket.close();
118+
}));
119+
}

0 commit comments

Comments
 (0)
Please sign in to comment.