Merge pull request #19769 from stweil/typos

Fix typos (found by codespell)
This commit is contained in:
Anton Georgiev 2024-03-11 10:20:51 -04:00 committed by GitHub
commit 36dbf79189
No known key found for this signature in database
GPG Key ID: B5690EEEBB952194
89 changed files with 163 additions and 163 deletions

View File

@ -17,7 +17,7 @@ As such, we recommend that all administrators deploy 2.7 going forward. You'll
## Reporting a Vulnerability
If you believe you have found a security vunerability in BigBlueButton please let us know directly by
If you believe you have found a security vulnerability in BigBlueButton please let us know directly by
- using GitHub's "Report a vulnerability" functionality on https://github.com/bigbluebutton/bigbluebutton/security/advisories
- or e-mailing security@bigbluebutton.org with as much detail as possible.

View File

@ -15,7 +15,7 @@ trait SetPresenterInDefaultPodInternalMsgHdlr {
msg: SetPresenterInDefaultPodInternalMsg, state: MeetingState2x,
liveMeeting: LiveMeeting, bus: MessageBus
): MeetingState2x = {
// Swith presenter as default presenter pod has changed.
// Switch presenter as default presenter pod has changed.
log.info("Presenter pod change will trigger a presenter change")
SetPresenterInPodActionHandler.handleAction(state, liveMeeting, bus.outGW, "", PresentationPod.DEFAULT_PRESENTATION_POD, msg.presenterId)
}

View File

