@twilio/voice-sdk
Version:
Twilio's JavaScript Voice SDK
716 lines (609 loc) • 22.2 kB
text/typescript
import { EventEmitter } from 'events';
import { InvalidArgumentError } from './errors';
import Mos from './rtc/mos';
import RTCSample from './rtc/sample';
import { getRTCStats } from './rtc/stats';
import RTCWarning from './rtc/warning';
import { average } from './util';
// How many samples we use when testing metric thresholds
const SAMPLE_COUNT_METRICS = 5;
// How many samples that need to cross the threshold to
// raise or clear a warning.
const SAMPLE_COUNT_CLEAR = 0;
const SAMPLE_COUNT_RAISE = 3;
const SAMPLE_INTERVAL = 1000;
const WARNING_TIMEOUT = 5 * 1000;
const DEFAULT_THRESHOLDS: StatsMonitor.ThresholdOptions = {
audioInputLevel: { minStandardDeviation: 327.67, sampleCount: 10 },
audioOutputLevel: { minStandardDeviation: 327.67, sampleCount: 10 },
bytesReceived: { clearCount: 2, min: 1, raiseCount: 3, sampleCount: 3 },
bytesSent: { clearCount: 2, min: 1, raiseCount: 3, sampleCount: 3 },
jitter: { max: 30 },
mos: { min: 3 },
packetsLostFraction: [{
max: 1,
}, {
clearValue: 1,
maxAverage: 3,
sampleCount: 7,
}],
rtt: { max: 400 },
};
// Placeholders until we convert the respective files to TypeScript.
/**
* @private
*/
export type IPeerConnection = any;
/**
* @private
*/
export type IRTCStats = any;
/**
* @private
*/
export type IMos = typeof Mos;
/**
* Count the number of values that cross the max threshold.
* @private
* @param max - The max allowable value.
* @param values - The values to iterate over.
* @returns The amount of values in which the stat crossed the threshold.
*/
function countHigh(max: number, values: number[]): number {
return values.reduce((highCount, value) => highCount += (value > max) ? 1 : 0, 0);
}
/**
* Count the number of values that cross the min threshold.
* @private
* @param min - The minimum allowable value.
* @param values - The values to iterate over.
* @returns The amount of values in which the stat crossed the threshold.
*/
function countLow(min: number, values: number[]): number {
return values.reduce((lowCount, value) => lowCount += (value < min) ? 1 : 0, 0);
}
/**
* Calculate the standard deviation from a list of numbers.
* @private
* @param values The list of numbers to calculate the standard deviation from.
* @returns The standard deviation of a list of numbers.
*/
function calculateStandardDeviation(values: number[]): number | null {
if (values.length <= 0) {
return null;
}
const valueAverage: number = values.reduce(
(partialSum: number, value: number) => partialSum + value,
0,
) / values.length;
const diffSquared: number[] = values.map(
(value: number) => Math.pow(value - valueAverage, 2),
);
const stdDev: number = Math.sqrt(diffSquared.reduce(
(partialSum: number, value: number) => partialSum + value,
0,
) / diffSquared.length);
return stdDev;
}
/**
* Flatten a set of numerical sample sets into a single array of samples.
* @param sampleSets
*/
function flattenSamples(sampleSets: number[][]): number[] {
return sampleSets.reduce(
(flat: number[], current: number[]) => [...flat, ...current],
[],
);
}
/**
* {@link StatsMonitor} polls a peerConnection via PeerConnection.getStats
* and emits warnings when stats cross the specified threshold values.
*/
class StatsMonitor extends EventEmitter {
/**
* A map of warnings with their raised time
*/
private _activeWarnings: Map<string, StatsMonitor.WarningTimestamp> = new Map();
/**
* A map of stats with the number of exceeded thresholds
*/
private _currentStreaks: Map<string, number> = new Map();
/**
* Method to get stats from a PeerConnection object. Overrides getRTCStats library
*/
private _getRTCStats: (peerConnection: IPeerConnection, options?: any) => IRTCStats;
/**
* Keeps track of input volumes in the last second
*/
private _inputVolumes: number[] = [];
/**
* How many samples we use when testing metric thresholds.
*/
private _maxSampleCount: number;
/**
* For calculating Mos. Overrides Mos library
*/
private _mos: IMos;
/**
* Keeps track of output volumes in the last second
*/
private _outputVolumes: number[] = [];
/**
* The PeerConnection to monitor.
*/
private _peerConnection: IPeerConnection;
/**
* Sample buffer. Saves most recent samples
*/
private _sampleBuffer: RTCSample[] = [];
/**
* The setInterval id for fetching samples.
*/
private _sampleInterval?: NodeJS.Timeout;
/**
* Keeps track of supplemental sample values.
*
* Currently used for constant audio detection. Contains an array of volume
* samples for each sample interval.
*/
private _supplementalSampleBuffers: Record<string, number[][]> = {
audioInputLevel: [],
audioOutputLevel: [],
};
/**
* Threshold values for {@link StatsMonitor}
*/
private _thresholds: StatsMonitor.ThresholdOptions;
/**
* Whether warnings should be enabled
*/
private _warningsEnabled: boolean = true;
/**
* @constructor
* @param [options] - Optional settings
*/
constructor(options?: StatsMonitor.Options) {
super();
options = options || {};
this._getRTCStats = options.getRTCStats || getRTCStats;
this._mos = options.Mos || Mos;
this._peerConnection = options.peerConnection;
this._thresholds = {...DEFAULT_THRESHOLDS, ...options.thresholds};
const thresholdSampleCounts = Object.values(this._thresholds)
.map((threshold: StatsMonitor.ThresholdOptions) => threshold.sampleCount)
.filter((sampleCount: number | undefined) => !!sampleCount);
this._maxSampleCount = Math.max(SAMPLE_COUNT_METRICS, ...thresholdSampleCounts);
if (this._peerConnection) {
this.enable(this._peerConnection);
}
}
/**
* Called when a volume sample is available
* @param inputVolume - Input volume level from 0 to 32767
* @param outputVolume - Output volume level from 0 to 32767
*/
addVolumes(inputVolume: number, outputVolume: number): void {
this._inputVolumes.push(inputVolume);
this._outputVolumes.push(outputVolume);
}
/**
* Stop sampling RTC statistics for this {@link StatsMonitor}.
* @returns The current {@link StatsMonitor}.
*/
disable(): this {
if (this._sampleInterval) {
clearInterval(this._sampleInterval);
delete this._sampleInterval;
}
return this;
}
/**
* Disable warnings for this {@link StatsMonitor}.
* @returns The current {@link StatsMonitor}.
*/
disableWarnings(): this {
if (this._warningsEnabled) {
this._activeWarnings.clear();
}
this._warningsEnabled = false;
return this;
}
/**
* Start sampling RTC statistics for this {@link StatsMonitor}.
* @param peerConnection - A PeerConnection to monitor.
* @returns The current {@link StatsMonitor}.
*/
enable(peerConnection: IPeerConnection): this {
if (peerConnection) {
if (this._peerConnection && peerConnection !== this._peerConnection) {
throw new InvalidArgumentError('Attempted to replace an existing PeerConnection in StatsMonitor.enable');
}
this._peerConnection = peerConnection;
}
if (!this._peerConnection) {
throw new InvalidArgumentError('Can not enable StatsMonitor without a PeerConnection');
}
this._sampleInterval = this._sampleInterval ||
setInterval(this._fetchSample.bind(this), SAMPLE_INTERVAL);
return this;
}
/**
* Enable warnings for this {@link StatsMonitor}.
* @returns The current {@link StatsMonitor}.
*/
enableWarnings(): this {
this._warningsEnabled = true;
return this;
}
/**
* Check if there is an active warning for a specific stat and threshold
* @param statName - The name of the stat to check
* @param thresholdName - The name of the threshold to check
* @returns Whether there is an active warning for a specific stat and threshold
*/
hasActiveWarning(statName: string, thresholdName: string): boolean {
const warningId = `${statName}:${thresholdName}`;
return !!this._activeWarnings.get(warningId);
}
/**
* Add a sample to our sample buffer and remove the oldest if we are over the limit.
* @param sample - Sample to add
*/
private _addSample(sample: RTCSample): void {
const samples = this._sampleBuffer;
samples.push(sample);
// We store 1 extra sample so that we always have (current, previous)
// available for all {sampleBufferSize} threshold validations.
if (samples.length > this._maxSampleCount) {
samples.splice(0, samples.length - this._maxSampleCount);
}
}
/**
* Clear an active warning.
* @param statName - The name of the stat to clear.
* @param thresholdName - The name of the threshold to clear
* @param [data] - Any relevant sample data.
*/
private _clearWarning(statName: string, thresholdName: string, data?: RTCWarning): void {
const warningId = `${statName}:${thresholdName}`;
const activeWarning = this._activeWarnings.get(warningId);
if (!activeWarning || Date.now() - activeWarning.timeRaised < WARNING_TIMEOUT) { return; }
this._activeWarnings.delete(warningId);
this.emit('warning-cleared', {
...data,
name: statName,
threshold: {
name: thresholdName,
value: this._thresholds[statName][thresholdName],
},
});
}
/**
* Create a sample object from a stats object using the previous sample, if available.
* @param stats - Stats retrieved from getStatistics
* @param [previousSample=null] - The previous sample to use to calculate deltas.
* @returns A universally-formatted version of RTC stats.
*/
private _createSample(stats: IRTCStats, previousSample: RTCSample | null): RTCSample {
const previousBytesSent = previousSample && previousSample.totals.bytesSent || 0;
const previousBytesReceived = previousSample && previousSample.totals.bytesReceived || 0;
const previousPacketsSent = previousSample && previousSample.totals.packetsSent || 0;
const previousPacketsReceived = previousSample && previousSample.totals.packetsReceived || 0;
const previousPacketsLost = previousSample && previousSample.totals.packetsLost || 0;
const currentBytesSent = stats.bytesSent - previousBytesSent;
const currentBytesReceived = stats.bytesReceived - previousBytesReceived;
const currentPacketsSent = stats.packetsSent - previousPacketsSent;
const currentPacketsReceived = stats.packetsReceived - previousPacketsReceived;
const currentPacketsLost = stats.packetsLost - previousPacketsLost;
const currentInboundPackets = currentPacketsReceived + currentPacketsLost;
const currentPacketsLostFraction = (currentInboundPackets > 0) ?
(currentPacketsLost / currentInboundPackets) * 100 : 0;
const totalInboundPackets = stats.packetsReceived + stats.packetsLost;
const totalPacketsLostFraction = (totalInboundPackets > 0) ?
(stats.packetsLost / totalInboundPackets) * 100 : 100;
const rttValue = (typeof stats.rtt === 'number' || !previousSample) ? stats.rtt : previousSample.rtt;
const audioInputLevelValues = this._inputVolumes.splice(0);
this._supplementalSampleBuffers.audioInputLevel.push(audioInputLevelValues);
const audioOutputLevelValues = this._outputVolumes.splice(0);
this._supplementalSampleBuffers.audioOutputLevel.push(audioOutputLevelValues);
return {
audioInputLevel: Math.round(average(audioInputLevelValues)),
audioOutputLevel: Math.round(average(audioOutputLevelValues)),
bytesReceived: currentBytesReceived,
bytesSent: currentBytesSent,
codecName: stats.codecName,
jitter: stats.jitter,
mos: this._mos.calculate(rttValue, stats.jitter, previousSample && currentPacketsLostFraction),
packetsLost: currentPacketsLost,
packetsLostFraction: currentPacketsLostFraction,
packetsReceived: currentPacketsReceived,
packetsSent: currentPacketsSent,
rtt: rttValue,
timestamp: stats.timestamp,
totals: {
bytesReceived: stats.bytesReceived,
bytesSent: stats.bytesSent,
packetsLost: stats.packetsLost,
packetsLostFraction: totalPacketsLostFraction,
packetsReceived: stats.packetsReceived,
packetsSent: stats.packetsSent,
},
};
}
/**
* Get stats from the PeerConnection and add it to our list of samples.
*/
private _fetchSample(): void {
this._getSample().then(sample => {
this._addSample(sample);
this._raiseWarnings();
this.emit('sample', sample);
}).catch(error => {
this.disable();
// We only bubble up any errors coming from pc.getStats()
// No need to attach a twilioError
this.emit('error', error);
});
}
/**
* Get stats from the PeerConnection.
* @returns A universally-formatted version of RTC stats.
*/
private _getSample(): Promise<RTCSample> {
return this._getRTCStats(this._peerConnection).then((stats: IRTCStats) => {
let previousSample = null;
if (this._sampleBuffer.length) {
previousSample = this._sampleBuffer[this._sampleBuffer.length - 1];
}
return this._createSample(stats, previousSample);
});
}
/**
* Raise a warning and log its raised time.
* @param statName - The name of the stat to raise.
* @param thresholdName - The name of the threshold to raise
* @param [data] - Any relevant sample data.
*/
private _raiseWarning(statName: string, thresholdName: string, data?: RTCWarning): void {
const warningId = `${statName}:${thresholdName}`;
if (this._activeWarnings.has(warningId)) { return; }
this._activeWarnings.set(warningId, { timeRaised: Date.now() });
const thresholds: StatsMonitor.ThresholdOption | StatsMonitor.ThresholdOption[] =
this._thresholds[statName];
let thresholdValue;
if (Array.isArray(thresholds)) {
const foundThreshold = thresholds.find(threshold => thresholdName in threshold);
if (foundThreshold) {
thresholdValue = foundThreshold[thresholdName as keyof StatsMonitor.ThresholdOption];
}
} else {
thresholdValue = this._thresholds[statName][thresholdName];
}
this.emit('warning', {
...data,
name: statName,
threshold: {
name: thresholdName,
value: thresholdValue,
},
});
}
/**
* Apply our thresholds to our array of RTCStat samples.
*/
private _raiseWarnings(): void {
if (!this._warningsEnabled) { return; }
Object.keys(this._thresholds).forEach(name => this._raiseWarningsForStat(name));
}
/**
* Apply thresholds for a given stat name to our array of
* RTCStat samples and raise or clear any associated warnings.
* @param statName - Name of the stat to compare.
*/
private _raiseWarningsForStat(statName: string): void {
const limits: StatsMonitor.ThresholdOptions[] =
Array.isArray(this._thresholds[statName])
? this._thresholds[statName]
: [this._thresholds[statName]];
limits.forEach((limit: StatsMonitor.ThresholdOptions) => {
const samples = this._sampleBuffer;
const clearCount = limit.clearCount || SAMPLE_COUNT_CLEAR;
const raiseCount = limit.raiseCount || SAMPLE_COUNT_RAISE;
const sampleCount = limit.sampleCount || this._maxSampleCount;
let relevantSamples = samples.slice(-sampleCount);
const values = relevantSamples.map(sample => sample[statName]);
// (rrowland) If we have a bad or missing value in the set, we don't
// have enough information to throw or clear a warning. Bail out.
const containsNull = values.some(value => typeof value === 'undefined' || value === null);
if (containsNull) {
return;
}
let count;
if (typeof limit.max === 'number') {
count = countHigh(limit.max, values);
if (count >= raiseCount) {
this._raiseWarning(statName, 'max', { values, samples: relevantSamples });
} else if (count <= clearCount) {
this._clearWarning(statName, 'max', { values, samples: relevantSamples });
}
}
if (typeof limit.min === 'number') {
count = countLow(limit.min, values);
if (count >= raiseCount) {
this._raiseWarning(statName, 'min', { values, samples: relevantSamples });
} else if (count <= clearCount) {
this._clearWarning(statName, 'min', { values, samples: relevantSamples });
}
}
if (typeof limit.maxDuration === 'number' && samples.length > 1) {
relevantSamples = samples.slice(-2);
const prevValue = relevantSamples[0][statName];
const curValue = relevantSamples[1][statName];
const prevStreak = this._currentStreaks.get(statName) || 0;
const streak = (prevValue === curValue) ? prevStreak + 1 : 0;
this._currentStreaks.set(statName, streak);
if (streak >= limit.maxDuration) {
this._raiseWarning(statName, 'maxDuration', { value: streak });
} else if (streak === 0) {
this._clearWarning(statName, 'maxDuration', { value: prevStreak });
}
}
if (typeof limit.minStandardDeviation === 'number') {
const sampleSets: number[][] = this._supplementalSampleBuffers[statName];
if (!sampleSets || sampleSets.length < limit.sampleCount) {
return;
}
if (sampleSets.length > limit.sampleCount) {
sampleSets.splice(0, sampleSets.length - limit.sampleCount);
}
const flatSamples: number[] = flattenSamples(sampleSets.slice(-sampleCount));
const stdDev: number | null = calculateStandardDeviation(flatSamples);
if (typeof stdDev !== 'number') {
return;
}
if (stdDev < limit.minStandardDeviation) {
this._raiseWarning(statName, 'minStandardDeviation', { value: stdDev });
} else {
this._clearWarning(statName, 'minStandardDeviation', { value: stdDev });
}
}
([
['maxAverage', (x: number, y: number) => x > y],
['minAverage', (x: number, y: number) => x < y],
] as const).forEach(([thresholdName, comparator]) => {
if (typeof limit[thresholdName] === 'number' && values.length >= sampleCount) {
const avg: number = average(values);
if (comparator(avg, limit[thresholdName])) {
this._raiseWarning(statName, thresholdName, { values, samples: relevantSamples });
} else if (!comparator(avg, limit.clearValue || limit[thresholdName])) {
this._clearWarning(statName, thresholdName, { values, samples: relevantSamples });
}
}
});
});
}
}
namespace StatsMonitor {
/**
* Config options to be passed to the {@link StatsMonitor} constructor.
* @private
*/
export interface Options {
/**
* Method to get stats from a PeerConnection object
*/
getRTCStats?: (peerConnection: IPeerConnection) => IRTCStats;
/**
* For calculating Mos. Overrides Mos library
*/
Mos?: IMos;
/**
* The PeerConnection to monitor.
*/
peerConnection?: IPeerConnection;
/**
* Optional custom threshold values.
*/
thresholds?: ThresholdOptions;
}
/**
* Speficic threshold value for {@link ThresholdOptions}
* @private
*/
export interface ThresholdOption {
/**
* How many samples that need to cross the threshold to clear a warning.
* Overrides SAMPLE_COUNT_CLEAR
*/
clearCount?: number;
/**
* Used with the `minAverage` and `maxAverage` options. If `maxAverage` is
* used, then the warning will be cleared when at or below this value. If
* `minAverage` is used, then the warning will be cleared at or above this
* value.
*/
clearValue?: number;
/**
* Warning will be raised if tracked metric rises above this value.
*/
max?: number;
/**
* Warning will be raised based on the average over `sampleCount` samples.
* The warning is raised if the average is above the `raiseValue` amount and
* is cleared when below the `clearValue` amount.
*/
maxAverage?: number;
/**
* Warning will be raised if tracked metric stays constant for
* the specified number of consequent samples.
*/
maxDuration?: number;
/**
* Warning will be raised if tracked metric falls below this value.
*/
min?: number;
/**
* Warning will be raised based on the average over `sampleCount` samples.
* The warning is raised if the average is below the `raiseValue` amount and
* is cleared when above the `clearValue` amount.
*/
minAverage?: number;
/**
* Warning will be raised if the standard deviation of the tracked metric
* does not exceed this value.
*/
minStandardDeviation?: number;
/**
* How many samples that need to cross the threshold to raise a warning.
* Overrides SAMPLE_COUNT_RAISE
*/
raiseCount?: number;
/**
* How many samples we use when testing metric thresholds.
* Overrides _maxSampleCount
*/
sampleCount?: number;
}
/**
* Threshold values for {@link StatsMonitor}
* @private
*/
export interface ThresholdOptions {
[key: string]: any;
/**
* Audio input level between 0 and 32767, representing -100 to -30 dB.
*/
audioInputLevel?: ThresholdOption;
/**
* Audio output level between 0 and 32767, representing -100 to -30 dB.
*/
audioOutputLevel?: ThresholdOption;
/**
* Rules to apply to sample.jitter
*/
jitter?: ThresholdOption;
/**
* Rules to apply to sample.mos
*/
mos?: ThresholdOption;
/**
* Rules to apply to sample.packetsLostFraction
*/
packetsLostFraction?: ThresholdOption[];
/**
* Rules to apply to sample.rtt
*/
rtt?: ThresholdOption;
}
/**
* Timestamp for raised warnings
* @private
*/
export interface WarningTimestamp {
/**
* Timestamp in milliseconds
*/
timeRaised: number;
}
}
export default StatsMonitor;