bigbluebutton-Github/bigbluebutton-html5/imports/api/audio/client/bridge/service.js
prlanzarin 325887e325 feat(audio): rework audio join without listen only
This is a rework of the audio join procedure whithout the explict listen
only separation in mind. It's supposed to be used in conjunction with
the transparent listen only feature so that the distinction between
modes is seamless with minimal server-side impact. An abridged list of
changes:
  - Let the user pick no input device when joining microphone while
    allowing them to set an input device on the fly later on
  - Give the user the option to join audio with no input device whenever
    we fail to obtain input devices, with the option to try re-enabling
    them on the fly later on
  - Add the option to open the audio settings modal (echo test et al)
    via the in-call device selection chevron
  - Rework the SFU audio bridge and its services to support
    adding/removing tracks on the fly without renegotiation
  - Rework the SFU audio bridge and its services to support a new peer
    role called "passive-sendrecv". That role is used by dupled peers
    that have no active input source on start, but might have one later
    on.
  - Remove stale PermissionsOverlay component from the audio modal
  - Rework how permission errors are detected using the Permissions API
  - Rework the local echo test so that it uses a separate media tag
    rather than the remote
  - Add new, separate dialplans that mute/hold FreeSWITCH channels on
    hold based on UA strings. This is orchestrated server-side via
    webrtc-sfu and akka-apps. The basic difference here is that channels
    now join in their desired state rather than waiting for client side
    observers to sync the state up. It also mitigates transparent listen
    only performance edge cases on multiple audio channels joining at
    the same time.

The old, decoupled listen only mode is still present in code while we
validate this new approach. To test this, transparentListenOnly
must be enabled and listen only mode must be disable on audio join so
that the user skips straight through microphone join.
2024-08-15 00:43:28 +00:00

168 lines
5.3 KiB
JavaScript

import { getSettingsSingletonInstance } from '/imports/ui/services/settings';
import logger from '/imports/startup/client/logger';
import { getStorageSingletonInstance } from '/imports/ui/services/storage';
const AUDIO_SESSION_NUM_KEY = 'AudioSessionNumber';
const DEFAULT_INPUT_DEVICE_ID = '';
const DEFAULT_OUTPUT_DEVICE_ID = '';
const INPUT_DEVICE_ID_KEY = 'audioInputDeviceId';
const OUTPUT_DEVICE_ID_KEY = 'audioOutputDeviceId';
const getAudioSessionNumber = () => {
let currItem = parseInt(sessionStorage.getItem(AUDIO_SESSION_NUM_KEY), 10);
if (!currItem) {
currItem = 0;
}
currItem += 1;
sessionStorage.setItem(AUDIO_SESSION_NUM_KEY, currItem);
return currItem;
};
const getCurrentAudioSessionNumber = () => sessionStorage.getItem(AUDIO_SESSION_NUM_KEY) || '0';
const reloadAudioElement = (audioElement) => {
if (audioElement && (audioElement.readyState > 0)) {
audioElement.load();
return true;
}
return false;
};
const getCurrentAudioSinkId = () => {
const MEDIA_TAG = window.meetingClientSettings.public.media.mediaTag;
const audioElement = document.querySelector(MEDIA_TAG);
return audioElement?.sinkId || DEFAULT_OUTPUT_DEVICE_ID;
};
const getStoredAudioOutputDeviceId = () => getStorageSingletonInstance()
.getItem(OUTPUT_DEVICE_ID_KEY);
const storeAudioOutputDeviceId = (deviceId) => getStorageSingletonInstance()
.setItem(OUTPUT_DEVICE_ID_KEY, deviceId);
const getStoredAudioInputDeviceId = () => getStorageSingletonInstance()
.getItem(INPUT_DEVICE_ID_KEY);
const storeAudioInputDeviceId = (deviceId) => {
if (deviceId === 'listen-only') {
// Do not store listen-only "devices" and remove any stored device
// So it starts from scratch next time.
getStorageSingletonInstance().removeItem(INPUT_DEVICE_ID_KEY);
return false;
}
getStorageSingletonInstance().setItem(INPUT_DEVICE_ID_KEY, deviceId);
return true;
};
/**
* Filter constraints set in audioDeviceConstraints, based on
* constants supported by browser. This avoids setting a constraint
* unsupported by browser. In currently safari version (13+), for example,
* setting an unsupported constraint crashes the audio.
* @param {Object} audioDeviceConstraints Constraints to be set
* see: https://developer.mozilla.org/en-US/docs/Web/API/MediaTrackConstraints
* @return {Object} A new Object of the same type as
* input, containing only the supported constraints.
*/
const filterSupportedConstraints = (audioDeviceConstraints) => {
try {
const matchConstraints = {};
const supportedConstraints = navigator
.mediaDevices.getSupportedConstraints() || {};
Object.entries(audioDeviceConstraints).forEach(
([constraintName, constraintValue]) => {
if (supportedConstraints[constraintName]) {
matchConstraints[constraintName] = constraintValue;
}
},
);
return matchConstraints;
} catch (error) {
logger.error({
logCode: 'audio_unsupported_constraint_error',
}, 'Unsupported audio constraints');
return {};
}
};
const getAudioConstraints = (constraintFields = {}) => {
const { deviceId = '' } = constraintFields;
const Settings = getSettingsSingletonInstance();
const userSettingsConstraints = Settings.application.microphoneConstraints;
const audioDeviceConstraints = userSettingsConstraints
|| window.meetingClientSettings.public.app.defaultSettings.application.microphoneConstraints
|| {};
const matchConstraints = filterSupportedConstraints(
audioDeviceConstraints,
);
if (deviceId) {
matchConstraints.deviceId = { exact: deviceId };
}
return matchConstraints;
};
const doGUM = async (constraints, retryOnFailure = false) => {
try {
const stream = await navigator.mediaDevices.getUserMedia(constraints);
return stream;
} catch (error) {
// This is probably a deviceId mismatch. Retry with base constraints
// without an exact deviceId.
if (error.name === 'OverconstrainedError' && retryOnFailure) {
logger.warn({
logCode: 'audio_overconstrainederror_rollback',
extraInfo: {
constraints,
},
}, 'Audio getUserMedia returned OverconstrainedError, rollback');
return navigator.mediaDevices.getUserMedia({ audio: getAudioConstraints() });
}
// Not OverconstrainedError - bubble up the error.
throw error;
}
};
const isEnabled = () => window.meetingClientSettings.public.app.audioCaptions.enabled;
const getProvider = () => window.meetingClientSettings.public.app.audioCaptions.provider;
const isWebSpeechApi = () => getProvider() === 'webspeech';
const isVosk = () => getProvider() === 'vosk';
const isWhispering = () => getProvider() === 'whisper';
const isDeepSpeech = () => getProvider() === 'deepSpeech';
const isActive = () => isEnabled()
&& ((isWebSpeechApi()) || isVosk() || isWhispering() || isDeepSpeech());
const stereoUnsupported = () => isActive() && isVosk();
export {
DEFAULT_INPUT_DEVICE_ID,
DEFAULT_OUTPUT_DEVICE_ID,
INPUT_DEVICE_ID_KEY,
OUTPUT_DEVICE_ID_KEY,
getAudioSessionNumber,
getCurrentAudioSessionNumber,
reloadAudioElement,
filterSupportedConstraints,
getAudioConstraints,
getCurrentAudioSinkId,
getStoredAudioInputDeviceId,
storeAudioInputDeviceId,
getStoredAudioOutputDeviceId,
storeAudioOutputDeviceId,
doGUM,
stereoUnsupported,
};