-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathRTCPeerConnection.js
executable file
·573 lines (522 loc) · 18.6 KB
/
RTCPeerConnection.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
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
'use strict';
import EventTarget from 'event-target-shim';
import {DeviceEventEmitter, NativeModules} from 'react-native';
import MediaStream from './MediaStream';
import MediaStreamEvent from './MediaStreamEvent';
import MediaStreamTrack from './MediaStreamTrack';
import MediaStreamTrackEvent from './MediaStreamTrackEvent';
import RTCDataChannel from './RTCDataChannel';
import RTCDataChannelEvent from './RTCDataChannelEvent';
import RTCSessionDescription from './RTCSessionDescription';
import RTCIceCandidate from './RTCIceCandidate';
import RTCIceCandidateEvent from './RTCIceCandidateEvent';
import RTCTrackEvent from './RTCTrackEvent';
import RTCEvent from './RTCEvent';
import * as RTCUtil from './RTCUtil';
const {WebRTCModule} = NativeModules;
type RTCSignalingState =
'stable' |
'have-local-offer' |
'have-remote-offer' |
'have-local-pranswer' |
'have-remote-pranswer' |
'closed';
type RTCIceGatheringState =
'new' |
'gathering' |
'complete';
type RTCIceConnectionState =
'new' |
'checking' |
'connected' |
'completed' |
'failed' |
'disconnected' |
'closed';
const PEER_CONNECTION_EVENTS = [
'connectionstatechange',
'icecandidate',
'icecandidateerror',
'iceconnectionstatechange',
'icegatheringstatechange',
'negotiationneeded',
'signalingstatechange',
// Peer-to-peer Data API:
'datachannel',
// old:
'addstream',
'removestream',
// new:
'track',
// skylink event
'senderadded'
];
let nextPeerConnectionId = 0;
export default class RTCPeerConnection extends EventTarget(PEER_CONNECTION_EVENTS) {
localDescription: RTCSessionDescription;
remoteDescription: RTCSessionDescription;
signalingState: RTCSignalingState = 'stable';
iceGatheringState: RTCIceGatheringState = 'new';
iceConnectionState: RTCIceConnectionState = 'new';
onconnectionstatechange: ?Function;
onicecandidate: ?Function;
onicecandidateerror: ?Function;
oniceconnectionstatechange: ?Function;
onicegatheringstatechange: ?Function;
onnegotiationneeded: ?Function;
onsignalingstatechange: ?Function;
ontrack: ?Function;
onaddstream: ?Function;
onremovestream: ?Function;
_peerConnectionId: number;
_localStreams: Array<MediaStream> = [];
_localTracks: Array<MediaStreamTrack> = [];
_remoteStreams: Array<MediaStream> = [];
_subscriptions: Array<any>;
_transceivers: Array<any> = [];
_senders: Array<any> = [];
/**
* The RTCDataChannel.id allocator of this RTCPeerConnection.
*/
_dataChannelIds: Set = new Set();
constructor(configuration) {
super();
this._peerConnectionId = nextPeerConnectionId++;
if (configuration)
configuration.sdpSemantics = "unified-plan";
WebRTCModule.peerConnectionInit(configuration, this._peerConnectionId);
this._registerEvents();
}
addTrack(track: MediaStreamTrack, stream: MediaStream) {
const streamIndex = this._localStreams.indexOf(stream);
if (streamIndex === -1) {
this._localStreams.push(stream);
}
const trackIndex = this._localTracks.indexOf(track);
if (trackIndex !== -1) {
return;
}
WebRTCModule.peerConnectionAddTrack(track.id, stream._reactTag, this._peerConnectionId);
this._localTracks.push(track);
}
removeTrack(sender: RtpSender) {
let stream;
let streamIndex;
let track;
for (let s = 0; s < this._localStreams.length; s += 1) {
const tracks = this._localStreams[s].getTracks();
for (let t = 0; t < tracks.length; t += 1) {
if (tracks[t].id === sender.track.id) {
stream = this._localStreams[s];
streamIndex = s;
track = tracks[t];
break;
}
}
break;
}
const trackIndex = this._localTracks.indexOf(track);
if (typeof streamIndex !== 'number' || trackIndex === -1) {
return;
}
this._localStreams.splice(streamIndex, 1);
this._localTracks.splice(trackIndex, 1);
WebRTCModule.peerConnectionRemoveTrack(track.id, stream._reactTag, this._peerConnectionId);
}
/**
* Use addTrack
* @param stream
* @deprecated
*/
addStream(stream: MediaStream) {
const index = this._localStreams.indexOf(stream);
if (index !== -1) {
return;
}
WebRTCModule.peerConnectionAddStream(stream._reactTag, this._peerConnectionId);
this._localStreams.push(stream);
}
/**
* Use removeTrack
* @param stream
* @deprecated
*/
removeStream(stream: MediaStream) {
const index = this._localStreams.indexOf(stream);
if (index === -1) {
return;
}
this._localStreams.splice(index, 1);
WebRTCModule.peerConnectionRemoveStream(stream._reactTag, this._peerConnectionId);
}
createOffer(options) {
return new Promise((resolve, reject) => {
WebRTCModule.peerConnectionCreateOffer(
this._peerConnectionId,
RTCUtil.normalizeOfferAnswerOptions(options),
(successful, data) => {
if (successful) {
resolve(new RTCSessionDescription(data));
} else {
reject(data); // TODO: convert to NavigatorUserMediaError
}
});
});
}
createAnswer(options = {}) {
return new Promise((resolve, reject) => {
WebRTCModule.peerConnectionCreateAnswer(
this._peerConnectionId,
RTCUtil.normalizeOfferAnswerOptions(options),
(successful, data) => {
if (successful) {
resolve(new RTCSessionDescription(data));
} else {
reject(data);
}
});
});
}
setConfiguration(configuration) {
WebRTCModule.peerConnectionSetConfiguration(configuration, this._peerConnectionId);
}
setLocalDescription(sessionDescription: RTCSessionDescription) {
return new Promise((resolve, reject) => {
WebRTCModule.peerConnectionSetLocalDescription(
sessionDescription.toJSON ? sessionDescription.toJSON() : sessionDescription,
this._peerConnectionId,
(successful, data) => {
if (successful) {
this.localDescription = sessionDescription;
resolve();
} else {
reject(data);
}
});
});
}
setRemoteDescription(sessionDescription: RTCSessionDescription) {
return new Promise((resolve, reject) => {
WebRTCModule.peerConnectionSetRemoteDescription(
sessionDescription.toJSON ? sessionDescription.toJSON() : sessionDescription,
this._peerConnectionId,
(successful, data) => {
if (successful) {
this.remoteDescription = sessionDescription;
resolve();
} else {
reject(data);
}
});
});
}
addIceCandidate(candidate) {
return new Promise((resolve, reject) => {
WebRTCModule.peerConnectionAddICECandidate(
candidate.toJSON ? candidate.toJSON() : candidate,
this._peerConnectionId,
(successful) => {
if (successful) {
resolve()
} else {
// XXX: This should be OperationError
reject(new Error('Failed to add ICE candidate'));
}
});
});
}
getSenderStats() {
return this.getStats();
}
getStats(track) {
// NOTE: This returns a Promise but the format of the results is still
// the "legacy" one. The native side (in Oobj-C) doesn't yet support the
// new format: https://bugs.chromium.org/p/webrtc/issues/detail?id=6872
return new Promise((resolve, reject) => {
WebRTCModule.peerConnectionGetStats(
(track && track.id) || '',
this._peerConnectionId,
(success, data) => {
if (success) {
// On both Android and iOS it is faster to construct a single
// JSON string representing the array of StatsReports and have it
// pass through the React Native bridge rather than the array of
// StatsReports. While the implementations do try to be faster in
// general, the stress is on being faster to pass through the React
// Native bridge which is a bottleneck that tends to be visible in
// the UI when there is congestion involving UI-related passing.
try {
const stats = JSON.parse(data);
resolve(stats);
} catch (e) {
resolve(null);
// React Native app will display en error when if the Promise is rejected. Resolve with null object and web sdk will ignore the stats object
// reject(e);
}
} else {
resolve(null);
// reject(new Error(data));
}
});
});
}
getLocalStreams() {
return this._localStreams.slice();
}
getRemoteStreams() {
return this._remoteStreams.slice();
}
getTransceivers() {
return this._transceivers;
}
getSenders() {
return this._senders;
}
close() {
WebRTCModule.peerConnectionClose(this._peerConnectionId);
}
_getTrack(streamReactTag, trackId): MediaStreamTrack {
const stream
= this._remoteStreams.find(
stream => stream._reactTag === streamReactTag);
return stream && stream._tracks.find(track => track.id === trackId);
}
_unregisterEvents(): void {
this._subscriptions.forEach(e => e.remove());
this._subscriptions = [];
}
_registerEvents(): void {
this._subscriptions = [
DeviceEventEmitter.addListener('peerConnectionOnRenegotiationNeeded', ev => {
if (ev.id !== this._peerConnectionId) {
return;
}
this.dispatchEvent(new RTCEvent('negotiationneeded'));
}),
DeviceEventEmitter.addListener('peerConnectionIceConnectionChanged', ev => {
if (ev.id !== this._peerConnectionId) {
return;
}
this.iceConnectionState = ev.iceConnectionState;
this.dispatchEvent(new RTCEvent('iceconnectionstatechange'));
if (ev.iceConnectionState === 'closed') {
// This PeerConnection is done, clean up event handlers.
this._unregisterEvents();
}
}),
DeviceEventEmitter.addListener('peerConnectionSignalingStateChanged', ev => {
if (ev.id !== this._peerConnectionId) {
return;
}
this.signalingState = ev.signalingState;
this.dispatchEvent(new RTCEvent('signalingstatechange'));
}),
DeviceEventEmitter.addListener('peerConnectionAddTrack', ev => {
if (ev.id !== this._peerConnectionId) {
return;
}
if (!ev.transceiverMid) {
throw new Error('transceiverMid is undefined');
}
ev.streams.forEach((s)=> {
const stream = new MediaStream(s);
let track = null;
stream.getTracks().forEach((t) => {
if (!track) {
track = t;
} else {
throw new Error('Stream cannot have more than 1 track');
}
})
this.dispatchEvent(new RTCTrackEvent ('track', { transceiver: { mid: ev.transceiverMid }, track, streams: [stream]}));
this._remoteStreams.push(stream);
})
if (ev.transceivers.length > 0) {
// transceivers list is built from native on every call
this._transceivers = [];
for (let i = 0; i < ev.transceivers.length; i += 1) {
const transceiver = {
mid: ev.transceivers[i]["transceiverMid"],
sender: {
track: null,
},
receiver: {
track: null,
},
};
if (ev.transceivers[i]["senderTrackId"]) {
transceiver.sender.track = {};
transceiver.sender.track["id"] = ev.transceivers[i]["senderTrackId"]
};
if (ev.transceivers[i]["receiverTrackId"]) {
transceiver.receiver.track = {};
transceiver.receiver.track["id"] = ev.transceivers[i]["receiverTrackId"]
};
this._transceivers.push(transceiver);
}
}
}),
DeviceEventEmitter.addListener('peerConnectionAddedSender', function(ev) {
if (ev.id !== this._peerConnectionId) {
return;
}
const sender = {
track: null,
replaceTrack: null,
getStats: this.getSenderStats.bind(this)
}
/*TODO:
build sender object
sender.track.id
sender.getStats()
sender.replaceTrack() --- setTrack() in native
*/
console.log("peerConnectionAddedSender: ", ev);
for (let t = 0; t < this._localTracks.length; t += 1) {
if (this._localTracks[t].id === ev.senderId || this._localTracks[t].id === ev.senderTrackId) {
sender.track = this._localTracks[t];
break;
}
}
if (!sender.track) {
throw new Error('Sender track is null');
}
this._senders.push(sender);
this.dispatchEvent(new RTCEvent('senderadded', { sender }));
}.bind(this)),
DeviceEventEmitter.addListener('peerConnectionRemovedSender', (ev) => {
if (ev.id !== this._peerConnectionId) {
return;
}
console.log("peerConnectionRemovedSender: ", ev);
for (let s = 0; s < this._senders.length; s += 1) {
if (this._senders[s].id === ev.senderId || this._senders[s].id === ev.senderTrackId) {
this._senders.splice(s, 1);
break;
}
}
}),
DeviceEventEmitter.addListener('peerConnectionAddedStream', ev => {
if (ev.id !== this._peerConnectionId) {
return;
}
const stream = new MediaStream(ev);
this.dispatchEvent(new MediaStreamEvent('addstream', {stream}));
}),
DeviceEventEmitter.addListener('peerConnectionRemovedStream', ev => {
if (ev.id !== this._peerConnectionId) {
return;
}
const stream = this._remoteStreams.find(s => s._reactTag === ev.streamId);
if (stream) {
const index = this._remoteStreams.indexOf(stream);
if (index !== -1) {
this._remoteStreams.splice(index, 1);
}
}
this.dispatchEvent(new MediaStreamEvent('removestream', {stream}));
}),
DeviceEventEmitter.addListener('mediaStreamTrackMuteChanged', ev => {
if (ev.peerConnectionId !== this._peerConnectionId) {
return;
}
const track = this._getTrack(ev.streamReactTag, ev.trackId);
if (track) {
track.muted = ev.muted;
const eventName = ev.muted ? 'mute' : 'unmute';
track.dispatchEvent(new MediaStreamTrackEvent(eventName, {track}));
}
}),
DeviceEventEmitter.addListener('peerConnectionGotICECandidate', ev => {
if (ev.id !== this._peerConnectionId) {
return;
}
const candidate = new RTCIceCandidate(ev.candidate);
const event = new RTCIceCandidateEvent('icecandidate', {candidate});
this.dispatchEvent(event);
}),
DeviceEventEmitter.addListener('peerConnectionIceGatheringChanged', ev => {
if (ev.id !== this._peerConnectionId) {
return;
}
this.iceGatheringState = ev.iceGatheringState;
if (this.iceGatheringState === 'complete') {
this.dispatchEvent(new RTCIceCandidateEvent('icecandidate', null));
}
this.dispatchEvent(new RTCEvent('icegatheringstatechange'));
}),
DeviceEventEmitter.addListener('peerConnectionDidOpenDataChannel', ev => {
if (ev.id !== this._peerConnectionId) {
return;
}
const evDataChannel = ev.dataChannel;
const id = evDataChannel.id;
// XXX RTP data channels are not defined by the WebRTC standard, have
// been deprecated in Chromium, and Google have decided (in 2015) to no
// longer support them (in the face of multiple reported issues of
// breakages).
if (typeof id !== 'number' || id === -1) {
return;
}
const channel
= new RTCDataChannel(
this._peerConnectionId,
evDataChannel.label,
evDataChannel);
// XXX webrtc::PeerConnection checked that id was not in use in its own
// SID allocator before it invoked us. Additionally, its own SID
// allocator is the authority on ResourceInUse. Consequently, it is
// (pretty) safe to update our RTCDataChannel.id allocator without
// checking for ResourceInUse.
this._dataChannelIds.add(id);
this.dispatchEvent(new RTCDataChannelEvent('datachannel', {channel}));
})
];
}
/**
* Creates a new RTCDataChannel object with the given label. The
* RTCDataChannelInit dictionary can be used to configure properties of the
* underlying channel such as data reliability.
*
* @param {string} label - the value with which the label attribute of the new
* instance is to be initialized
* @param {RTCDataChannelInit} dataChannelDict - an optional dictionary of
* values with which to initialize corresponding attributes of the new
* instance such as id
*/
createDataChannel(label: string, dataChannelDict?: ?RTCDataChannelInit) {
let id;
const dataChannelIds = this._dataChannelIds;
if (dataChannelDict && 'id' in dataChannelDict) {
id = dataChannelDict.id;
if (typeof id !== 'number') {
throw new TypeError('DataChannel id must be a number: ' + id);
}
if (dataChannelIds.has(id)) {
throw new ResourceInUse('DataChannel id already in use: ' + id);
}
} else {
// Allocate a new id.
// TODO Remembering the last used/allocated id and then incrementing it to
// generate the next id to use will surely be faster. However, I want to
// reuse ids (in the future) as the RTCDataChannel.id space is limited to
// unsigned short by the standard:
// https://www.w3.org/TR/webrtc/#dom-datachannel-id. Additionally, 65535
// is reserved due to SCTP INIT and INIT-ACK chunks only allowing a
// maximum of 65535 streams to be negotiated (as defined by the WebRTC
// Data Channel Establishment Protocol).
for (id = 0; id < 65535 && dataChannelIds.has(id); ++id);
// TODO Throw an error if no unused id is available.
dataChannelDict = Object.assign({id}, dataChannelDict);
}
// Skylink creates a test dataChannel to obtain data channel information which can be filled by just returning an instance of RTCDataChannel without calling native code
if (label !== 'test'){
WebRTCModule.createDataChannel(
this._peerConnectionId,
label,
dataChannelDict);
dataChannelIds.add(id);
}
return new RTCDataChannel(this._peerConnectionId, label, dataChannelDict);
}
}