2020-08-03 17:39:17 +00:00
|
|
|
/**
|
|
|
|
* Checks if the given Object is a correct last N limit mapping, coverts both keys and values to numbers and sorts
|
|
|
|
* the keys in ascending order.
|
|
|
|
*
|
|
|
|
* @param {Object} lastNLimits - The Object to be verified.
|
|
|
|
* @returns {undefined|Map<number, number>}
|
|
|
|
*/
|
|
|
|
export function validateLastNLimits(lastNLimits) {
|
|
|
|
// Checks if only numbers are used
|
|
|
|
if (typeof lastNLimits !== 'object'
|
|
|
|
|| !Object.keys(lastNLimits).length
|
|
|
|
|| Object.keys(lastNLimits)
|
|
|
|
.find(limit => limit === null || isNaN(Number(limit))
|
|
|
|
|| lastNLimits[limit] === null || isNaN(Number(lastNLimits[limit])))) {
|
|
|
|
return undefined;
|
|
|
|
}
|
|
|
|
|
|
|
|
// Converts to numbers and sorts the keys
|
|
|
|
const sortedMapping = new Map();
|
|
|
|
const orderedLimits = Object.keys(lastNLimits)
|
|
|
|
.map(n => Number(n))
|
|
|
|
.sort((n1, n2) => n1 - n2);
|
|
|
|
|
|
|
|
for (const limit of orderedLimits) {
|
|
|
|
sortedMapping.set(limit, Number(lastNLimits[limit]));
|
|
|
|
}
|
|
|
|
|
|
|
|
return sortedMapping;
|
|
|
|
}
|
|
|
|
|
|
|
|
/**
|
|
|
|
* Returns "last N" value which corresponds to a level defined in the {@code lastNLimits} mapping. See
|
|
|
|
* {@code config.js} for more detailed explanation on how the mapping is defined.
|
|
|
|
*
|
|
|
|
* @param {number} participantsCount - The current number of participants in the conference.
|
|
|
|
* @param {Map<number, number>} [lastNLimits] - The mapping of number of participants to "last N" values. NOTE that
|
|
|
|
* this function expects a Map that has been preprocessed by {@link validateLastNLimits}, because the keys must be
|
|
|
|
* sorted in ascending order and both keys and values should be numbers.
|
|
|
|
* @returns {number|undefined} - A "last N" number if there was a corresponding "last N" value matched with the number
|
|
|
|
* of participants or {@code undefined} otherwise.
|
|
|
|
*/
|
|
|
|
export function limitLastN(participantsCount, lastNLimits) {
|
2020-08-04 13:16:00 +00:00
|
|
|
if (!lastNLimits || !lastNLimits.keys) {
|
|
|
|
return undefined;
|
|
|
|
}
|
|
|
|
|
2020-08-03 17:39:17 +00:00
|
|
|
let selectedLimit;
|
|
|
|
|
|
|
|
for (const participantsN of lastNLimits.keys()) {
|
|
|
|
if (participantsCount >= participantsN) {
|
|
|
|
selectedLimit = participantsN;
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
return selectedLimit ? lastNLimits.get(selectedLimit) : undefined;
|
|
|
|
}
|