twilio-video
Version:
Twilio Video JavaScript Library
267 lines (235 loc) • 10.5 kB
text/typescript
;
import {
CreateLocalAudioTrackOptions,
CreateLocalTrackOptions,
CreateLocalTracksOptions,
DefaultDeviceCaptureMode,
LocalTrack,
NoiseCancellationOptions
} from '../tsdef';
import { applyNoiseCancellation } from './media/track/noisecancellationimpl';
const { buildLogLevels } = require('./util');
const { getUserMedia, MediaStreamTrack } = require('./webrtc');
const {
LocalAudioTrack,
LocalDataTrack,
LocalVideoTrack
} = require('./media/track/es5');
const Log = require('./util/log');
const { DEFAULT_LOG_LEVEL, DEFAULT_LOGGER_NAME, typeErrors: { INVALID_VALUE } } = require('./util/constants');
const workaround180748 = require('./webaudio/workaround180748');
const telemetry = require('./insights/telemetry');
// This is used to make out which createLocalTracks() call a particular Log
// statement belongs to. Each call to createLocalTracks() increments this
// counter.
let createLocalTrackCalls = 0;
type ExtraLocalTrackOption = CreateLocalTrackOptions & { isCreatedByCreateLocalTracks?: boolean };
type ExtraLocalAudioTrackOption = ExtraLocalTrackOption & { defaultDeviceCaptureMode?: DefaultDeviceCaptureMode };
type ExtraLocalTrackOptions = { audio: ExtraLocalAudioTrackOption; video: ExtraLocalTrackOption; };
interface InternalOptions extends CreateLocalTracksOptions {
getUserMedia: any;
LocalAudioTrack: any;
LocalDataTrack: any;
LocalVideoTrack: any;
MediaStreamTrack: any;
Log: any;
}
/**
* Request {@link LocalTrack}s. By default, it requests a
* {@link LocalAudioTrack} and a {@link LocalVideoTrack}.
* Note that on mobile browsers, the camera can be reserved by only one {@link LocalVideoTrack}
* at any given time. If you attempt to create a second {@link LocalVideoTrack}, video frames
* will no longer be supplied to the first {@link LocalVideoTrack}.
* @alias module:twilio-video.createLocalTracks
* @param {CreateLocalTracksOptions} [options]
* @returns {Promise<Array<LocalTrack>>}
* @example
* var Video = require('twilio-video');
* // Request audio and video tracks
* Video.createLocalTracks().then(function(localTracks) {
* var localMediaContainer = document.getElementById('local-media-container-id');
* localTracks.forEach(function(track) {
* localMediaContainer.appendChild(track.attach());
* });
* });
* @example
* var Video = require('twilio-video');
* // Request just the default audio track
* Video.createLocalTracks({ audio: true }).then(function(localTracks) {
* return Video.connect('my-token', {
* name: 'my-cool-room',
* tracks: localTracks
* });
* });
* @example
* var Video = require('twilio-video');
* // Request the audio and video tracks with custom names
* Video.createLocalTracks({
* audio: { name: 'microphone' },
* video: { name: 'camera' }
* }).then(function(localTracks) {
* localTracks.forEach(function(localTrack) {
* console.log(localTrack.name);
* });
* });
*
* @example
* var Video = require('twilio-video');
* var localTracks;
*
* // Pre-acquire tracks to display camera preview.
* Video.createLocalTracks().then(function(tracks) {
* localTracks = tracks;
* var localVideoTrack = localTracks.find(track => track.kind === 'video');
* divContainer.appendChild(localVideoTrack.attach());
* })
*
* // Later, join the Room with the pre-acquired LocalTracks.
* Video.connect('token', {
* name: 'my-cool-room',
* tracks: localTracks
* });
*
*/
export async function createLocalTracks(options?: CreateLocalTracksOptions): Promise<LocalTrack[]> {
const isAudioVideoAbsent =
!(options && ('audio' in options || 'video' in options));
const fullOptions: InternalOptions = {
audio: isAudioVideoAbsent,
getUserMedia,
loggerName: DEFAULT_LOGGER_NAME,
logLevel: DEFAULT_LOG_LEVEL,
LocalAudioTrack,
LocalDataTrack,
LocalVideoTrack,
MediaStreamTrack,
Log,
video: isAudioVideoAbsent,
...options,
};
const logComponentName = `[createLocalTracks #${++createLocalTrackCalls}]`;
const logLevels = buildLogLevels(fullOptions.logLevel);
const log = new fullOptions.Log('default', logComponentName, logLevels, fullOptions.loggerName);
const localTrackOptions = Object.assign({ log }, fullOptions);
// NOTE(mmalavalli): The Room "name" in "options" was being used
// as the LocalTrack name in asLocalTrack(). So we pass a copy of
// "options" without the "name".
// NOTE(joma): CreateLocalTracksOptions type does not really have a "name" property when used publicly by customers.
// But we are passing this property when used internally by other JS files.
// We can update this "any" type once those JS files are converted to TS.
delete (localTrackOptions as any).name;
if (fullOptions.audio === false && fullOptions.video === false) {
log.info('Neither audio nor video requested, so returning empty LocalTracks');
return [];
}
if (fullOptions.tracks) {
log.info('Adding user-provided LocalTracks');
log.debug('LocalTracks:', fullOptions.tracks);
return fullOptions.tracks;
}
const extraLocalTrackOptions: ExtraLocalTrackOptions = {
audio: typeof fullOptions.audio === 'object' && fullOptions.audio.name
? { name: fullOptions.audio.name }
: { defaultDeviceCaptureMode: 'auto' },
video: typeof fullOptions.video === 'object' && fullOptions.video.name
? { name: fullOptions.video.name }
: {}
};
extraLocalTrackOptions.audio.isCreatedByCreateLocalTracks = true;
extraLocalTrackOptions.video.isCreatedByCreateLocalTracks = true;
let noiseCancellationOptions: NoiseCancellationOptions | undefined;
if (typeof fullOptions.audio === 'object') {
if (typeof fullOptions.audio.workaroundWebKitBug1208516 === 'boolean') {
extraLocalTrackOptions.audio.workaroundWebKitBug1208516 = fullOptions.audio.workaroundWebKitBug1208516;
}
if ('noiseCancellationOptions' in fullOptions.audio) {
noiseCancellationOptions = fullOptions.audio.noiseCancellationOptions;
delete fullOptions.audio.noiseCancellationOptions;
}
if (!('defaultDeviceCaptureMode' in fullOptions.audio)) {
extraLocalTrackOptions.audio.defaultDeviceCaptureMode = 'auto';
} else if (['auto', 'manual'].every(mode => mode !== (fullOptions.audio as CreateLocalAudioTrackOptions).defaultDeviceCaptureMode)) {
// eslint-disable-next-line new-cap
throw INVALID_VALUE('CreateLocalAudioTrackOptions.defaultDeviceCaptureMode', ['auto', 'manual']);
} else {
extraLocalTrackOptions.audio.defaultDeviceCaptureMode = fullOptions.audio.defaultDeviceCaptureMode;
}
}
if (typeof fullOptions.video === 'object' && typeof fullOptions.video.workaroundWebKitBug1208516 === 'boolean') {
extraLocalTrackOptions.video.workaroundWebKitBug1208516 = fullOptions.video.workaroundWebKitBug1208516;
}
if (typeof fullOptions.audio === 'object') {
delete fullOptions.audio.name;
}
if (typeof fullOptions.video === 'object') {
delete fullOptions.video.name;
}
const mediaStreamConstraints = {
audio: fullOptions.audio,
video: fullOptions.video
};
const workaroundWebKitBug180748 = typeof fullOptions.audio === 'object' && fullOptions.audio.workaroundWebKitBug180748;
try {
const mediaStream = await (workaroundWebKitBug180748
? workaround180748(log, fullOptions.getUserMedia, mediaStreamConstraints)
: fullOptions.getUserMedia(mediaStreamConstraints));
telemetry.getUserMedia.succeeded();
const mediaStreamTracks = [
...mediaStream.getAudioTracks(),
...mediaStream.getVideoTracks(),
];
log.info('Call to getUserMedia successful; got tracks:', mediaStreamTracks);
return await Promise.all(
mediaStreamTracks.map(async mediaStreamTrack => {
if (mediaStreamTrack.kind === 'audio' && noiseCancellationOptions) {
const { cleanTrack, noiseCancellation } = await applyNoiseCancellation(mediaStreamTrack, noiseCancellationOptions, log);
return new localTrackOptions.LocalAudioTrack(cleanTrack, {
...extraLocalTrackOptions.audio,
...localTrackOptions,
noiseCancellation
});
} else if (mediaStreamTrack.kind === 'audio') {
return new localTrackOptions.LocalAudioTrack(mediaStreamTrack, {
...extraLocalTrackOptions.audio,
...localTrackOptions,
});
}
return new localTrackOptions.LocalVideoTrack(mediaStreamTrack, {
...extraLocalTrackOptions.video,
...localTrackOptions,
});
})
);
} catch (error) {
if (error.name === 'NotAllowedError' || error.name === 'PermissionDeniedError') {
telemetry.getUserMedia.denied();
} else {
telemetry.getUserMedia.failed(error);
}
log.warn('Call to getUserMedia failed:', error);
throw error;
}
}
/**
* {@link createLocalTracks} options
* @typedef {object} CreateLocalTracksOptions
* @property {boolean|CreateLocalTrackOptions|CreateLocalAudioTrackOptions} [audio=true] - Whether or not to
* get local audio with <code>getUserMedia</code> when <code>tracks</code>
* are not provided.
* @property {function} [disposeMediaElement] - Callback triggered after a media track is detached from an audio or video element.
* @property {function} [enumerateDevices] - Overrides the native MediaDevices.enumerateDevices API.
* @property {function} [getUserMedia] - Overrides the native MediaDevices.getUserMedia API.
* @property {LogLevel|LogLevels} [logLevel='warn'] - <code>(deprecated: use [Video.Logger](module-twilio-video.html) instead.
* See [examples](module-twilio-video.html#.connect) for details)</code>
* Set the default log verbosity
* of logging. Passing a {@link LogLevel} string will use the same
* level for all components. Pass a {@link LogLevels} to set specific log
* levels.
* @property {string} [loggerName='twilio-video'] - The name of the logger. Use this name when accessing the logger used by the SDK.
* See [examples](module-twilio-video.html#.connect) for details.
* @property {function} [mapMediaElement] - Callback triggered after a media track is attached to an audio or video element.
* @property {MediaStream.constructor} [MediaStream] - Overrides the native MediaStream class.
* @property {boolean|CreateLocalTrackOptions} [video=true] - Whether or not to
* get local video with <code>getUserMedia</code> when <code>tracks</code>
* are not provided.
*/