@ -367,7 +367,7 @@ public class Bezier {
* @param first Indice of first point in d.
* @param last Indice of last point in d.
* @param tHat1 Unit tangent vectors at start point.
* @param tHat2 Unit tanget vector at end point.
* @param tHat2 Unit tangent vector at end point.
* @param errorSquared User-defined errorSquared squared.
* @param bezierPath Path to which the bezier curve segments are added.
*/
@ -580,7 +580,7 @@ public class Bezier {
*
* @param Q Current fitted bezier curve.
* @param P Digitized point.
* @param u Parameter value vor P.
* @param u Parameter value for P.
*/
private static double newtonRaphsonRootFind(Point2D.Double[] Q, Point2D.Double P, double u) {
double numerator, denominator;
@ -661,7 +661,7 @@ public class Bezier {
* @param last Indice of last point in d.
* @param uPrime Parameter values for region .
* @param tHat1 Unit tangent vectors at start point.
* @param tHat2 Unit tanget vector at end point.
* @param tHat2 Unit tangent vector at end point.
* @return A cubic bezier curve consisting of 4 control points.
*/
private static Point2D.Double[] generateBezier(ArrayList<Point2D.Double> d, int first, int last, double[] uPrime, Point2D.Double tHat1, Point2D.Double tHat2) {

View File

@ -40,7 +40,7 @@ public class BezierPath extends ArrayList<BezierPath.Node>
private static final long serialVersionUID=1L;
/** Constant for having only control point C0 in effect. C0 is the point
* through whitch the curve passes. */
* through which the curve passes. */
public static final int C0_MASK = 0;
/** Constant for having control point C1 in effect (in addition
* to C0). C1 controls the curve going towards C0.

View File

@ -281,7 +281,7 @@ class RedisRecorderActor(
}
private def getPresentationId(whiteboardId: String): String = {
// Need to split the whiteboard id into presenation id and page num as the old
// Need to split the whiteboard id into presentation id and page num as the old
// recording expects them
val strId = new StringOps(whiteboardId)
val ids = strId.split('/')

View File

@ -143,7 +143,7 @@ case class SetRecordingStatusCmdMsg(header: BbbClientMsgHeader, body: SetRecordi
case class SetRecordingStatusCmdMsgBody(recording: Boolean, setBy: String)
/**
* Sent by user to start recording mark and ignore previsous marks
* Sent by user to start recording mark and ignore previous marks
*/
object RecordAndClearPreviousMarkersCmdMsg { val NAME = "RecordAndClearPreviousMarkersCmdMsg" }
case class RecordAndClearPreviousMarkersCmdMsg(header: BbbClientMsgHeader, body: RecordAndClearPreviousMarkersCmdMsgBody) extends StandardMsg

View File

@ -111,7 +111,7 @@ public class ApiParams {
public static final String RECORD_FULL_DURATION_MEDIA = "recordFullDurationMedia";
private ApiParams() {
throw new IllegalStateException("ApiParams is a utility class. Instanciation is forbidden.");
throw new IllegalStateException("ApiParams is a utility class. Instantiation is forbidden.");
}
}

View File

@ -124,7 +124,7 @@ public class RecordingServiceFileImpl implements RecordingService {
if (!doneFile.exists())
log.error("Failed to create {} file.", done);
} catch (IOException e) {
log.error("Exception occured when trying to create {} file", done);
log.error("Exception occurred when trying to create {} file", done);
}
} else {
log.error("{} file already exists.", done);
@ -141,7 +141,7 @@ public class RecordingServiceFileImpl implements RecordingService {
if (!doneFile.exists())
log.error("Failed to create {} file.", done);
} catch (IOException e) {
log.error("Exception occured when trying to create {} file.", done);
log.error("Exception occurred when trying to create {} file.", done);
}
} else {
log.error("{} file already exists.", done);
@ -158,7 +158,7 @@ public class RecordingServiceFileImpl implements RecordingService {
if (!doneFile.exists())
log.error("Failed to create " + done + " file.");
} catch (IOException e) {
log.error("Exception occured when trying to create {} file.", done);
log.error("Exception occurred when trying to create {} file.", done);
}
} else {
log.error(done + " file already exists.");

View File

@ -37,7 +37,7 @@ public class ResponseBuilder {
try {
cfg.setDirectoryForTemplateLoading(templatesLoc);
} catch (IOException e) {
log.error("Exception occured creating ResponseBuilder", e);
log.error("Exception occurred creating ResponseBuilder", e);
}
setUpConfiguration();
}
@ -96,12 +96,12 @@ public class ResponseBuilder {
return xmlText.toString();
}
public String buildErrors(ArrayList erros, String returnCode) {
public String buildErrors(ArrayList errors, String returnCode) {
StringWriter xmlText = new StringWriter();
Map<String, Object> data = new HashMap<String, Object>();
data.put("returnCode", returnCode);
data.put("errorsList", erros);
data.put("errorsList", errors);
processData(getTemplate("api-errors.ftlx"), data, xmlText);

View File

@ -41,6 +41,6 @@ public class ConversionMessageConstants {
public static final String CONVERSION_TIMEOUT_KEY = "CONVERSION_TIMEOUT";
private ConversionMessageConstants() {
throw new IllegalStateException("ConversionMessageConstants is a utility class. Instanciation is forbidden.");
throw new IllegalStateException("ConversionMessageConstants is a utility class. Instantiation is forbidden.");
}
}

View File

@ -81,7 +81,7 @@ public class ExternalProcessExecutor {
try {
if (!proc.waitFor(timeout.toMillis(), TimeUnit.MILLISECONDS)) {
log.warn("TIMEDOUT excuting: {}", String.join(" ", cmd));
log.warn("TIMEDOUT executing: {}", String.join(" ", cmd));
proc.destroy();
}
return !proc.isAlive() && proc.exitValue() == 0;

View File

@ -157,7 +157,7 @@ public class Client
* Sends a FreeSWITCH API command to the server and blocks, waiting for an immediate response from the
* server.
* <p/>
* The outcome of the command from the server is retured in an {@link EslMessage} object.
* The outcome of the command from the server is returned in an {@link EslMessage} object.
*
* @param command API command to send
* @param arg command arguments
@ -454,7 +454,7 @@ public class Client
public void run() {
try {
/**
* Custom extra parsing to get conference Events for BigBlueButton / FreeSwitch intergration
* Custom extra parsing to get conference Events for BigBlueButton / FreeSwitch integration
*/
//FIXME: make the conference headers constants
if (event.getEventSubclass().equals("conference::maintenance")) {
@ -495,7 +495,7 @@ public class Client
listener.conferenceEventPlayFile(uniqueId, confName, confSize, event);
return;
} else if (eventFunc.equals("conf_api_sub_transfer") || eventFunc.equals("conference_api_sub_transfer")) {
//Member transfered to another conf...
//Member transferred to another conf...
listener.conferenceEventTransfer(uniqueId, confName, confSize, event);
return;
} else if (eventFunc.equals("conference_add_member") || eventFunc.equals("conference_member_add")) {

View File

@ -27,7 +27,7 @@ import org.slf4j.LoggerFactory;
/**
* a {@link Runnable} which sends the specified {@link ChannelEvent} upstream.
* Most users will not see this type at all because it is used by
* {@link Executor} implementors only
* {@link Executor} implementers only
*
* @author The Netty Project (netty-dev@lists.jboss.org)
* @author Trustin Lee (tlee@redhat.com)

View File

@ -26,7 +26,7 @@ import org.slf4j.LoggerFactory;
* the following:
* <pre>
&lt;extension&gt;
&lt;condition field="destination_number" expresssion="444"&gt;
&lt;condition field="destination_number" expression="444"&gt;
&lt;action application="socket" data="192.168.100.88:8084 async full"/&gt;
&lt;/condition&gt;
&lt;/extension&gt;

View File

@ -21,7 +21,7 @@ export default function buildRedisMessage(sessionVariables: Record<string, unkno
recording: input.recording
};
//TODO check if backend velidate it
//TODO check if backend validates it
// const recordObject = await RecordMeetings.findOneAsync({ meetingId });
//

View File

@ -41,7 +41,7 @@ func HasuraConnectionReader(hc *common.HasuraConnection, fromHasuraToBrowserChan
subscription, ok := hc.Browserconn.ActiveSubscriptions[queryId]
hc.Browserconn.ActiveSubscriptionsMutex.RUnlock()
if !ok {
log.Debugf("Subscription with Id %s doesn't exist anymore, skiping response.", queryId)
log.Debugf("Subscription with Id %s doesn't exist anymore, skipping response.", queryId)
return
}

View File

@ -36,7 +36,7 @@ func BrowserConnectionReader(browserConnectionId string, ctx context.Context, c
var v interface{}
err := wsjson.Read(ctx, c, &v)
if err != nil {
log.Debugf("Browser is disconnected, skiping reading of ws message: %v", err)
log.Debugf("Browser is disconnected, skipping reading of ws message: %v", err)
return
}

View File

@ -28,7 +28,7 @@ RangeLoop:
log.Tracef("sending to browser: %v", toBrowserMessage)
err := wsjson.Write(ctx, c, toBrowserMessage)
if err != nil {
log.Debugf("Browser is disconnected, skiping writing of ws message: %v", err)
log.Debugf("Browser is disconnected, skipping writing of ws message: %v", err)
return
}

View File

@ -249,7 +249,7 @@ CREATE TABLE "user" (
"registeredOn" bigint,
"excludeFromDashboard" bool,
"enforceLayout" varchar(50),
--columns of user state bellow
--columns of user state below
"raiseHand" bool default false,
"raiseHandTime" timestamp with time zone,
"away" bool default false,

View File

@ -18,7 +18,7 @@ conf.orig dir is what was installed by freeswitch by default
NOTE: you must double check this config if you intend to have
the freeswitch server on a public facing interface.
It defaults to localhost for the event socket inteface.
It defaults to localhost for the event socket interface.
I run my server in a test environment with
/usr/local/freeswitch/bin/freeswitch -hp -nc

View File

@ -3,7 +3,7 @@
NOTICE:
This context is usually accessed via authenticated callers on the sip profile on port 5060
or transfered callers from the public context which arrived via the sip profile on port 5080.
or transferred callers from the public context which arrived via the sip profile on port 5080.
Authenticated users will use the user_context variable on the user to determine what context
they can access. You can also add a user in the directory with the cidr= attribute acl.conf.xml

View File

@ -7,7 +7,7 @@
<params>
<!-- omit password for authless registration -->
<param name="password" value="secret"/>
<!-- What this user is allowed to acces -->
<!-- What this user is allowed to access -->
<!--<param name="http-allowed-api" value="jsapi,voicemail,status"/> -->
</params>
<variables>

View File

@ -327,7 +327,7 @@
<!--<param name="rtcp-audio-interval-msec" value="5000"/>-->
<!--<param name="rtcp-video-interval-msec" value="5000"/>-->
<!--force suscription expires to a lower value than requested-->
<!--force subscription expires to a lower value than requested-->
<!--<param name="force-subscription-expires" value="60"/>-->
<!-- add a random deviation to the expires value of the 202 Accepted -->

View File

@ -166,7 +166,7 @@
rtp_secure_media_suites
____________________________________________________________________________
Optionaly you can use rtp_secure_media_suites to dictate the suite list
Optionally you can use rtp_secure_media_suites to dictate the suite list
and only use rtp_secure_media=[optional|mandatory|false|true] without having
to dictate the suite list with the rtp_secure_media* variables.
-->
@ -175,7 +175,7 @@
codecname[@8000h|16000h|32000h[@XXi]]
XX is the frame size must be multples allowed for the codec
XX is the frame size must be multiples allowed for the codec
FreeSWITCH can support 10-120ms on some codecs.
We do not support exceeding the MTU of the RTP packet.
@ -414,7 +414,7 @@
openssl ciphers -v 'ALL:!ADH:!LOW:!EXP:!MD5:@STRENGTH'
Will show you what is available in your verion of openssl.
Will show you what is available in your version of openssl.
-->
<X-PRE-PROCESS cmd="set" data="sip_tls_ciphers=ALL:!ADH:!LOW:!EXP:!MD5:@STRENGTH"/>
@ -431,7 +431,7 @@
<X-PRE-PROCESS cmd="set" data="external_ssl_enable=false"/>
<!-- Video Settings -->
<!-- Setting the max bandwdith -->
<!-- Setting the max bandwidth -->
<X-PRE-PROCESS cmd="set" data="rtp_video_max_bandwidth_in=1mb"/>
<X-PRE-PROCESS cmd="set" data="rtp_video_max_bandwidth_out=1mb"/>

View File

@ -308,7 +308,7 @@ check_and_backup () {
fi
}
# 3 paramenter: the file, the variable name, the new value
# 3 parameter: the file, the variable name, the new value
change_var_value () {
check_and_backup $1
sed -i "s<^[[:blank:]#]*\(${2}\).*<\1=${3}<" $1
@ -1489,7 +1489,7 @@ if [ -n "$HOST" ]; then
echo "bigbluebutton.web.serverURL=$PROTOCOL://$HOST" >> "$BBB_WEB_ETC_CONFIG"
fi
# Populate /etc/bigbluebutton/bbb-web.properites with the shared secret
# Populate /etc/bigbluebutton/bbb-web.properties with the shared secret
if ! grep -q "^securitySalt" "$BBB_WEB_ETC_CONFIG"; then
echo "securitySalt=$(get_bbb_web_config_value securitySalt)" >> "$BBB_WEB_ETC_CONFIG"
fi

View File

@ -23,7 +23,7 @@
# Daniel Petri Rocha <danielpetrirocha@gmail.com>
#
# Changelog:
# 2011-08-18 FFD Inital Version
# 2011-08-18 FFD Initial Version
# 2011-11-20 FFD Added more checks for processing of recording
# 2012-01-04 GUG Add option to check for errors
# 2012-02-27 GUG Add option to delete one meeting and recording

View File

@ -122,7 +122,7 @@ remove_raw_of_published_recordings(){
remove_raw_of_published_recordings
#
# Remove untagged and unamed docker images, cleanning /var/lib/docker/overlay2
# Remove untagged and unnamed docker images, cleaning /var/lib/docker/overlay2
#
docker image prune -f

View File

@ -97,7 +97,7 @@ const doGUM = async (constraints, retryOnFailure = false) => {
const stream = await navigator.mediaDevices.getUserMedia(constraints);
return stream;
} catch (error) {
// This is probably a deviceId mistmatch. Retry with base constraints
// This is probably a deviceId mismatch. Retry with base constraints
// without an exact deviceId.
if (error.name === 'OverconstrainedError' && retryOnFailure) {
logger.warn({

View File

@ -225,7 +225,7 @@ export default class SFUAudioBridge extends BaseAudioBridge {
}
}
// Already tried reconnecting once OR the user handn't succesfully
// Already tried reconnecting once OR the user handn't successfully
// connected firsthand and retrying isn't an option. Finish the session
// and reject with the error
logger.error({

View File

@ -272,7 +272,7 @@ class SIPSession {
*
* sessionSupportRTPPayloadDtmf
* tells if browser support RFC4733 DTMF.
* Safari 13 doens't support it yet
* Safari 13 doesn't support it yet
*/
sessionSupportRTPPayloadDtmf(session) {
try {
@ -383,7 +383,7 @@ class SIPSession {
if (this.preloadedInputStream && this.preloadedInputStream.active) {
return Promise.resolve(this.preloadedInputStream);
}
// The rest of this mimicks the default factory behavior.
// The rest of this mimics the default factory behavior.
if (!constraints.audio && !constraints.video) {
return Promise.resolve(new MediaStream());
}
@ -498,7 +498,7 @@ class SIPSession {
extraInfo: {
callerIdName: this.user.callerIdName,
},
}, 'User agent succesfully reconnected');
}, 'User agent successfully reconnected');
}).catch(() => {
if (userAgentConnected) {
error = 1001;
@ -531,7 +531,7 @@ class SIPSession {
extraInfo: {
callerIdName: this.user.callerIdName,
},
}, 'User agent succesfully connected');
}, 'User agent successfully connected');
window.addEventListener('beforeunload', this.onBeforeUnload.bind(this));
@ -567,7 +567,7 @@ class SIPSession {
extraInfo: {
callerIdName: this.user.callerIdName,
},
}, 'User agent succesfully reconnected');
}, 'User agent successfully reconnected');
resolve();
}).catch(() => {
@ -579,7 +579,7 @@ class SIPSession {
callerIdName: this.user.callerIdName,
},
}, 'User agent failed to reconnect after'
+ ` ${USER_AGENT_RECONNECTION_ATTEMPTS} attemps`);
+ ` ${USER_AGENT_RECONNECTION_ATTEMPTS} attempts`);
this.callback({
status: this.baseCallStates.failed,
@ -1013,7 +1013,7 @@ class SIPSession {
}
// if session hasn't even started, we let audio-modal to handle
// any possile errors
// any possible errors
if (!this._currentSessionState) return false;

View File

@ -16,10 +16,10 @@ export default function stopWatchingExternalVideo() {
const payload = {};
Logger.info(`User ${requesterUserId} stoping an external video for meeting ${meetingId}`);
Logger.info(`User ${requesterUserId} stopping an external video for meeting ${meetingId}`);
RedisPubSub.publishUserMessage(CHANNEL, EVENT_NAME, meetingId, requesterUserId, payload);
} catch (error) {
Logger.error(`Error on stoping an external video for meeting ${meetingId}: ${error}`);
Logger.error(`Error on stopping an external video for meeting ${meetingId}: ${error}`);
}
}

View File

@ -8,7 +8,7 @@ const SELECT_RANDOM_USER_COUNTDOWN = Meteor.settings.public.selectRandomUser.cou
// for iteration in animation.
const intervals = [0, 200, 450, 750, 1100, 1500];
// Used to togle to the first value of intervals to
// Used to toggle to the first value of intervals to
// differenciare whether this function has been called
let updateIndicator = true;
@ -30,7 +30,7 @@ function getFiveRandom(userList, userIds) {
IDs = userIds.slice(); // start over
let userId = IDs.splice(0, 1);
if (userList[userList.length] === [userId, intervals[i]]) {
// If we start over with the one we finnished, change it
// If we start over with the one we finished, change it
IDs.push(userId);
userId = IDs.splice(0, 1);
}

View File

@ -117,7 +117,7 @@ const intlMessages = defineMessages({
},
defaultViewLabel: {
id: 'app.title.defaultViewLabel',
description: 'view name apended to document title',
description: 'view name appended to document title',
},
promotedLabel: {
id: 'app.toast.promotedLabel',

View File

@ -626,7 +626,7 @@ class AudioModal extends Component {
<Styled.BrowserWarning>
<FormattedMessage
id="app.audioModal.unsupportedBrowserLabel"
description="Warning when someone joins with a browser that isnt supported"
description="Warning when someone joins with a browser that isn't supported"
values={{
0: <a href="https://www.google.com/chrome/">Chrome</a>,
1: <a href="https://getfirefox.com">Firefox</a>,

View File

@ -208,7 +208,7 @@ class AudioSettings extends React.Component {
const { outputDeviceId: currentOutputDeviceId } = this.state;
// withEcho usage (isLive arg): if local echo is enabled we need the device
// change to be performed seamlessly (which is what the isLive parameter guarantes)
// change to be performed seamlessly (which is what the isLive parameter guarantees)
changeOutputDevice(deviceId, withEcho)
.then(() => {
this.setState({

View File

@ -69,7 +69,7 @@ const intlMessages = defineMessages({
},
reconectingAsListener: {
id: 'app.audioNotificaion.reconnectingAsListenOnly',
description: 'ice negociation error messsage',
description: 'ice negotiation error messsage',
},
});
@ -97,7 +97,7 @@ class AudioContainer extends PureComponent {
}
/**
* Helper function to determine wheter user is returning from breakout room
* Helper function to determine whether user is returning from breakout room
* to main room.
* @param {Object} prevProps prevProps param from componentDidUpdate
* @return {boolean} True if user is returning from breakout room

View File

@ -29,7 +29,7 @@ const intlMessages = defineMessages({
},
dictationStop: {
id: 'app.captions.dictationStop',
description: 'Label for stoping speech recognition',
description: 'Label for stopping speech recognition',
},
dictationOnDesc: {
id: 'app.captions.dictationOnDesc',

View File

@ -29,7 +29,7 @@ const isBoolean = (v: unknown): boolean => {
} if (v === 'false') {
return false;
}
// if v is not difined it shouldn't be considered on comparation, so it returns true
// if v is not defined it shouldn't be considered on comparison, so it returns true
return true;
};

View File

@ -46,7 +46,7 @@ const RandomUserSelectContainer = (props) => {
try {
if (!currentUser.presenter // this functionality does not bother presenter
&& (!keepModalOpen) // we only ween a change if modal has been closed before
&& (randomlySelectedUser[0][1] !== updateIndicator)// if tey are different, a user was generated
&& (randomlySelectedUser[0][1] !== updateIndicator)// if they are different, a user was generated
) { keepModalOpen = true; } // reopen modal
if (!currentUser.presenter) { updateIndicator = randomlySelectedUser[0][1]; } // keep indicator up to date
} catch (err) {

View File

@ -30,7 +30,7 @@ const intlMessages = defineMessages({
},
more: {
id: 'app.connection-status.more',
description: 'More about conectivity issues',
description: 'More about connectivity issues',
},
audioLabel: {
id: 'app.settings.audioTab.label',
@ -386,7 +386,7 @@ class ConnectionStatusComponent extends PureComponent {
}
/**
* Render network data , containing information abount current upload and
* Render network data , containing information about current upload and
* download rates
* @return {Object} The component to be renderized.
*/

View File

@ -263,7 +263,7 @@ const getNetworkData = async () => {
};
/**
* Calculates both upload and download rates using data retreived from getStats
* Calculates both upload and download rates using data retrieved from getStats
* API. For upload (outbound-rtp) we use both bytesSent and timestamp fields.
* byteSent field contains the number of octets sent at the given timestamp,
* more information can be found in:

View File

@ -93,7 +93,7 @@ const reducer = (state, action) => {
}
// LAYOUT TYPE
// using to load a diferent layout manager
// using to load a different layout manager
case ACTIONS.SET_LAYOUT_TYPE: {
const { layoutType } = state.input;
if (layoutType === action.value) return state;

View File

@ -23,7 +23,7 @@ export {
isMobile, isTablet, isTabletPortrait, isTabletLandscape, isDesktop,
};
// Array for select component to select diferent layout
// Array for select component to select different layout
const suportedLayouts = [
{
layoutKey: LAYOUT_TYPE.SMART_LAYOUT,

View File

@ -167,7 +167,7 @@ export default class Legacy extends Component {
<p className="browserWarning">
<FormattedMessage
id={messageId}
description="Warning when someone joins with a browser that isnt supported"
description="Warning when someone joins with a browser that isn't supported"
values={{
0: <a href="https://www.google.com/chrome/">Chrome</a>,
1: <a href="https://getfirefox.com">Firefox</a>,

View File

@ -68,7 +68,7 @@ const intlMessage = defineMessages({
},
confirmDesc: {
id: 'app.leaveConfirmation.confirmDesc',
description: 'adds context to confim option',
description: 'adds context to confirm option',
},
sendLabel: {
id: 'app.feedback.sendFeedback',

View File

@ -38,7 +38,7 @@ export const TALKING_INDICATOR_SUBSCRIPTION = gql`
}
`;
// TODO: rework when useMeeting hook be avaible
// TODO: rework when useMeeting hook be available
export const MEETING_ISBREAKOUT_SUBSCRIPTION = gql`
subscription getIsBreakout {
meeting {

View File

@ -62,7 +62,7 @@ const intlMessages = defineMessages({
},
customInputToggleLabel: {
id: 'app.poll.customInput.label',
description: 'poll custom input toogle button label',
description: 'poll custom input toggle button label',
},
customInputInstructionsLabel: {
id: 'app.poll.customInputInstructions.label',

View File

@ -20,7 +20,7 @@ const intlMessages = defineMessages({
},
pushAlertLabel: {
id: 'app.submenu.notification.pushAlertLabel',
description: 'push notifiation label',
description: 'push notification label',
},
messagesLabel: {
id: 'app.submenu.notification.messagesLabel',

View File

@ -121,7 +121,7 @@ interface RenderModalProps {
isOpen: boolean;
priority: string;
/* Use 'any' if you don't have specific props;
As this props varies in types usage of any is most apropriate */
As this props varies in types usage of any is most appropriate */
// eslint-disable-next-line @typescript-eslint/no-explicit-any
Component: React.ComponentType<any>;
otherOptions: object;

View File

@ -309,7 +309,7 @@ class VideoPreview extends Component {
const newDevices = await navigator.mediaDevices.enumerateDevices();
webcams = PreviewService.digestVideoDevices(newDevices, webcamDeviceId).webcams;
} catch (error) {
// Not a critical error beucase it should only affect UI; log it
// Not a critical error because it should only affect UI; log it
// and go ahead
logger.error({
logCode: 'video_preview_enumerate_relabel_failure',
@ -1059,7 +1059,7 @@ class VideoPreview extends Component {
<Styled.BrowserWarning>
<FormattedMessage
id="app.audioModal.unsupportedBrowserLabel"
description="Warning when someone joins with a browser that isnt supported"
description="Warning when someone joins with a browser that isn't supported"
values={{
0: <a href="https://www.google.com/chrome/">Chrome</a>,
1: <a href="https://getfirefox.com">Firefox</a>,

View File

@ -200,7 +200,7 @@ const doGUM = (deviceId, profile) => {
// Chrome/Edge sometimes bork gUM calls when switching camera
// profiles. This looks like a browser bug. Track release not
// being done synchronously -> quick subsequent gUM calls for the same
// device (profile switching) -> device becoming unavaible while previous
// device (profile switching) -> device becoming unavailable while previous
// tracks aren't finished - prlanzarin
if (browserInfo.isChrome || browserInfo.isEdge) {
const opts = {

View File

@ -200,7 +200,7 @@ class VideoProvider extends Component {
} = this.props;
const { socketOpen } = this.state;
// Only debounce when page changes to avoid unecessary debouncing
// Only debounce when page changes to avoid unnecessary debouncing
const shouldDebounce = VideoService.isPaginationEnabled()
&& prevProps.currentVideoPageIndex !== currentVideoPageIndex;
@ -1165,7 +1165,7 @@ class VideoProvider extends Component {
peer.started = true;
// Clear camera shared timeout when camera succesfully starts
// Clear camera shared timeout when camera successfully starts
this.clearRestartTimers(stream);
this.attachVideoStream(stream);

View File

@ -470,7 +470,7 @@ class VideoService {
const connectingStream = this.getConnectingStream(streams);
if (connectingStream) streams.push(connectingStream);
// Pagination is either explictly disabled or pagination is set to 0 (which
// Pagination is either explicitly disabled or pagination is set to 0 (which
// is equivalent to disabling it), so return the mapped streams as they are
// which produces the original non paginated behaviour
if (isPaginationDisabled) {
@ -845,7 +845,7 @@ class VideoService {
parameters.encodings = [{}];
}
// Only reset bitrate if it changed in some way to avoid enconder fluctuations
// Only reset bitrate if it changed in some way to avoid encoder fluctuations
if (parameters.encodings[0].maxBitrate !== normalizedBitrate) {
parameters.encodings[0].maxBitrate = normalizedBitrate;
sender.setParameters(parameters)

View File

@ -200,7 +200,7 @@ class VideoList extends Component {
canvasWidth, canvasHeight, gridGutter,
ASPECT_RATIO, numItems, col,
);
// We need a minimun of 2 rows and columns for the focused
// We need a minimum of 2 rows and columns for the focused
const focusedConstraint = hasFocusedItem ? testGrid.rows > 1 && testGrid.columns > 1 : true;
const betterThanCurrent = testGrid.filledArea > currentGrid.filledArea;
return focusedConstraint && betterThanCurrent ? testGrid : currentGrid;

View File

@ -147,7 +147,7 @@ const sendShapeChanges = (
.forEach(([id, shape]) => {
if (!shape) deletedShapes.push(id);
else {
// checks to find any bindings assosiated with the changed shapes.
// checks to find any bindings associated with the changed shapes.
// If any, they may need to be updated as well.
const pageBindings = app.page.bindings;
if (pageBindings) {

View File

@ -108,7 +108,7 @@ class LocalCollectionSynchronizer {
const subscription = SubscriptionRegistry.getSubscription(this.serverCollection._name);
// If the subscriptionId changes means the subscriptions was redone
// or theres more than one subscription per collection
// or there's more than one subscription per collection
if (subscription && (this.lastSubscriptionId !== subscription.subscriptionId)) {
const wasEmpty = this.lastSubscriptionId === '';
this.lastSubscriptionId = subscription.subscriptionId;

View File

@ -18,7 +18,7 @@ export function makeCall(name, ...args) {
return new Promise(async (resolve, reject) => {
if (Meteor.status().connected) {
const result = await Meteor.callAsync(name, ...args);
// all tested cases it returnd 0, empty array or undefined
// all tested cases it returned 0, empty array or undefined
resolve(result);
} else {
const failureString = `Call to ${name} failed because Meteor is not connected`;

View File

@ -3,7 +3,7 @@ import { createIntl } from 'react-intl';
const FALLBACK_ON_EMPTY_STRING = Meteor.settings.public.app.fallbackOnEmptyLocaleString;
/**
* Use this if you need any translation outside of React lifecyle.
* Use this if you need any translation outside of React lifecycle.
*/
class BBBIntl {
_intl = {

View File

@ -7,7 +7,7 @@ import { isObject, isArray, isString } from 'radash';
export default class StorageTracker {
constructor(storage, prefix = '') {
if (!(storage instanceof Storage)) {
throw `Expecting a instanceof Storage recieve a '${storage.constructor.name}' instance`;
throw `Expecting a instanceof Storage receive a '${storage.constructor.name}' instance`;
}
this._trackers = {};

View File

@ -185,7 +185,7 @@ export default class WebRtcPeer extends EventEmitter2 {
return this.peerConnection.setLocalDescription(rtcSessionDescription);
}
// Public method can be overriden via options
// Public method can be overridden via options
mediaStreamFactory() {
if (this.videoStream || this.audioStream) {
return Promise.resolve();

View File

@ -92,7 +92,7 @@ export default new RegExp(
// IP address dotted notation octets
// excludes loopback network 0.0.0.0
// excludes reserved space >= 224.0.0.0
// excludes network & broacast addresses
// excludes network & broadcast addresses
// (first & last IP address of each class)
'(?:[1-9]\\d?|1\\d\\d|2[01]\\d|22[0-3])' +
'(?:\\.(?:1?\\d{1,2}|2[0-4]\\d|25[0-5])){2}' +

View File

@ -4,7 +4,7 @@ export const MYSTERY_NUM = 2;
export const STEP = 25;
export default class SlideCalcUtil {
// After lots of trial and error on why synching doesn't work properly, I found I had to
// After lots of trial and error on why syncing doesn't work properly, I found I had to
// multiply the coordinates by 2. There's something I don't understand probably on the
// canvas coordinate system. (ralam feb 22, 2012)

View File

@ -161,11 +161,11 @@ public:
# emojiSize: size of the emoji in 'em' units
emojiSize: 2
# If enabled, before joining microphone the client will perform a trickle
# ICE against Kurento and use the information about successfull
# ICE against Kurento and use the information about successful
# candidate-pairs to filter out local candidates in SIP.js's SDP.
# Try enabling this setting in scenarios where the listenonly mode works,
# but microphone doesn't (for example, when using VPN).
# For compatibility check "Browser compatbility" section in:
# For compatibility check "Browser compatibility" section in:
# https://developer.mozilla.org/en-US/docs/Web/API/RTCDtlsTransport/iceTransport
# This is an EXPERIMENTAL setting and the default value is false
# experimentalUseKmsTrickleIceForMicrophone: false
@ -214,7 +214,7 @@ public:
overrideLocale: null
#Audio constraints for microphone. Use this to control browser's
#filters, such as AGC (Auto Gain Control) , Echo Cancellation,
#Noise Supression, etc.
#Noise Suppression, etc.
#For more deails, see:
# https://developer.mozilla.org/en-US/docs/Web/API/MediaTrackConstraints
#Currently, google chrome sets {ideal: true} for autoGainControl,

View File

@ -5422,7 +5422,7 @@ class SessionDialog extends _dialog__WEBPACK_IMPORTED_MODULE_18__["Dialog"] {
msg += " but the following tip is provided for avoiding race conditions of";
msg += " this type. The caller can delay sending re-INVITE F6 for some period";
msg += " of time (2 seconds, perhaps), after which the caller can reasonably";
msg += " assume that its ACK has been received. Implementors can decouple the";
msg += " assume that its ACK has been received. Implementers can decouple the";
msg += " actions of the user (e.g., pressing the hold button) from the actions";
msg += " of the protocol (the sending of re-INVITE F6), so that the UA can";
msg += " behave like this. In this case, it is the implementor's choice as to";
@ -5430,7 +5430,7 @@ class SessionDialog extends _dialog__WEBPACK_IMPORTED_MODULE_18__["Dialog"] {
msg += " useful to prevent the type of race condition shown in this section.";
msg += " This document expresses no preference about whether or not they";
msg += " should wait for an ACK to be delivered. After considering the impact";
msg += " on user experience, implementors should decide whether or not to wait";
msg += " on user experience, implementers should decide whether or not to wait";
msg += " for a while, because the user experience depends on the";
msg += " implementation and has no direct bearing on protocol behavior.";
this.logger.warn(msg);
@ -11684,7 +11684,7 @@ __webpack_require__.r(__webpack_exports__);
/* harmony import */ var _core__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(5);
/**
* An exception indicating a session description handler error occured.
* An exception indicating a session description handler error occurred.
* @public
*/
class SessionDescriptionHandlerError extends _core__WEBPACK_IMPORTED_MODULE_0__["Exception"] {
@ -11724,7 +11724,7 @@ __webpack_require__.r(__webpack_exports__);
/* harmony import */ var _core__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(5);
/**
* An exception indicating an invalid state transition error occured.
* An exception indicating an invalid state transition error occurred.
* @public
*/
class StateTransitionError extends _core__WEBPACK_IMPORTED_MODULE_0__["Exception"] {
@ -12297,7 +12297,7 @@ class Invitation extends _session__WEBPACK_IMPORTED_MODULE_3__["Session"] {
// State should never be reached as first reliable provisional response must have answer/offer.
throw new Error(`Invalid signaling state ${this.dialog.signalingState}.`);
case _core__WEBPACK_IMPORTED_MODULE_0__["SignalingState"].Stable:
// Receved answer.
// Received answer.
return this.setAnswer(body, options).then(() => undefined);
case _core__WEBPACK_IMPORTED_MODULE_0__["SignalingState"].HaveLocalOffer:
// State should never be reached as local offer would be answered by this PRACK
@ -14937,7 +14937,7 @@ class Inviter extends _session__WEBPACK_IMPORTED_MODULE_2__["Session"] {
if (this.earlyMediaDialog !== session) {
if (this.earlyMedia) {
const message = "You have set the 'earlyMedia' option to 'true' which requires that your INVITE requests " +
"do not fork and yet this INVITE request did in fact fork. Consequentially and not surprisingly " +
"do not fork and yet this INVITE request did in fact fork. Consequently and not surprisingly " +
"the end point which accepted the INVITE (confirmed dialog) does not match the end point with " +
"which early media has been setup (early dialog) and thus this session is unable to proceed. " +
"In accordance with the SIP specifications, the SIP servers your end point is connected to " +
@ -17817,7 +17817,7 @@ class UserAgent {
},
onRefer: (incomingReferRequest) => {
this.logger.warn("Received an out of dialog REFER request");
// TOOD: this.delegate.onRefer(...)
// TODO: this.delegate.onRefer(...)
if (this.delegate && this.delegate.onReferRequest) {
this.delegate.onReferRequest(incomingReferRequest);
}
@ -17827,7 +17827,7 @@ class UserAgent {
},
onRegister: (incomingRegisterRequest) => {
this.logger.warn("Received an out of dialog REGISTER request");
// TOOD: this.delegate.onRegister(...)
// TODO: this.delegate.onRegister(...)
if (this.delegate && this.delegate.onRegisterRequest) {
this.delegate.onRegisterRequest(incomingRegisterRequest);
}
@ -17837,7 +17837,7 @@ class UserAgent {
},
onSubscribe: (incomingSubscribeRequest) => {
this.logger.warn("Received an out of dialog SUBSCRIBE request");
// TOOD: this.delegate.onSubscribe(...)
// TODO: this.delegate.onSubscribe(...)
if (this.delegate && this.delegate.onSubscribeRequest) {
this.delegate.onSubscribeRequest(incomingSubscribeRequest);
}
@ -19501,7 +19501,7 @@ class Transport {
return this.send("\r\n\r\n");
}
/**
* Start sending keep-alives.
* Start sending keep-alive.
*/
startSendingKeepAlives() {
// Compute an amount of time in seconds to wait before sending another keep-alive.
@ -19517,7 +19517,7 @@ class Transport {
}
}
/**
* Stop sending keep-alives.
* Stop sending keep-alive.
*/
stopSendingKeepAlives() {
if (this.keepAliveInterval) {
@ -20637,7 +20637,7 @@ class SimpleUser {
if (mediaElement) {
const localStream = this.localMediaStream;
if (!localStream) {
throw new Error("Local media stream undefiend.");
throw new Error("Local media stream undefined.");
}
mediaElement.srcObject = localStream;
mediaElement.volume = 0;
@ -20657,7 +20657,7 @@ class SimpleUser {
if (mediaElement) {
const remoteStream = this.remoteMediaStream;
if (!remoteStream) {
throw new Error("Remote media stream undefiend.");
throw new Error("Remote media stream undefined.");
}
mediaElement.autoplay = true; // Safari hack, because you cannot call .play() from a non user action
mediaElement.srcObject = remoteStream;
@ -20667,7 +20667,7 @@ class SimpleUser {
});
remoteStream.onaddtrack = () => {
this.logger.log(`[${this.id}] Remote media onaddtrack`);
mediaElement.load(); // Safari hack, as it doesn't work otheriwse
mediaElement.load(); // Safari hack, as it doesn't work otherwise
mediaElement.play().catch((error) => {
this.logger.error(`[${this.id}] Failed to play remote media`);
this.logger.error(error.message);

View File

@ -17,7 +17,7 @@ The script will build a gns3 project that looks like this:
![network diagram](README.png)
The network "highjacks" the 128.8.8.0/24 subnet, so it simulates public IP address space. You can set a different public subnet using the `--public-subnet` option to the script.
The network "hijacks" the 128.8.8.0/24 subnet, so it simulates public IP address space. You can set a different public subnet using the `--public-subnet` option to the script.
The DNS domain name is configured to match the bare metal hostname. If the bare metal machine is called `osito`, for example, the virtual machines will be given names like `BigBlueButton.osito` and `focal-260.osito`.

View File

@ -1,6 +1,6 @@
#!/bin/bash
# Save string of folders containg reference snapshots files
# Save string of folders containing reference snapshots files
folders_string=$(find . -type d -name "*js-snapshots" -printf "%h\n" | sort | uniq | tr -d './' | tr '\n' ' ')
# Find folders

View File

@ -1,2 +1,2 @@
// 30 min is a little high, this can be tunned down after we get the regular puppeteer runtime
// 30 min is a little high, this can be tuned down after we get the regular puppeteer runtime
jest.setTimeout(1800000);

View File

@ -12,7 +12,7 @@ const whiteboardTest = () => {
jest.setTimeout(MAX_WHITEBOARD_TEST_TIMEOUT);
});
// Draw a rectange in whiteboard
// Draw a rectangle in whiteboard
// and expect difference in shapes before and after drawing
test('Draw rectangle', async () => {
const test = new Draw();

View File

@ -17,7 +17,7 @@
#
#
# These are the default properites for BigBlueButton Web application
# These are the default properties for BigBlueButton Web application
# Default loglevel.
appLogLevel=DEBUG
@ -260,11 +260,11 @@ maxPinnedCameras=3
muteOnStart=false
# Unmute users
# Gives moderators permisson to unmute other users
# Gives moderators permission to unmute other users
allowModsToUnmuteUsers=false
# Eject user webcams
# Gives moderators permisson to close other users' webcams
# Gives moderators permission to close other users' webcams
allowModsToEjectCameras=false
# Saves meeting events even if the meeting is not recorded
@ -286,7 +286,7 @@ waitingGuestUsersTimeout=30000
enteredUsersTimeout=45000
#----------------------------------------------------
# This URL is where the BBB client is accessible. When a user sucessfully
# This URL is where the BBB client is accessible. When a user successfully
# enters a name and password, she is redirected here to load the client.
# Do not commit changes to this field.
bigbluebutton.web.serverURL=http://bigbluebutton.example.com

View File

@ -46,7 +46,7 @@ echo location of your Java installation.
goto fail
:init
@rem Get command-line arguments, handling Windowz variants
@rem Get command-line arguments, handling Windows variants
if not "%OS%" == "Windows_NT" goto win9xME_args
if "%@eval[2+2]" == "4" goto 4NT_args

View File

@ -53,7 +53,7 @@ scoped variable is the type of the exception thrown.
<tag>
<description>
Simple conditional tag, which evalutes its body if the
Simple conditional tag, which evaluates its body if the
supplied condition is true and optionally exposes a Boolean
scripting variable representing the evaluation of this condition
</description>
@ -243,7 +243,7 @@ visibility.
<tag>
<description>
Iterates over tokens, separated by the supplied delimeters
Iterates over tokens, separated by the supplied delimiters
</description>
<name>forTokens</name>
<tag-class>org.apache.taglibs.standard.tag.rt.core.ForTokensTag</tag-class>
@ -552,7 +552,7 @@ resource that belongs to a foreign context.
<tag>
<description>
Subtag of &lt;choose&gt; that includes its body if its
condition evalutes to 'true'
condition evaluates to 'true'
</description>
<name>when</name>
<tag-class>org.apache.taglibs.standard.tag.rt.core.WhenTag</tag-class>

View File

@ -72,7 +72,7 @@ class ApiControllerSpec extends Specification implements ControllerUnitTest<ApiC
* CREATE (API)
***********************************/
def "Test create a meeting wihtout a checksum"() {
def "Test create a meeting without a checksum"() {
when: "A checksum is not provided"
params[ApiParams.CHECKSUM] = null
controller.create()

View File

@ -37,5 +37,5 @@ curl \
"${PACKAGES_UPLOAD_BASE_URL}/cgi-bin/get_compatible_packages.py" \
> packages_to_skip.txt
echo "We will re-use the following packages:"
echo "We will reuse the following packages:"
cat packages_to_skip.txt

View File

@ -40,7 +40,7 @@ else
npm install --unsafe-perm --production
fi
# clean out stuff that is not required in the final package. Most of this are object files from dependant libraries
# clean out stuff that is not required in the final package. Most of this are object files from dependent libraries
rm -rf node_modules/mediasoup/worker/out/Release/subprojects
rm -rf node_modules/mediasoup/worker/out/Release/mediasoup-worker.p
rm -rf node_modules/mediasoup/worker/out/Release/deps

View File

@ -3,7 +3,7 @@
# This script uploads the packages to the CI repo server. Its counterpart
# on the server end is ci-repo-upload/cgi-bin/incoming.py. The variable
# ADDITIONAL_PACKAGE_FILES contains a comma-separated list of the package
# files that the change detection decided to re-use for this build, since
# files that the change detection decided to reuse for this build, since
# the contents have not changed since that commit.
ADDITIONAL_PACKAGE_FILES="$(awk '{print $2}' < packages_to_skip.txt | tr '\n' ',' | sed 's/,*$//')"

View File

@ -41,7 +41,7 @@ Most changes are reflected live without having to restart the server.
There is also a script `build.sh` that goes through all branches of the repository
and adds all release branches that have a `docusaurus.config.js`-file as versions
to the docs.
Note that you can not have uncommited local changes before you run `/build.sh`,
Note that you can not have uncommitted local changes before you run `/build.sh`,
otherwise git will refuse to change branches.
This step is optional and if you don't run it, docusaurus will only build the
currently checkout out version which is recommended for local development

View File

@ -69,12 +69,12 @@ HTML5 by default uses the `outline` attribute to visually indicate focus. Due to
![Image showing join audio aria label over the join audio icon](/img/accessibility-focusring-hc.jpg)
Aria labels are important to focus when navigating with a screen reader, these labels have been used extensivley through out the client to provide audible announcments for selected
Aria labels are important to focus when navigating with a screen reader, these labels have been used extensivley through out the client to provide audible announcements for selected
elements.
#### Keyboard Navigation
The HTML5 Client has made several improvements to the default keyboard navigation. The most notable addition being breakout room managment, assigning users to various rooms is now possible.
The HTML5 Client has made several improvements to the default keyboard navigation. The most notable addition being breakout room management, assigning users to various rooms is now possible.
![Animated image showing assignment of users to different rooms](/img/accessibility-br-manage.gif)

View File

@ -51,7 +51,7 @@ If you are using EC2, you should also assign your server an [Elastic IP address]
### Azure
On Microsot Azure, when you create an instance you need to add the following inbound port rules to enable incomming connections on ports 80, 443, and UDP port range 16384-32768:
On Microsot Azure, when you create an instance you need to add the following inbound port rules to enable incoming connections on ports 80, 443, and UDP port range 16384-32768:
![Azure Cloud ](/img/azure-firewall.png?raw=true 'Azure 80, 443, and UDP 16384-32768')
@ -219,7 +219,7 @@ externalIPv4=192.0.2.0
### Update FreeSWITCH
Let's revist the typical setup for BigBlueButton behind a firewall (yours would have different IP address of course).
Let's revisit the typical setup for BigBlueButton behind a firewall (yours would have different IP address of course).
![Install](/img/11-install-net2.png)
@ -299,7 +299,7 @@ freeswitch:
port: 5066
```
If your runnig 2.2.29 or later, the value of `sip_ip` depends on whether you have `sipjsHackViaWs`
If your running 2.2.29 or later, the value of `sip_ip` depends on whether you have `sipjsHackViaWs`
set to true or false in `/etc/bigbluebutton/bbb-html5.yml`.
You also need to [setup Kurento to use a STUN server](#extra-steps-when-server-is-behind-nat).

View File

@ -298,7 +298,7 @@ and do `systemctl daemon-reload`. This file overrides the timing of when systemd
#### Allow all recordings to be returned
In 2.6.x a new configuration property, `allowFetchAllRecordings`, was added to `bigbluebutton.properties`. This property determines whether every recording on the server can be returned in a single response from a `getRecordings` call. By default this property is set to `true`. On a server with a large number of recordings an attempt to return every recording in a sinlge response can cause a large amount of load on the server and therefore it is advised that this property be switched to `false`. When this is done any request to `getRecordings` that does not specify any recording or meeting IDs as well as no pagination parameters will return no recordings to prevent all recordings from being returned.
In 2.6.x a new configuration property, `allowFetchAllRecordings`, was added to `bigbluebutton.properties`. This property determines whether every recording on the server can be returned in a single response from a `getRecordings` call. By default this property is set to `true`. On a server with a large number of recordings an attempt to return every recording in a single response can cause a large amount of load on the server and therefore it is advised that this property be switched to `false`. When this is done any request to `getRecordings` that does not specify any recording or meeting IDs as well as no pagination parameters will return no recordings to prevent all recordings from being returned.
#### Increase the number of recording workers
@ -466,7 +466,7 @@ cameraProfiles:
The settings for `bitrate` are in kbits/sec (i.e. 100 kbits/sec). After your modify the values, save the file, restart your BigBlueButton server `sudo bbb-conf --restart` to have the settings take effect. The lowest setting allowed for WebRTC is 30 Kbits/sec.
If you have sessions that like to share lots of webcams, such as ten or more, then then setting the `bitrate` for `low` to 50 and `medium` to 100 will help reduce the overall bandwidth on the server. When many webcams are shared, the size of the webcams get so small that the reduction in `bitrate` will not be noticable during the live sessions.
If you have sessions that like to share lots of webcams, such as ten or more, then then setting the `bitrate` for `low` to 50 and `medium` to 100 will help reduce the overall bandwidth on the server. When many webcams are shared, the size of the webcams get so small that the reduction in `bitrate` will not be noticeable during the live sessions.
#### Disable webcams
@ -536,7 +536,7 @@ For **live meetings**, the following parameters can be changed:
The bitrate is specified in kbps and represents screen sharing's maximum bandwidth usage. Setting it to a higher value *may* improve quality but also increase bandwidth usage, while setting it to a lower value *may* reduce quality but will reduce average bandwidth usage.
The constraints are specified as an YAML object with the same semantics as the [MediaTrackConstraints](https://developer.mozilla.org/en-US/docs/Web/API/MediaTrackConstraints) from the WebRTC specification. We recommend checking the aforementioned MDN link as well as the [Media Capture and Streams API spec](https://www.w3.org/TR/mediacapture-streams) for an extensive list of constraints.
To set new screen sharing constraints, translate the JSON constraints object into an YAML format object and put it into `public.kurento.screenshare.constraints`. Restart bbb-html5 afterwards.
As an example, suppose you want to set the maximum screen sharing resolution to 1080p, alter the maxium bitrate to 2000 kbps and set a 10 FPS target. The following would need to be added to `etc/bigbluebutton/bbb-html5.yml`:
As an example, suppose you want to set the maximum screen sharing resolution to 1080p, alter the maximum bitrate to 2000 kbps and set a 10 FPS target. The following would need to be added to `etc/bigbluebutton/bbb-html5.yml`:
```yaml
public:
kurento:
@ -604,9 +604,9 @@ total 92
-rw-rw-r-- 1 kurento kurento 10823 Sep 13 17:10 2020-09-13T170908.00000.pid5956.log
```
Now, if you now join a session and choose listen only (which causes Kurento setup a single listen only stream to FreeSWITCH), share your webcam, or share your screen, you'll see updates occuring independently to each of the above log files as each KMS process handles your request.
Now, if you now join a session and choose listen only (which causes Kurento setup a single listen only stream to FreeSWITCH), share your webcam, or share your screen, you'll see updates occurring independently to each of the above log files as each KMS process handles your request.
To revert back to running a single KMS server (which handles all three meida streams), change the above line in `/etc/bigbluebutton/bbb-conf/apply-config.sh` to
To revert back to running a single KMS server (which handles all three media streams), change the above line in `/etc/bigbluebutton/bbb-conf/apply-config.sh` to
```sh
disableMultipleKurentos
@ -642,7 +642,7 @@ Thus, we recommend you [enable multiple Kurento](/administration/customize#run-t
BigBlueButton will dynamically reduce the number of webcams in a meeting as the meeting grows larger. These are set in `/usr/share/meteor/bundle/programs/server/assets/app/config/settings.yml`, but you can override them by placing them in `/etc/bigbluebutton/bbb-html5.yml`.
For example, the follwing `/etc/bigbluebutton/bbb-html5.yml` file would ensure that no single meeting will have more than 300 streams. For example, in a meeting with 30 users, the moderator will see 25 webcams and the viewers 6 webcams. This gives 25 + 29 _ 6 = 196 webcam streams. If the meeting grows to 100 users, the moderator will see 8 webcams and viewers will see 2 webcams. This gives 8 + 99 _ 2 = 206 webcam streams.
For example, the following `/etc/bigbluebutton/bbb-html5.yml` file would ensure that no single meeting will have more than 300 streams. For example, in a meeting with 30 users, the moderator will see 25 webcams and the viewers 6 webcams. This gives 25 + 29 _ 6 = 196 webcam streams. If the meeting grows to 100 users, the moderator will see 8 webcams and viewers will see 2 webcams. This gives 8 + 99 _ 2 = 206 webcam streams.
```
public:
@ -1706,9 +1706,9 @@ total 92
-rw-rw-r-- 1 kurento kurento 10823 Sep 13 17:10 2020-09-13T170908.00000.pid5956.log
```
Now, if you now join a session and choose listen only (which causes Kurento setup a single listen only stream to FreeSWITCH), share your webcam, or share your screen, you'll see updates occuring independently to each of the above log files as each KMS process handles your request.
Now, if you now join a session and choose listen only (which causes Kurento setup a single listen only stream to FreeSWITCH), share your webcam, or share your screen, you'll see updates occurring independently to each of the above log files as each KMS process handles your request.
To revert back to running a single KMS server (which handles all three meida streams), change the above line in `/etc/bigbluebutton/bbb-conf/apply-config.sh` to
To revert back to running a single KMS server (which handles all three media streams), change the above line in `/etc/bigbluebutton/bbb-conf/apply-config.sh` to
```sh
disableMultipleKurentos

View File

@ -157,7 +157,7 @@ At the moment, the requirement for docker may preclude running 3.0 within some v
## Install
To install BigBlueButton, use [bbb-install.sh](https://github.com/bigbluebutton/bbb-install/blob/v3.0.x-release/bbb-install.sh) script. Notice that this command is slightly different than what we recommended in previous versions of BigBlueButton. The script now resides on a branch specifying the version of BigBlueButton, but otherwise the name of the script is identical accross different branches. This makes it more maintainable as patches done to the script in one branch can be easily applied to other branches.
To install BigBlueButton, use [bbb-install.sh](https://github.com/bigbluebutton/bbb-install/blob/v3.0.x-release/bbb-install.sh) script. Notice that this command is slightly different than what we recommended in previous versions of BigBlueButton. The script now resides on a branch specifying the version of BigBlueButton, but otherwise the name of the script is identical across different branches. This makes it more maintainable as patches done to the script in one branch can be easily applied to other branches.
The above link gives detailed information on using the script. As an example, passing several arguments to the script you can easily have both BigBlueButton and Greenlight or LTI installed on the same server. You could specify if you would like a new certificate to be generated. A firewall could be enabled. For the most up-to-date information, please refer to the instructions in the script. Notice that as of BigBlueButton 2.6 we have retired the API demos. We recommend using Greenlight or [API MATE](https://mconf.github.io/api-mate/) instead.
@ -359,7 +359,7 @@ If this server is intended for production, you should also
- [Set up a TURN server](/administration/turn-server) (if your server is on the Internet and you have users accessing it from behind restrictive firewalls)
- Test your HTTPS configuration. A well-respected site that can do a series of automated tests is [https://www.ssllabs.com/ssltest/](https://www.ssllabs.com/ssltest/) - simply enter your server's hostname, optionally check the "Do not show results" check box if you would like to keep it private, then Submit. At time of writing, the configuration shown on this page should achieve an "A" ranking in the SSL Labs test page.
We provide publically accessible servers that you can use for testing:
We provide publicly accessible servers that you can use for testing:
- [https://demo.bigbluebutton.org](https://demo.bigbluebutton.org/) - a pool of BigBlueButton servers with the Greenlight front-end (sometimes the pool is a mix of different BigBlueButton releases)
- [https://test30.bigbluebutton.org](https://test30.bigbluebutton.org) - Runs the general build of BigBlueButton 3.0 - usually a few days behind the repository branch `v3.0.x-release`

View File

@ -11,7 +11,7 @@ keywords:
## Nextcloud
This following Nextcloud documentation includes some tweaks we need to make
in order to propperly install Nextcloud with the BBB plugin integration.
in order to properly install Nextcloud with the BBB plugin integration.
## Install
@ -23,7 +23,7 @@ for more information.
With Nextcloud up and running, let's install and configure the BigBlueButton plugin:
- Folow through with [Klaus' repository guidance](https://github.com/sualko/cloud_bbb#rocket-install-it);
- Follow through with [Klaus' repository guidance](https://github.com/sualko/cloud_bbb#rocket-install-it);
- Proceed with "To install it change into your Nextcloud's apps directory";
- If some errors appear, upgrade node's version to `14.21.2`, and run `make build` again;
- Then go to your profile in the Nexcloud server > `Apps` > `BigBlueButton Integration` >
@ -74,10 +74,10 @@ on how to install and configure the Nextcloud server.
### Step-by-step to install Nextcloud
- Folow the steps on [the official documentation](https://docs.nextcloud.com/server/latest/admin_manual/installation/example_ubuntu.html)
- Follow the steps on [the official documentation](https://docs.nextcloud.com/server/latest/admin_manual/installation/example_ubuntu.html)
- When you get to the part `"Now download the archive of the latest Nextcloud version"`, it changed a little:
- Scroll down the [page](https://nextcloud.com/install/);
- In the section "DOWNLOAD SERVER" click on "COMUNITY PROJECTS"
- In the section "DOWNLOAD SERVER" click on "COMMUNITY PROJECTS"
- Scroll down a little more;
- Now, in the section "archive", under the `"Get ZIP file"` button you'll find the `.tar.bz2`
files to upload it to your server;
@ -97,7 +97,7 @@ the following.
This might be a tricky part, and you can surely use another SSL certificate, but here I am going
to cover `let's encrypt`, as [suggested by them](https://docs.nextcloud.com/server/latest/admin_manual/installation/source_installation.html#enabling-ssl).
- Folow [these commands](https://docs.nextcloud.com/server/latest/admin_manual/installation/source_installation.html#enabling-ssl)
- Follow [these commands](https://docs.nextcloud.com/server/latest/admin_manual/installation/source_installation.html#enabling-ssl)
- Now go to [digital ocean tutorial](https://www.digitalocean.com/community/tutorials/how-to-secure-apache-with-let-s-encrypt-on-ubuntu-22-04)
on how to configure the let's encrypt certificate in an `apache server` and follow through
(there is no need to create `/etc/apache2/sites-available/your_domain.conf` because
@ -129,4 +129,4 @@ It may look something like this (`/etc/apache2/sites-available/000-default.conf`
- If even with all these solutions your let's encrypt is not working, follow on with one of
[these alternatives](https://help.nextcloud.com/t/domain-not-working-after-letsencrypt/83862), particularly this one:
`"The default vhost is used whenever a client is accesing your server by direct IP-addres(...)"`
`"The default vhost is used whenever a client is accessing your server by direct IP-addres(...)"`

View File

@ -17,7 +17,7 @@ Disclaimer: the following documentation is neither legal advice, nor complete. T
## BigBlueButton
This section documents privacy related settings, defaults, and configuration options in BigBlueButton itself. Keep in mind that your configration changes here may be silently overwritten upon upgrades via apt, see [issue 9111](https://github.com/bigbluebutton/bigbluebutton/issues/9111)
This section documents privacy related settings, defaults, and configuration options in BigBlueButton itself. Keep in mind that your configuration changes here may be silently overwritten upon upgrades via apt, see [issue 9111](https://github.com/bigbluebutton/bigbluebutton/issues/9111)
To prevent this, make sure to use the [`apply-config.sh` script](/administration/customize#automatically-apply-configuration-changes-on-restart) to ensure changes are retained upon upgrades and restarts.
### Recordings
@ -186,7 +186,7 @@ The default installation of FreeSWITCH by default logs with loglevel DEBUG. This
#### kurento
Logs session names and timestamps, as well as user IP addresses. This also includes user IP addresses behind NATs, i.e., the actual client addresses, potentially making users identifiable accross sessions. This can be configured in `/etc/default/kurento-media-server`, see [Kurento logging](https://doc-kurento.readthedocs.io/en/latest/features/logging.html)
Logs session names and timestamps, as well as user IP addresses. This also includes user IP addresses behind NATs, i.e., the actual client addresses, potentially making users identifiable across sessions. This can be configured in `/etc/default/kurento-media-server`, see [Kurento logging](https://doc-kurento.readthedocs.io/en/latest/features/logging.html)
Note that this can most likely be overridden by kurento's systemd unit file. Hence, `--gst-debug-level=1` should also be set in `/usr/lib/systemd/system/kurento-media-server.service`.
@ -217,7 +217,7 @@ By default, when Greenlight creates a conference, the value 'record=true' is pas
#### Resolution
You can disable the recording globally in the Greenlight room settings for everyone or optinally for everyone in their room. see: [pull request 1296](https://github.com/bigbluebutton/greenlight/pull/1296) Alternatively, if necessary, completely disable the recording feature in the BigBlueButton server configuration.
You can disable the recording globally in the Greenlight room settings for everyone or optionally for everyone in their room. see: [pull request 1296](https://github.com/bigbluebutton/greenlight/pull/1296) Alternatively, if necessary, completely disable the recording feature in the BigBlueButton server configuration.
### Greenlight does not request consent to a privacy policy and/or recording of a session when joining a room as a guest.

View File

@ -59,7 +59,7 @@ const createEndpointTableData = [
"name": "record",
"required": false,
"type": "Boolean",
"description": (<>Setting record=true instructs the BigBlueButton server to record the media and events in the session for later playback. The default is false.<br /><br /> In order for a playback file to be generated, a moderator must click the Start/Stop Recording button at least once during the sesssion; otherwise, in the absence of any recording marks, the record and playback scripts will not generate a playback file. See also the <code className="language-plaintext highlighter-rouge">autoStartRecording</code> and <code className="language-plaintext highlighter-rouge">allowStartStopRecording</code> parameters in <a href="https://github.com/bigbluebutton/bigbluebutton/blob/master/bigbluebutton-web/grails-app/conf/bigbluebutton.properties">bigbluebutton.properties</a>.</>)
"description": (<>Setting record=true instructs the BigBlueButton server to record the media and events in the session for later playback. The default is false.<br /><br /> In order for a playback file to be generated, a moderator must click the Start/Stop Recording button at least once during the session; otherwise, in the absence of any recording marks, the record and playback scripts will not generate a playback file. See also the <code className="language-plaintext highlighter-rouge">autoStartRecording</code> and <code className="language-plaintext highlighter-rouge">allowStartStopRecording</code> parameters in <a href="https://github.com/bigbluebutton/bigbluebutton/blob/master/bigbluebutton-web/grails-app/conf/bigbluebutton.properties">bigbluebutton.properties</a>.</>)
},
{
"name": "duration",

View File

@ -141,7 +141,7 @@ Here's a sample return
Secret: ECCJZNJWLPEA3YB6Y2LTQGQD3GJZ3F93
```
You should _not_ embed the shared secret within a web page and make BigBlueButton API calls within JavaScript running within a browser. The built-in debugging tools for modern browser would make this secret easily accessibile to any user. Once someone has the shared secret for your BigBlueButton server, they could create their own API calls. The shared secret should only be accessibile to the server-side components of your application (and thus not visible to end users).
You should _not_ embed the shared secret within a web page and make BigBlueButton API calls within JavaScript running within a browser. The built-in debugging tools for modern browser would make this secret easily accessible to any user. Once someone has the shared secret for your BigBlueButton server, they could create their own API calls. The shared secret should only be accessible to the server-side components of your application (and thus not visible to end users).
### Configuration
@ -310,7 +310,7 @@ http&#58;//yourserver.com/bigbluebutton/api/create?[parameters]&checksum=[checks
```
#### POST request
You can also include a payload in the request, it may be usefull in cases where some of the query parameters are big enough to exceed the maximum number of characters in URLs. BigBlueButton supports a POST request where the parameters that usually would be passed in the URL, can be sent through the body, see example below:
You can also include a payload in the request, it may be useful in cases where some of the query parameters are big enough to exceed the maximum number of characters in URLs. BigBlueButton supports a POST request where the parameters that usually would be passed in the URL, can be sent through the body, see example below:
```bash
curl --request POST \

View File

@ -31,6 +31,6 @@ You'll see a list of languages and components of BigBlueButton ready for transla
#### Note: The localized strings are included in BigBlueButton's packages
We use an integration between Transifex (where the strings are translated) and GitHub (where BigBlueButton's source code is hosted). The integration syncronizes the fully translated strings so that they are ready to be included in the upcoming BigBlueButton release. [Example of an automated pull request from Transifex:](https://github.com/bigbluebutton/bigbluebutton/pull/17799)
We use an integration between Transifex (where the strings are translated) and GitHub (where BigBlueButton's source code is hosted). The integration synchronizes the fully translated strings so that they are ready to be included in the upcoming BigBlueButton release. [Example of an automated pull request from Transifex:](https://github.com/bigbluebutton/bigbluebutton/pull/17799)
We receive pull requests from Transifex when a localized language reaches 100% completion OR when a localized string is updated in a 100% localized locale. This means that if you made a recent modification to the strings and you're not seeing it in the latest version of BigBlueButton, likely either the locale is not 100% complete, or there has been no new BigBlueButton release on the specific branch since you made the changes.

View File

@ -18,7 +18,7 @@ Released: November 6, 2019 ([Installation Instructions](/administration/install)
We made it!
After months of testing with the community, millions of sessions hosted by commercial companies using BigBlueButton, and interacting with hundreds of people on our mailing lists that help us find and fix any issues, we are announcing the releae of BigBlueButton 2.2.
After months of testing with the community, millions of sessions hosted by commercial companies using BigBlueButton, and interacting with hundreds of people on our mailing lists that help us find and fix any issues, we are announcing the release of BigBlueButton 2.2.
Enjoy!
@ -141,7 +141,7 @@ This is our eleventh release of BigBlueButton. For a quick summary of what's ne
* **New APIs** - The BigBlueButton API now includes the ability to dynamically configure each client on a per-user bases, thus enabling developers to configure the skin, layout, modules, etc. for each user. There is also a JavaScript interface to control the client.
* **Accessiblity for screen readers** - BigBlueButton adds accessibility by supporting screen readers such as JAWS (version 11+) and NVDA. A list of keyboard shortcuts have been added to make it easier to navigate through the interface using the keyboard.
* **Accessibility for screen readers** - BigBlueButton adds accessibility by supporting screen readers such as JAWS (version 11+) and NVDA. A list of keyboard shortcuts have been added to make it easier to navigate through the interface using the keyboard.
* **LTI Support** - BigBlueButton is IMS Learning Tools Interoperability (LTI) 1.0 compliant. This means any LTI consumer can integrate with BigBlueButton without requiring custom plug-ins (see [BigBlueButton LTI certification](http://www.imsglobal.org/cc/detail.cfm?ID=172) and [video](http://www.youtube.com/watch?v=OSTGfvICYX4)).
@ -427,7 +427,7 @@ If you are running a BigBlueButton VM or had installed BigBlueButton using packa
sudo apt-get upgrade
```
**Note:** If you get an error during upgrade, just run `sudo apt-get upgrade` again. We refactored the install scripts and a previous install script and new install scrip both reference the same configuration file. Running the upgrade command a second time will solve the problem as the first time upgrades all the install script.
**Note:** If you get an error during upgrade, just run `sudo apt-get upgrade` again. We refactored the install scripts and a previous install script and new install script both reference the same configuration file. Running the upgrade command a second time will solve the problem as the first time upgrades all the install script.
### Fixed Issues

View File

@ -511,7 +511,7 @@ When a front-end makes an API request to BigBlueButton, the BigBlueButton server
When the BigBlueButton client loads, it makes data connections back to the BigBlueButton server using a web socket connection encrypted HTTPS. When the BigBlueButton shares the user's audio, video, or screen, the browser uses the built-in web real-time communication (WebRTC) libraries that transmit real-time protocol packets (RTP) over user datagram protocol (UDP) via Datagram Transport Layer Security (see [DTLS](https://en.wikipedia.org/wiki/Datagram_Transport_Layer_Security)). Furthermore, to provide communications privacy for datagram protocols the media packets are encrypted using the Secure Real-Time Protocol (see [SRTP](https://en.wikipedia.org/wiki/Secure_Real-time_Transport_Protocol)).
As described above, by saying there are _multiple_ security mechanisms BigBlueButton, does this mean BigBlueButton offers secure collaboration? No. No system is really secure, there are only levels of security. We care about security in the BigBlueButton project, and if you detect any security vunerabilities in the project, you can make a responsible disclosure by emailing us at security@bigbluebutton.org.
As described above, by saying there are _multiple_ security mechanisms BigBlueButton, does this mean BigBlueButton offers secure collaboration? No. No system is really secure, there are only levels of security. We care about security in the BigBlueButton project, and if you detect any security vulnerabilities in the project, you can make a responsible disclosure by emailing us at security@bigbluebutton.org.
### Front Ends

View File

@ -222,7 +222,7 @@ $ systemctl unmask kurento-media-server.service
### Unable to share webcam
The default installation of BigBlueButton should work in most netowrk configurations; however, if your users ae behind a restrictive network that blocks outgoing UDP connections, they may encounter 1020 errors (media unable to reach server).
The default installation of BigBlueButton should work in most network configurations; however, if your users ae behind a restrictive network that blocks outgoing UDP connections, they may encounter 1020 errors (media unable to reach server).
If you get reports of these errors, setup TURN server to help their browsers send WebRTC audio and video streams via TCP over port 443 to the TURN server. The TURN server will then relay the media to your BigBlueButton server.
@ -529,7 +529,7 @@ You can add a line in `/etc/bigbluebutton/bbb-conf/apply-conf.sh` to always appl
xmlstarlet edit --inplace --update '//X-PRE-PROCESS[@cmd="set" and starts-with(@data, "external_rtp_ip=")]/@data' --value "external_rtp_ip=234.32.3.3" /opt/freeswitch/conf/vars.xml
```
Note: If your server has an internal/exteral IP address, such as on AWS EC2 server, be sure to set it to the external IP address configure a dummy network interface card (see [Update FreeSWITCH](/administration/firewall-configuration#update-freeswitch)).
Note: If your server has an internal/external IP address, such as on AWS EC2 server, be sure to set it to the external IP address configure a dummy network interface card (see [Update FreeSWITCH](/administration/firewall-configuration#update-freeswitch)).
## HTML5 Server
@ -973,7 +973,7 @@ The script `bbb-install` now creates these overrides by default.
It is most likely an error on GreenLight. Check the log file according to [Troubleshooting Greenlight](/greenlight/v3/install).
If this error occurrs on just a small number of PCs accessing a BigBlueButton server within a LAN through a proxy server and you find the description "Error::Unsafe Host Error (x.x.x.x is not a safe host)" (where x.x.x.x is an IP address) in the log file, check if the "Don't use the proxy server for local (intranet) addresses" (in the Windows proxy setting) is ticked.
If this error occurs on just a small number of PCs accessing a BigBlueButton server within a LAN through a proxy server and you find the description "Error::Unsafe Host Error (x.x.x.x is not a safe host)" (where x.x.x.x is an IP address) in the log file, check if the "Don't use the proxy server for local (intranet) addresses" (in the Windows proxy setting) is ticked.
## Legacy errors

View File

@ -14,7 +14,7 @@ This document is meant to be a combination of manual and (labeled so) automated
The <b>automated tests</b> are only a portion of the testing done before a release. Ideally they should be triggered often, for example when testing pull requests, or once a day automatically.
The <b>manual tests</b> really help to ensure release quality. They should
be performed by humans using different browsers. It is usefull to have multiple
be performed by humans using different browsers. It is useful to have multiple
humans performing these tests together. You should plan at least an hour to perform
all of these tests.
@ -304,7 +304,7 @@ The webcam will be resized as per the size we want.
B. Case of more than one webcam.
- Share atleast 2 webcams
- Share at least 2 webcams
- Drag the bottom of the webcams container
- Increase or Decrease the size of the webcams.
@ -387,7 +387,7 @@ The screen sharing stops, a sound effect of disconnection is heard and the prese
## Breakout rooms
### Moderators creating breakout rooms and assiging users [(Automated)](https://github.com/bigbluebutton/bigbluebutton/blob/v2.6.x-release/bigbluebutton-tests/playwright/breakout/breakout.spec.js)
### Moderators creating breakout rooms and assigning users [(Automated)](https://github.com/bigbluebutton/bigbluebutton/blob/v2.6.x-release/bigbluebutton-tests/playwright/breakout/breakout.spec.js)
1. Click "Manage users" (cog wheel icon in the user list).
@ -471,7 +471,7 @@ The screen sharing stops, a sound effect of disconnection is heard and the prese
2. Inside the breakout rooms control panel ("Breakout Rooms" button in the left-hand panel), select the "Breakout options" dropdown and choose "Destroy breakouts".
3. All of the breaout rooms should end and all users should get back to the main room. If users already got the audio on, they shouldn't get propmted for the audio modal.
3. All of the breaout rooms should end and all users should get back to the main room. If users already got the audio on, they shouldn't get prompted for the audio modal.
### Edit the duration of a breakout room
@ -698,7 +698,7 @@ Enable Microphone : This will cause a user name to appear on left top corner of
6. Presenter: Draw on the whiteboard area.
7. All clients should see the drawing and the drawing should appear according to the chosed thickness.
7. All clients should see the drawing and the drawing should appear according to the chosen thickness.
### Changing pencil tool colour
@ -820,7 +820,7 @@ Enable Microphone : This will cause a user name to appear on left top corner of
7. The result of those actions should be visible for all clients.
### Stoping Youtube Video Sharing
### Stopping Youtube Video Sharing
1. Join a meeting.
@ -1679,7 +1679,7 @@ Note :
- Click "Accept" for the specific user in the waiting users panel. That viewer should be accepted into the meeting.
- Click "Deny" for the specific user in teh waiting users panel. That viewer should see the message "Guest denied of joining the meeting" and should soon be redirected to the home page.
- Click "Deny" for the specific user in the waiting users panel. That viewer should see the message "Guest denied of joining the meeting" and should soon be redirected to the home page.
## Recording