1
Fork 0
galene/static/galene.js

3920 lines
103 KiB
JavaScript
Raw Normal View History

2020-04-24 19:38:21 +02:00
// Copyright (c) 2020 by Juliusz Chroboczek.
2020-12-19 17:26:16 +01:00
// Permission is hereby granted, free of charge, to any person obtaining a copy
// of this software and associated documentation files (the "Software"), to deal
// in the Software without restriction, including without limitation the rights
// to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
// copies of the Software, and to permit persons to whom the Software is
// furnished to do so, subject to the following conditions:
//
// The above copyright notice and this permission notice shall be included in
// all copies or substantial portions of the Software.
//
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
// IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
// FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
// AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
// LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
// OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
// THE SOFTWARE.
2020-04-24 19:38:21 +02:00
'use strict';
2020-08-24 22:31:22 +02:00
/** @type {string} */
2020-04-24 19:38:21 +02:00
let group;
2020-08-24 22:31:22 +02:00
/** @type {ServerConnection} */
let serverConnection;
2020-04-24 19:38:21 +02:00
2021-10-26 22:22:48 +02:00
/** @type {Object} */
let groupStatus = {};
/** @type {string} */
let token = null;
/**
* @typedef {Object} settings
* @property {boolean} [localMute]
* @property {string} [video]
* @property {string} [audio]
2021-05-08 21:25:22 +02:00
* @property {string} [simulcast]
* @property {string} [send]
* @property {string} [request]
* @property {boolean} [activityDetection]
* @property {Array.<number>} [resolution]
2021-01-23 01:15:53 +01:00
* @property {boolean} [mirrorView]
2020-09-18 19:14:10 +02:00
* @property {boolean} [blackboardMode]
* @property {string} [filter]
* @property {boolean} [preprocessing]
* @property {boolean} [hqaudio]
* @property {boolean} [forceRelay]
*/
/** @type{settings} */
let fallbackSettings = null;
/**
* @param {settings} settings
*/
function storeSettings(settings) {
try {
window.sessionStorage.setItem('settings', JSON.stringify(settings));
fallbackSettings = null;
} catch(e) {
console.warn("Couldn't store settings:", e);
fallbackSettings = settings;
}
}
/**
* This always returns a dictionary.
*
* @returns {settings}
*/
function getSettings() {
/** @type {settings} */
let settings;
try {
let json = window.sessionStorage.getItem('settings');
settings = JSON.parse(json);
} catch(e) {
console.warn("Couldn't retrieve settings:", e);
settings = fallbackSettings;
}
return settings || {};
}
/**
* @param {settings} settings
*/
function updateSettings(settings) {
let s = getSettings();
for(let key in settings)
s[key] = settings[key];
storeSettings(s);
}
2020-09-23 21:01:29 +02:00
/**
* @param {string} key
* @param {any} value
*/
function updateSetting(key, value) {
let s = {};
s[key] = value;
updateSettings(s);
}
/**
* @param {string} key
*/
function delSetting(key) {
let s = getSettings();
if(!(key in s))
return;
delete(s[key]);
2020-12-26 17:28:44 +01:00
storeSettings(s);
2020-09-23 21:01:29 +02:00
}
/**
* @param {string} id
*/
function getSelectElement(id) {
let elt = document.getElementById(id);
if(!elt || !(elt instanceof HTMLSelectElement))
throw new Error(`Couldn't find ${id}`);
return elt;
}
/**
* @param {string} id
*/
function getInputElement(id) {
let elt = document.getElementById(id);
if(!elt || !(elt instanceof HTMLInputElement))
throw new Error(`Couldn't find ${id}`);
return elt;
}
/**
* @param {string} id
*/
function getButtonElement(id) {
let elt = document.getElementById(id);
if(!elt || !(elt instanceof HTMLButtonElement))
throw new Error(`Couldn't find ${id}`);
return elt;
}
function reflectSettings() {
let settings = getSettings();
let store = false;
setLocalMute(settings.localMute);
let videoselect = getSelectElement('videoselect');
if(!settings.hasOwnProperty('video') ||
!selectOptionAvailable(videoselect, settings.video)) {
settings.video = selectOptionDefault(videoselect);
store = true;
}
videoselect.value = settings.video;
let audioselect = getSelectElement('audioselect');
if(!settings.hasOwnProperty('audio') ||
!selectOptionAvailable(audioselect, settings.audio)) {
settings.audio = selectOptionDefault(audioselect);
store = true;
}
audioselect.value = settings.audio;
if(settings.hasOwnProperty('filter')) {
getSelectElement('filterselect').value = settings.filter;
} else {
let s = getSelectElement('filterselect').value;
if(s) {
settings.filter = s;
store = true;
}
}
if(settings.hasOwnProperty('request')) {
getSelectElement('requestselect').value = settings.request;
} else {
settings.request = getSelectElement('requestselect').value;
store = true;
}
if(settings.hasOwnProperty('send')) {
getSelectElement('sendselect').value = settings.send;
} else {
settings.send = getSelectElement('sendselect').value;
store = true;
}
2021-05-08 21:25:22 +02:00
if(settings.hasOwnProperty('simulcast')) {
getSelectElement('simulcastselect').value = settings.simulcast
} else {
settings.simulcast = getSelectElement('simulcastselect').value;
store = true;
}
if(settings.hasOwnProperty('blackboardMode')) {
getInputElement('blackboardbox').checked = settings.blackboardMode;
} else {
settings.blackboardMode = getInputElement('blackboardbox').checked;
store = true;
}
2021-01-23 01:15:53 +01:00
if(settings.hasOwnProperty('mirrorView')) {
getInputElement('mirrorbox').checked = settings.mirrorView;
} else {
settings.mirrorView = getInputElement('mirrorbox').checked;
store = true;
}
if(settings.hasOwnProperty('activityDetection')) {
getInputElement('activitybox').checked = settings.activityDetection;
} else {
settings.activityDetection = getInputElement('activitybox').checked;
store = true;
}
2020-09-18 19:14:10 +02:00
if(settings.hasOwnProperty('preprocessing')) {
getInputElement('preprocessingbox').checked = settings.preprocessing;
} else {
settings.preprocessing = getInputElement('preprocessingbox').checked;
store = true;
}
if(settings.hasOwnProperty('hqaudio')) {
getInputElement('hqaudiobox').checked = settings.hqaudio;
} else {
settings.hqaudio = getInputElement('hqaudiobox').checked;
store = true;
}
if(store)
storeSettings(settings);
}
function isMobileLayout() {
if (window.matchMedia('only screen and (max-width: 1024px)').matches)
return true;
return false;
}
2020-09-12 16:34:52 +02:00
/**
* @param {boolean} [force]
*/
function hideVideo(force) {
let mediadiv = document.getElementById('peers');
2020-09-12 16:34:52 +02:00
if(mediadiv.childElementCount > 0 && !force)
return;
setVisibility('video-container', false);
scheduleReconsiderDownRate();
2020-09-09 20:26:19 +02:00
}
function showVideo() {
let hasmedia = document.getElementById('peers').childElementCount > 0;
if(isMobileLayout()) {
setVisibility('show-video', false);
setVisibility('collapse-video', hasmedia);
}
setVisibility('video-container', hasmedia);
scheduleReconsiderDownRate();
}
2020-09-05 12:59:28 +02:00
/**
* @param{boolean} connected
*/
2020-04-24 19:38:21 +02:00
function setConnected(connected) {
2020-11-24 17:36:52 +01:00
let userbox = document.getElementById('profile');
2020-09-02 15:35:55 +02:00
let connectionbox = document.getElementById('login-container');
2020-04-24 19:38:21 +02:00
if(connected) {
clearChat();
2020-09-02 15:35:55 +02:00
userbox.classList.remove('invisible');
connectionbox.classList.add('invisible');
2020-04-25 18:09:31 +02:00
displayUsername();
window.onresize = function(e) {
scheduleReconsiderDownRate();
}
2020-04-24 19:38:21 +02:00
} else {
2020-09-02 15:35:55 +02:00
userbox.classList.add('invisible');
connectionbox.classList.remove('invisible');
displayError('Disconnected', 'error');
2020-09-09 20:26:19 +02:00
hideVideo();
window.onresize = null;
}
}
/**
* @this {ServerConnection}
* @param {string} [username]
*/
async function gotConnected(username) {
2021-10-29 23:37:05 +02:00
let credentials;
if(token) {
2021-10-29 23:37:05 +02:00
credentials = {
type: 'token',
token: token,
2021-10-29 23:37:05 +02:00
};
token = null;
} else {
setConnected(true);
username = getInputElement('username').value.trim();
let pw = getInputElement('password').value;
getInputElement('password').value = '';
if(!groupStatus.authServer)
credentials = pw;
else
credentials = {
type: 'authServer',
authServer: groupStatus.authServer,
location: location.href,
password: pw,
};
}
2021-10-29 23:37:05 +02:00
2021-10-29 23:37:59 +02:00
try {
2021-10-29 23:37:05 +02:00
await this.join(group, username, credentials);
2021-10-29 23:37:59 +02:00
} catch(e) {
console.error(e);
displayError(e);
serverConnection.close();
}
}
/**
* @this {ServerConnection}
*/
function onPeerConnection() {
if(!getSettings().forceRelay)
return null;
let old = this.rtcConfiguration;
/** @type {RTCConfiguration} */
let conf = {};
for(let key in old)
conf[key] = old[key];
conf.iceTransportPolicy = 'relay';
return conf;
}
2020-09-12 16:34:52 +02:00
/**
* @this {ServerConnection}
2020-09-12 16:34:52 +02:00
* @param {number} code
* @param {string} reason
*/
function gotClose(code, reason) {
2021-07-16 00:11:38 +02:00
closeUpMedia();
setConnected(false);
if(code != 1000) {
console.warn('Socket close', code, reason);
}
}
/**
* @this {ServerConnection}
* @param {Stream} c
*/
function gotDownStream(c) {
c.onclose = function(replace) {
if(!replace)
delMedia(c.localId);
};
c.onerror = function(e) {
console.error(e);
displayError(e);
2020-12-26 17:28:44 +01:00
};
c.ondowntrack = function(track, transceiver, label, stream) {
setMedia(c, false);
2020-12-26 17:28:44 +01:00
};
c.onnegotiationcompleted = function() {
resetMedia(c);
}
c.onstatus = function(status) {
setMediaStatus(c);
2020-12-26 17:28:44 +01:00
};
2020-09-11 23:20:46 +02:00
c.onstats = gotDownStats;
if(getSettings().activityDetection)
2020-09-11 23:20:46 +02:00
c.setStatsInterval(activityDetectionInterval);
2020-12-25 20:29:46 +01:00
setMedia(c, false);
2020-04-24 19:38:21 +02:00
}
2020-09-09 20:26:19 +02:00
// Store current browser viewport height in css variable
function setViewportHeight() {
2020-09-12 16:34:52 +02:00
document.documentElement.style.setProperty(
'--vh', `${window.innerHeight/100}px`,
);
showVideo();
// Ajust video component size
resizePeers();
}
2020-09-09 20:26:19 +02:00
// On resize and orientation change, we update viewport height
addEventListener('resize', setViewportHeight);
addEventListener('orientationchange', setViewportHeight);
getButtonElement('presentbutton').onclick = async function(e) {
2020-04-24 19:38:21 +02:00
e.preventDefault();
let button = this;
if(!(button instanceof HTMLButtonElement))
throw new Error('Unexpected type for this.');
// there's a potential race condition here: the user might click the
// button a second time before the stream is set up and the button hidden.
button.disabled = true;
try {
let id = findUpMedia('camera');
if(!id)
await addLocalMedia();
} finally {
button.disabled = false;
}
2020-05-10 21:18:07 +02:00
};
2020-04-24 19:38:21 +02:00
getButtonElement('unpresentbutton').onclick = function(e) {
e.preventDefault();
closeUpMedia('camera');
2020-09-03 20:54:27 +02:00
resizePeers();
};
/**
* @param {string} id
* @param {boolean} visible
*/
function setVisibility(id, visible) {
let elt = document.getElementById(id);
if(visible)
elt.classList.remove('invisible');
else
elt.classList.add('invisible');
}
function setButtonsVisibility() {
let connected = serverConnection && serverConnection.socket;
let permissions = serverConnection.permissions;
let present = permissions.indexOf('present') >= 0;
let local = !!findUpMedia('camera');
let canWebrtc = !(typeof RTCPeerConnection === 'undefined');
let mediacount = document.getElementById('peers').childElementCount;
let mobilelayout = isMobileLayout();
// don't allow multiple presentations
setVisibility('presentbutton', canWebrtc && present && !local);
setVisibility('unpresentbutton', local);
setVisibility('mutebutton', !connected || present);
// allow multiple shared documents
setVisibility('sharebutton', canWebrtc && present &&
('getDisplayMedia' in navigator.mediaDevices));
setVisibility('mediaoptions', present);
setVisibility('sendform', present);
setVisibility('simulcastform', present);
setVisibility('collapse-video', mediacount && mobilelayout);
}
2020-09-12 16:34:52 +02:00
/**
* @param {boolean} mute
2020-11-30 14:22:36 +01:00
* @param {boolean} [reflect]
2020-09-12 16:34:52 +02:00
*/
2020-11-30 14:22:36 +01:00
function setLocalMute(mute, reflect) {
muteLocalTracks(mute);
2020-06-09 18:05:16 +02:00
let button = document.getElementById('mutebutton');
2020-11-09 15:57:30 +01:00
let icon = button.querySelector("span .fas");
if(mute){
2020-09-11 10:39:32 +02:00
icon.classList.add('fa-microphone-slash');
icon.classList.remove('fa-microphone');
2020-06-09 18:05:16 +02:00
button.classList.add('muted');
2020-09-11 10:39:32 +02:00
} else {
icon.classList.remove('fa-microphone-slash');
icon.classList.add('fa-microphone');
2020-06-09 18:05:16 +02:00
button.classList.remove('muted');
2020-09-11 10:39:32 +02:00
}
2020-11-30 14:22:36 +01:00
if(reflect)
updateSettings({localMute: mute});
2020-06-09 18:05:16 +02:00
}
getSelectElement('videoselect').onchange = function(e) {
e.preventDefault();
if(!(this instanceof HTMLSelectElement))
throw new Error('Unexpected type for this');
updateSettings({video: this.value});
replaceCameraStream();
2020-05-10 21:18:07 +02:00
};
getSelectElement('audioselect').onchange = function(e) {
e.preventDefault();
if(!(this instanceof HTMLSelectElement))
throw new Error('Unexpected type for this');
updateSettings({audio: this.value});
replaceCameraStream();
2020-05-10 21:18:07 +02:00
};
2021-01-23 01:15:53 +01:00
getInputElement('mirrorbox').onchange = function(e) {
e.preventDefault();
if(!(this instanceof HTMLInputElement))
throw new Error('Unexpected type for this');
updateSettings({mirrorView: this.checked});
// no need to reopen the camera
replaceUpStreams('camera');
2021-01-23 01:15:53 +01:00
};
getInputElement('blackboardbox').onchange = function(e) {
2020-09-18 19:14:10 +02:00
e.preventDefault();
if(!(this instanceof HTMLInputElement))
throw new Error('Unexpected type for this');
2020-09-18 19:14:10 +02:00
updateSettings({blackboardMode: this.checked});
replaceCameraStream();
2020-12-26 17:28:44 +01:00
};
2020-09-18 19:14:10 +02:00
getInputElement('preprocessingbox').onchange = function(e) {
e.preventDefault();
if(!(this instanceof HTMLInputElement))
throw new Error('Unexpected type for this');
updateSettings({preprocessing: this.checked});
replaceCameraStream();
};
getInputElement('hqaudiobox').onchange = function(e) {
e.preventDefault();
if(!(this instanceof HTMLInputElement))
throw new Error('Unexpected type for this');
updateSettings({hqaudio: this.checked});
replaceCameraStream();
};
2020-06-09 18:05:16 +02:00
document.getElementById('mutebutton').onclick = function(e) {
e.preventDefault();
let localMute = getSettings().localMute;
localMute = !localMute;
2020-11-30 14:22:36 +01:00
setLocalMute(localMute, true);
2020-12-26 17:28:44 +01:00
};
2020-06-09 18:05:16 +02:00
document.getElementById('sharebutton').onclick = function(e) {
2020-04-24 19:38:21 +02:00
e.preventDefault();
addShareMedia();
2020-05-10 21:18:07 +02:00
};
2020-04-24 19:38:21 +02:00
getSelectElement('filterselect').onchange = async function(e) {
if(!(this instanceof HTMLSelectElement))
throw new Error('Unexpected type for this');
updateSettings({filter: this.value});
let c = findUpMedia('camera');
if(c) {
let filter = (this.value && filters[this.value]) || null;
if(filter)
c.userdata.filterDefinition = filter;
else
delete c.userdata.filterDefinition;
replaceUpStream(c);
}
};
/** @returns {number} */
function getMaxVideoThroughput() {
let v = getSettings().send;
switch(v) {
case 'lowest':
return 150000;
case 'low':
return 300000;
case 'normal':
return 700000;
case 'unlimited':
return null;
default:
console.error('Unknown video quality', v);
return 700000;
}
}
getSelectElement('sendselect').onchange = async function(e) {
if(!(this instanceof HTMLSelectElement))
throw new Error('Unexpected type for this');
updateSettings({send: this.value});
await reconsiderSendParameters();
2020-12-26 17:28:44 +01:00
};
2021-05-08 21:25:22 +02:00
getSelectElement('simulcastselect').onchange = async function(e) {
if(!(this instanceof HTMLSelectElement))
throw new Error('Unexpected type for this');
updateSettings({simulcast: this.value});
await reconsiderSendParameters();
2021-05-08 21:25:22 +02:00
};
/**
* @param {string} what
* @returns {Object<string,Array<string>>}
*/
function mapRequest(what) {
switch(what) {
case '':
return {};
break;
case 'audio':
return {'': ['audio']};
break;
2021-04-29 17:03:25 +02:00
case 'screenshare-low':
return {screenshare: ['audio','video-low'], '': ['audio']};
break;
case 'screenshare':
return {screenshare: ['audio','video'], '': ['audio']};
break;
2021-04-29 17:03:25 +02:00
case 'everything-low':
return {'': ['audio','video-low']};
break;
case 'everything':
return {'': ['audio','video']}
break;
default:
throw new Error(`Unknown value ${what} in request`);
}
}
/**
* @param {string} what
* @param {string} label
* @returns {Array<string>}
*/
function mapRequestLabel(what, label) {
let r = mapRequest(what);
if(label in r)
return r[label];
else
return r[''];
}
getSelectElement('requestselect').onchange = function(e) {
2020-05-09 19:39:34 +02:00
e.preventDefault();
if(!(this instanceof HTMLSelectElement))
throw new Error('Unexpected type for this');
updateSettings({request: this.value});
serverConnection.request(mapRequest(this.value));
reconsiderDownRate();
2020-05-10 21:18:07 +02:00
};
2020-05-09 19:39:34 +02:00
const activityDetectionInterval = 200;
2020-09-11 23:20:46 +02:00
const activityDetectionPeriod = 700;
const activityDetectionThreshold = 0.2;
getInputElement('activitybox').onchange = function(e) {
if(!(this instanceof HTMLInputElement))
throw new Error('Unexpected type for this');
updateSettings({activityDetection: this.checked});
2020-09-11 23:20:46 +02:00
for(let id in serverConnection.down) {
let c = serverConnection.down[id];
if(this.checked)
2020-09-11 23:20:46 +02:00
c.setStatsInterval(activityDetectionInterval);
else {
c.setStatsInterval(0);
setActive(c, false);
2020-09-11 23:20:46 +02:00
}
}
2020-12-26 17:28:44 +01:00
};
2020-09-11 23:20:46 +02:00
/**
* @this {Stream}
* @param {Object<string,any>} stats
*/
2020-09-11 23:20:46 +02:00
function gotUpStats(stats) {
let c = this;
2020-04-26 19:21:01 +02:00
2021-04-29 17:03:25 +02:00
let values = [];
2021-04-29 17:03:25 +02:00
for(let id in stats) {
if(stats[id] && stats[id]['outbound-rtp']) {
let rate = stats[id]['outbound-rtp'].rate;
if(typeof rate === 'number') {
values.push(rate);
}
}
2021-04-29 17:03:25 +02:00
}
2021-04-29 17:03:25 +02:00
if(values.length === 0) {
setLabel(c, '');
} else {
values.sort((x,y) => x - y);
setLabel(c, values
.map(x => Math.round(x / 1000).toString())
.reduce((x, y) => x + '+' + y));
}
2020-04-26 19:21:01 +02:00
}
2020-09-11 23:20:46 +02:00
/**
* @param {Stream} c
* @param {boolean} value
*/
function setActive(c, value) {
let peer = document.getElementById('peer-' + c.localId);
2020-09-11 23:20:46 +02:00
if(value)
peer.classList.add('peer-active');
else
peer.classList.remove('peer-active');
}
/**
* @this {Stream}
* @param {Object<string,any>} stats
*/
2020-09-11 23:20:46 +02:00
function gotDownStats(stats) {
if(!getInputElement('activitybox').checked)
2020-09-11 23:20:46 +02:00
return;
let c = this;
let maxEnergy = 0;
c.pc.getReceivers().forEach(r => {
let tid = r.track && r.track.id;
let s = tid && stats[tid];
let energy = s && s['track'] && s['track'].audioEnergy;
if(typeof energy === 'number')
maxEnergy = Math.max(maxEnergy, energy);
});
// totalAudioEnergy is defined as the integral of the square of the
// volume, so square the threshold.
if(maxEnergy > activityDetectionThreshold * activityDetectionThreshold) {
c.userdata.lastVoiceActivity = Date.now();
setActive(c, true);
} else {
let last = c.userdata.lastVoiceActivity;
if(!last || Date.now() - last > activityDetectionPeriod)
setActive(c, false);
}
}
2020-09-12 16:34:52 +02:00
/**
* @param {HTMLSelectElement} select
* @param {string} label
* @param {string} [value]
2020-09-12 16:34:52 +02:00
*/
function addSelectOption(select, label, value) {
if(!value)
value = label;
for(let i = 0; i < select.children.length; i++) {
let child = select.children[i];
if(!(child instanceof HTMLOptionElement)) {
console.warn('Unexpected select child');
continue;
}
if(child.value === value) {
if(child.label !== label) {
child.label = label;
}
return;
}
}
let option = document.createElement('option');
option.value = value;
option.textContent = label;
select.appendChild(option);
}
/**
* @param {HTMLSelectElement} select
* @param {string} value
*/
function selectOptionAvailable(select, value) {
let children = select.children;
for(let i = 0; i < children.length; i++) {
let child = select.children[i];
if(!(child instanceof HTMLOptionElement)) {
console.warn('Unexpected select child');
continue;
}
if(child.value === value)
return true;
}
return false;
}
/**
* @param {HTMLSelectElement} select
* @returns {string}
*/
function selectOptionDefault(select) {
/* First non-empty option. */
for(let i = 0; i < select.children.length; i++) {
let child = select.children[i];
if(!(child instanceof HTMLOptionElement)) {
console.warn('Unexpected select child');
continue;
}
if(child.value)
return child.value;
}
/* The empty option is always available. */
return '';
}
/* media names might not be available before we call getDisplayMedia. So
we call this twice, the second time to update the menu with user-readable
labels. */
2020-08-24 22:37:48 +02:00
/** @type {boolean} */
let mediaChoicesDone = false;
/**
* @param{boolean} done
*/
async function setMediaChoices(done) {
if(mediaChoicesDone)
return;
let devices = [];
try {
devices = await navigator.mediaDevices.enumerateDevices();
} catch(e) {
console.error(e);
return;
}
let cn = 1, mn = 1;
devices.forEach(d => {
let label = d.label;
if(d.kind === 'videoinput') {
if(!label)
label = `Camera ${cn}`;
addSelectOption(getSelectElement('videoselect'),
label, d.deviceId);
cn++;
} else if(d.kind === 'audioinput') {
if(!label)
label = `Microphone ${mn}`;
addSelectOption(getSelectElement('audioselect'),
label, d.deviceId);
mn++;
}
});
mediaChoicesDone = done;
}
/**
* @param {string} [localId]
*/
function newUpStream(localId) {
let c = serverConnection.newUpStream(localId);
c.onstatus = function(status) {
setMediaStatus(c);
2020-12-26 17:28:44 +01:00
};
c.onerror = function(e) {
console.error(e);
displayError(e);
2020-12-26 17:28:44 +01:00
};
return c;
}
/**
* Sets an up stream's video throughput and simulcast parameters.
*
* @param {Stream} c
* @param {number} bps
* @param {boolean} simulcast
*/
async function setSendParameters(c, bps, simulcast) {
if(!c.up)
throw new Error('Setting throughput of down stream');
let senders = c.pc.getSenders();
for(let i = 0; i < senders.length; i++) {
let s = senders[i];
if(!s.track || s.track.kind !== 'video')
continue;
let p = s.getParameters();
if((!p.encodings ||
!simulcast && p.encodings.length != 1) ||
2021-04-29 17:03:25 +02:00
(simulcast && p.encodings.length != 2)) {
await replaceUpStream(c);
return;
}
p.encodings.forEach(e => {
2021-04-29 17:03:25 +02:00
if(!e.rid || e.rid === 'h')
e.maxBitrate = bps || unlimitedRate;
});
2021-04-29 17:03:25 +02:00
await s.setParameters(p);
}
}
let reconsiderParametersTimer = null;
/**
* Sets the send parameters for all up streams.
*/
async function reconsiderSendParameters() {
cancelReconsiderParameters();
let t = getMaxVideoThroughput();
let s = doSimulcast();
let promises = [];
for(let id in serverConnection.up) {
let c = serverConnection.up[id];
promises.push(setSendParameters(c, t, s));
}
await Promise.all(promises);
}
/**
* Schedules a call to reconsiderSendParameters after a delay.
* The delay avoids excessive flapping.
*/
function scheduleReconsiderParameters() {
cancelReconsiderParameters();
reconsiderParametersTimer =
setTimeout(reconsiderSendParameters, 10000 + Math.random() * 10000);
}
function cancelReconsiderParameters() {
if(reconsiderParametersTimer) {
clearTimeout(reconsiderParametersTimer);
reconsiderParametersTimer = null;
}
}
/**
* @typedef {Object} filterDefinition
* @property {string} [description]
* @property {string} [contextType]
* @property {Object} [contextAttributes]
2021-01-13 18:10:16 +01:00
* @property {(this: Filter, ctx: RenderingContext) => void} [init]
* @property {(this: Filter) => void} [cleanup]
* @property {(this: Filter, src: CanvasImageSource, width: number, height: number, ctx: RenderingContext) => boolean} f
*/
/**
* @param {MediaStream} stream
* @param {filterDefinition} definition
* @constructor
*/
function Filter(stream, definition) {
/** @ts-ignore */
if(!HTMLCanvasElement.prototype.captureStream) {
throw new Error('Filters are not supported on this platform');
}
/** @type {MediaStream} */
this.inputStream = stream;
/** @type {filterDefinition} */
this.definition = definition;
/** @type {number} */
this.frameRate = 30;
/** @type {HTMLVideoElement} */
this.video = document.createElement('video');
/** @type {HTMLCanvasElement} */
this.canvas = document.createElement('canvas');
/** @type {any} */
this.context = this.canvas.getContext(
definition.contextType || '2d',
definition.contextAttributes || null);
/** @type {MediaStream} */
this.captureStream = null;
/** @type {MediaStream} */
this.outputStream = null;
/** @type {number} */
this.timer = null;
/** @type {number} */
this.count = 0;
/** @type {boolean} */
this.fixedFramerate = false;
2021-01-13 18:10:16 +01:00
/** @type {Object} */
this.userdata = {}
2022-01-25 01:22:59 +01:00
/** @type {MediaStream} */
this.captureStream = this.canvas.captureStream(0);
2022-01-25 01:22:59 +01:00
/** @ts-ignore */
if(!this.captureStream.getTracks()[0].requestFrame) {
console.warn('captureFrame not supported, using fixed framerate');
/** @ts-ignore */
this.captureStream = this.canvas.captureStream(this.frameRate);
this.fixedFramerate = true;
}
this.outputStream = new MediaStream();
this.outputStream.addTrack(this.captureStream.getTracks()[0]);
this.inputStream.getTracks().forEach(t => {
t.onended = e => this.stop();
if(t.kind != 'video')
this.outputStream.addTrack(t);
});
this.video.srcObject = stream;
this.video.muted = true;
this.video.play();
2021-01-13 18:10:16 +01:00
if(this.definition.init)
this.definition.init.call(this, this.context);
this.timer = setInterval(() => this.draw(), 1000 / this.frameRate);
}
Filter.prototype.draw = function() {
// check framerate every 30 frames
if((this.count % 30) === 0) {
let frameRate = 0;
this.inputStream.getTracks().forEach(t => {
if(t.kind === 'video') {
let r = t.getSettings().frameRate;
if(r)
frameRate = r;
}
});
if(frameRate && frameRate != this.frameRate) {
clearInterval(this.timer);
this.timer = setInterval(() => this.draw(), 1000 / this.frameRate);
}
}
2021-01-13 17:07:40 +01:00
let ok = false;
try {
ok = this.definition.f.call(this, this.video,
this.video.videoWidth,
this.video.videoHeight,
this.context);
2021-01-13 17:07:40 +01:00
} catch(e) {
console.error(e);
}
if(ok && !this.fixedFramerate) {
/** @ts-ignore */
this.captureStream.getTracks()[0].requestFrame();
}
2021-01-13 17:07:40 +01:00
this.count++;
};
Filter.prototype.stop = function() {
if(!this.timer)
return;
this.captureStream.getTracks()[0].stop();
clearInterval(this.timer);
this.timer = null;
2021-01-13 18:10:16 +01:00
if(this.definition.cleanup)
this.definition.cleanup.call(this);
};
/**
* Removes any filter set on c.
*
* @param {Stream} c
*/
function removeFilter(c) {
let old = c.userdata.filter;
if(!old)
return;
if(!(old instanceof Filter))
throw new Error('userdata.filter is not a filter');
c.setStream(old.inputStream);
old.stop();
c.userdata.filter = null;
}
/**
* Sets the filter described by c.userdata.filterDefinition on c.
*
* @param {Stream} c
*/
function setFilter(c) {
removeFilter(c);
if(!c.userdata.filterDefinition)
return;
let filter = new Filter(c.stream, c.userdata.filterDefinition);
c.setStream(filter.outputStream);
c.userdata.filter = filter;
}
/**
* @type {Object.<string,filterDefinition>}
*/
let filters = {
'mirror-h': {
description: "Horizontal mirror",
f: function(src, width, height, ctx) {
if(!(ctx instanceof CanvasRenderingContext2D))
throw new Error('bad context type');
2021-01-13 17:07:40 +01:00
if(ctx.canvas.width !== width || ctx.canvas.height !== height) {
ctx.canvas.width = width;
ctx.canvas.height = height;
}
ctx.scale(-1, 1);
ctx.drawImage(src, -width, 0);
2021-01-13 14:36:29 +01:00
ctx.resetTransform();
return true;
},
},
'mirror-v': {
description: "Vertical mirror",
f: function(src, width, height, ctx) {
if(!(ctx instanceof CanvasRenderingContext2D))
throw new Error('bad context type');
2021-01-13 17:07:40 +01:00
if(ctx.canvas.width !== width || ctx.canvas.height !== height) {
ctx.canvas.width = width;
ctx.canvas.height = height;
}
ctx.scale(1, -1);
ctx.drawImage(src, 0, -height);
2021-01-13 14:36:29 +01:00
ctx.resetTransform();
return true;
},
},
};
function addFilters() {
for(let name in filters) {
let f = filters[name];
let d = f.description || name;
addSelectOption(getSelectElement('filterselect'), d, name);
}
}
function isSafari() {
let ua = navigator.userAgent.toLowerCase();
return ua.indexOf('safari') >= 0 && ua.indexOf('chrome') < 0;
}
2021-04-29 17:03:25 +02:00
const unlimitedRate = 1000000000;
const simulcastRate = 100000;
const hqAudioRate = 128000;
2021-04-29 17:03:25 +02:00
/**
* Decide whether we want to send simulcast.
*
2021-04-29 17:03:25 +02:00
* @returns {boolean}
*/
function doSimulcast() {
2021-05-08 21:25:22 +02:00
switch(getSettings().simulcast) {
case 'on':
return true;
case 'off':
2021-04-29 17:03:25 +02:00
return false;
2021-05-08 21:25:22 +02:00
default:
let count = 0;
for(let n in serverConnection.users) {
if(!serverConnection.users[n].permissions["system"]) {
count++;
if(count > 2)
break;
}
}
if(count <= 2)
return false;
2021-05-08 21:25:22 +02:00
let bps = getMaxVideoThroughput();
return bps <= 0 || bps >= 2 * simulcastRate;
}
2021-04-29 17:03:25 +02:00
}
/**
* Sets up c to send the given stream. Some extra parameters are stored
* in c.userdata.
*
* @param {Stream} c
* @param {MediaStream} stream
*/
2021-04-29 17:03:25 +02:00
function setUpStream(c, stream) {
if(c.stream != null)
throw new Error("Setting nonempty stream");
c.setStream(stream);
try {
setFilter(c);
} catch(e) {
displayWarning("Couldn't set filter: " + e);
}
c.onclose = replace => {
removeFilter(c);
if(!replace) {
stopStream(c.stream);
if(c.userdata.onclose)
c.userdata.onclose.call(c);
delMedia(c.localId);
}
}
/**
* @param {MediaStreamTrack} t
*/
function addUpTrack(t) {
let settings = getSettings();
if(c.label === 'camera') {
if(t.kind == 'audio') {
if(settings.localMute)
t.enabled = false;
} else if(t.kind == 'video') {
if(settings.blackboardMode) {
t.contentHint = 'detail';
}
}
}
t.onended = e => {
stream.onaddtrack = null;
stream.onremovetrack = null;
c.close();
};
2021-04-29 17:03:25 +02:00
let encodings = [];
2021-05-10 02:53:22 +02:00
let simulcast = doSimulcast();
if(t.kind === 'video') {
let bps = getMaxVideoThroughput();
// Firefox doesn't like us setting the RID if we're not
// simulcasting.
if(simulcast) {
encodings.push({
rid: 'h',
maxBitrate: bps || unlimitedRate,
});
2021-04-29 17:03:25 +02:00
encodings.push({
rid: 'l',
scaleResolutionDownBy: 2,
maxBitrate: simulcastRate,
});
} else {
encodings.push({
maxBitrate: bps || unlimitedRate,
});
}
} else {
if(settings.hqaudio) {
encodings.push({
maxBitrate: hqAudioRate,
});
}
}
2021-05-10 02:53:22 +02:00
let tr = c.pc.addTransceiver(t, {
direction: 'sendonly',
streams: [stream],
sendEncodings: encodings,
});
// Firefox workaround
function match(a, b) {
if(!a || !b)
return false;
if(a.length !== b.length)
return false;
for(let i = 0; i < a.length; i++) {
if(a.maxBitrate !== b.maxBitrate)
return false;
}
return true;
}
let p = tr.sender.getParameters();
if(!p || !match(p.encodings, encodings)) {
p.encodings = encodings;
tr.sender.setParameters(p);
2021-05-10 02:53:22 +02:00
}
}
// c.stream might be different from stream if there's a filter
c.stream.getTracks().forEach(addUpTrack);
stream.onaddtrack = function(e) {
addUpTrack(e.track);
};
stream.onremovetrack = function(e) {
let t = e.track;
/** @type {RTCRtpSender} */
let sender;
c.pc.getSenders().forEach(s => {
if(s.track === t)
sender = s;
});
if(sender) {
c.pc.removeTrack(sender);
} else {
console.warn('Removing unknown track');
}
let found = false;
c.pc.getSenders().forEach(s => {
if(s.track)
found = true;
});
if(!found) {
stream.onaddtrack = null;
stream.onremovetrack = null;
c.close();
}
};
c.onstats = gotUpStats;
c.setStatsInterval(2000);
}
/**
* Replaces c with a freshly created stream, duplicating any relevant
* parameters in c.userdata.
*
* @param {Stream} c
* @returns {Promise<Stream>}
*/
async function replaceUpStream(c) {
removeFilter(c);
let cn = newUpStream(c.localId);
cn.label = c.label;
if(c.userdata.filterDefinition)
cn.userdata.filterDefinition = c.userdata.filterDefinition;
if(c.userdata.onclose)
cn.userdata.onclose = c.userdata.onclose;
let media = /** @type{HTMLVideoElement} */
(document.getElementById('media-' + c.localId));
setUpStream(cn, c.stream);
await setMedia(cn, true,
cn.label == 'camera' && getSettings().mirrorView,
cn.label == 'video' && media);
return cn;
}
/**
* Replaces all up streams with the given label. If label is null,
* replaces all up stream.
*
* @param {string} label
*/
async function replaceUpStreams(label) {
let promises = [];
for(let id in serverConnection.up) {
let c = serverConnection.up[id];
if(label && c.label !== label)
continue
promises.push(replaceUpStream(c));
}
await Promise.all(promises);
}
/**
* Closes and reopens the camera then replaces the camera stream.
*/
function replaceCameraStream() {
let c = findUpMedia('camera');
if(c)
addLocalMedia(c.localId);
}
/**
* @param {string} [localId]
*/
async function addLocalMedia(localId) {
let settings = getSettings();
let audio = settings.audio ? {deviceId: settings.audio} : false;
let video = settings.video ? {deviceId: settings.video} : false;
2020-09-18 19:14:10 +02:00
if(video) {
let resolution = settings.resolution;
if(resolution) {
video.width = { ideal: resolution[0] };
video.height = { ideal: resolution[1] };
} else if(settings.blackboardMode) {
2020-09-18 19:14:10 +02:00
video.width = { min: 640, ideal: 1920 };
video.height = { min: 400, ideal: 1080 };
}
}
if(audio) {
if(!settings.preprocessing) {
audio.echoCancellation = false;
audio.noiseSuppression = false;
audio.autoGainControl = false;
}
}
let old = serverConnection.findByLocalId(localId);
if(old) {
// make sure that the camera is released before we try to reopen it
removeFilter(old);
stopStream(old.stream);
}
let constraints = {audio: audio, video: video};
/** @type {MediaStream} */
let stream = null;
try {
stream = await navigator.mediaDevices.getUserMedia(constraints);
} catch(e) {
displayError(e);
return;
2020-04-24 19:38:21 +02:00
}
setMediaChoices(true);
let c;
try {
c = newUpStream(localId);
} catch(e) {
console.log(e);
displayError(e);
return;
}
c.label = 'camera';
if(settings.filter) {
let filter = filters[settings.filter];
if(filter)
c.userdata.filterDefinition = filter;
else
displayWarning(`Unknown filter ${settings.filter}`);
}
setUpStream(c, stream);
2021-01-23 01:15:53 +01:00
await setMedia(c, true, settings.mirrorView);
setButtonsVisibility();
2020-04-24 19:38:21 +02:00
}
let safariScreenshareDone = false;
async function addShareMedia() {
if(!safariScreenshareDone) {
if(isSafari()) {
let ok = confirm(
2022-05-19 15:24:15 +02:00
'Screen sharing in Safari is badly broken. ' +
'It will work at first, ' +
'but then your video will randomly freeze. ' +
'Are you sure that you wish to enable screensharing?'
);
if(!ok)
return
}
safariScreenshareDone = true;
}
/** @type {MediaStream} */
let stream = null;
try {
if(!('getDisplayMedia' in navigator.mediaDevices))
throw new Error('Your browser does not support screen sharing');
2022-02-21 18:19:25 +01:00
stream = await navigator.mediaDevices.getDisplayMedia({
video: true,
audio: true,
});
} catch(e) {
console.error(e);
displayError(e);
2020-04-24 19:38:21 +02:00
return;
}
let c = newUpStream();
c.label = 'screenshare';
setUpStream(c, stream);
await setMedia(c, true);
2020-12-26 17:28:44 +01:00
setButtonsVisibility();
}
2020-11-24 19:22:38 +01:00
/**
* @param {File} file
*/
async function addFileMedia(file) {
let url = URL.createObjectURL(file);
let video = document.createElement('video');
video.src = url;
video.controls = true;
2021-02-01 01:08:39 +01:00
let stream;
/** @ts-ignore */
if(video.captureStream)
/** @ts-ignore */
stream = video.captureStream();
2020-11-24 19:22:38 +01:00
/** @ts-ignore */
2021-02-01 01:08:39 +01:00
else if(video.mozCaptureStream)
/** @ts-ignore */
stream = video.mozCaptureStream();
else {
displayError("This browser doesn't support file playback");
return;
}
2020-11-24 19:22:38 +01:00
let c = newUpStream();
c.label = 'video';
c.userdata.onclose = function() {
let media = /** @type{HTMLVideoElement} */
(document.getElementById('media-' + this.localId));
if(media && media.src) {
URL.revokeObjectURL(media.src);
media.src = null;
}
2020-11-24 19:22:38 +01:00
};
await setUpStream(c, stream);
let presenting = !!findUpMedia('camera');
let muted = getSettings().localMute;
if(presenting && !muted) {
setLocalMute(true, true);
displayWarning('You have been muted');
}
await setMedia(c, true, false, video);
c.userdata.play = true;
2020-12-26 17:28:44 +01:00
setButtonsVisibility();
2020-11-24 19:22:38 +01:00
}
/**
* @param {MediaStream} s
*/
function stopStream(s) {
s.getTracks().forEach(t => {
try {
t.stop();
} catch(e) {
console.warn(e);
}
});
}
/**
* closeUpMedia closes all up connections with the given label. If label
* is null, it closes all up connections.
*
2021-07-16 00:11:38 +02:00
* @param {string} [label]
*/
function closeUpMedia(label) {
for(let id in serverConnection.up) {
let c = serverConnection.up[id];
if(label && c.label !== label)
continue
c.close();
2020-04-24 19:38:21 +02:00
}
}
/**
* @param {string} label
* @returns {Stream}
*/
function findUpMedia(label) {
for(let id in serverConnection.up) {
let c = serverConnection.up[id]
if(c.label === label)
return c;
}
return null;
2020-04-24 19:38:21 +02:00
}
/**
* @param {boolean} mute
*/
2020-06-09 18:05:16 +02:00
function muteLocalTracks(mute) {
if(!serverConnection)
return;
for(let id in serverConnection.up) {
let c = serverConnection.up[id];
if(c.label === 'camera') {
2020-06-09 18:05:16 +02:00
let stream = c.stream;
stream.getTracks().forEach(t => {
if(t.kind === 'audio') {
t.enabled = !mute;
}
});
}
}
}
/**
* @param {string} id
* @param {boolean} force
* @param {boolean} [value]
*/
function forceDownRate(id, force, value) {
let c = serverConnection.down[id];
if(!c)
throw new Error("Unknown down stream");
if('requested' in c.userdata) {
if(force)
c.userdata.requested.force = !!value;
else
delete(c.userdata.requested.force);
} else {
if(force)
c.userdata.requested = {force: value};
}
reconsiderDownRate(id);
}
/**
* Maps 'video' to 'video-low'. Returns null if nothing changed.
*
* @param {string[]} requested
* @returns {string[]}
*/
function mapVideoToLow(requested) {
let result = [];
let found = false;
for(let i = 0; i < requested.length; i++) {
let r = requested[i];
if(r === 'video') {
r = 'video-low';
found = true;
}
result.push(r);
}
if(!found)
return null;
return result;
}
/**
* Reconsider the video track requested for a given down stream.
*
* @param {string} [id] - the id of the track to reconsider, all if null.
*/
function reconsiderDownRate(id) {
if(!serverConnection)
return;
if(!id) {
for(let id in serverConnection.down) {
reconsiderDownRate(id);
}
return;
}
let c = serverConnection.down[id];
if(!c)
throw new Error("Unknown down stream");
let normalrequest = mapRequestLabel(getSettings().request, c.label);
let requestlow = mapVideoToLow(normalrequest);
if(requestlow === null)
return;
let old = c.userdata.requested;
let low = false;
if(old && ('force' in old)) {
low = old.force;
} else {
let media = /** @type {HTMLVideoElement} */
(document.getElementById('media-' + c.localId));
if(!media)
throw new Error("No media for stream");
let w = media.scrollWidth;
let h = media.scrollHeight;
if(w && h && w * h <= 320 * 240) {
low = true;
}
}
if(low !== !!(old && old.low)) {
if('requested' in c.userdata)
c.userdata.requested.low = low;
else
c.userdata.requested = {low: low};
c.request(low ? requestlow : null);
}
}
let reconsiderDownRateTimer = null;
/**
* Schedules reconsiderDownRate() to be run later. The delay avoids too
* much recomputations when resizing the window.
*/
function scheduleReconsiderDownRate() {
if(reconsiderDownRateTimer)
return;
reconsiderDownRateTimer =
setTimeout(() => {
reconsiderDownRateTimer = null;
reconsiderDownRate();
}, 200);
}
/**
* setMedia adds a new media element corresponding to stream c.
*
* @param {Stream} c
* @param {boolean} isUp
* - indicates whether the stream goes in the up direction
2020-12-03 18:38:36 +01:00
* @param {boolean} [mirror]
* - whether to mirror the video
2020-11-24 19:22:38 +01:00
* @param {HTMLVideoElement} [video]
* - the video element to add. If null, a new element with custom
* controls will be created.
*/
async function setMedia(c, isUp, mirror, video) {
2020-04-24 19:38:21 +02:00
let peersdiv = document.getElementById('peers');
let div = document.getElementById('peer-' + c.localId);
2020-04-24 19:38:21 +02:00
if(!div) {
div = document.createElement('div');
div.id = 'peer-' + c.localId;
2020-04-24 19:38:21 +02:00
div.classList.add('peer');
peersdiv.appendChild(div);
}
let media = /** @type {HTMLVideoElement} */
(document.getElementById('media-' + c.localId));
if(!media) {
2020-11-24 19:22:38 +01:00
if(video) {
media = video;
} else {
media = document.createElement('video');
if(isUp)
media.muted = true;
}
2020-04-24 19:38:21 +02:00
media.classList.add('media');
media.autoplay = true;
media.playsInline = true;
media.id = 'media-' + c.localId;
2020-04-24 19:38:21 +02:00
div.appendChild(media);
addCustomControls(media, div, c, !!video);
2020-04-24 19:38:21 +02:00
}
if(mirror)
media.classList.add('mirror');
else
media.classList.remove('mirror');
if(!video && media.srcObject !== c.stream)
media.srcObject = c.stream;
if(!isUp) {
media.onfullscreenchange = function(e) {
forceDownRate(c.id, document.fullscreenElement === media, false);
}
}
let label = document.getElementById('label-' + c.localId);
2020-04-24 19:38:21 +02:00
if(!label) {
label = document.createElement('div');
label.id = 'label-' + c.localId;
2020-04-24 19:38:21 +02:00
label.classList.add('label');
2020-05-10 21:18:07 +02:00
div.appendChild(label);
2020-04-24 19:38:21 +02:00
}
setLabel(c);
setMediaStatus(c);
2020-05-01 01:22:17 +02:00
showVideo();
2020-05-01 01:22:17 +02:00
resizePeers();
if(!isUp && isSafari() && !findUpMedia('camera')) {
// Safari doesn't allow autoplay unless the user has granted media access
try {
let stream = await navigator.mediaDevices.getUserMedia({audio: true});
stream.getTracks().forEach(t => t.stop());
} catch(e) {
}
}
}
/**
* resetMedia resets the source stream of the media element associated
* with c. This has the side-effect of resetting any frozen frames.
*
* @param {Stream} c
*/
function resetMedia(c) {
let media = /** @type {HTMLVideoElement} */
(document.getElementById('media-' + c.localId));
if(!media) {
console.error("Resetting unknown media element")
return;
}
media.srcObject = media.srcObject;
}
/**
* @param {Element} elt
*/
function cloneHTMLElement(elt) {
if(!(elt instanceof HTMLElement))
throw new Error('Unexpected element type');
return /** @type{HTMLElement} */(elt.cloneNode(true));
}
/**
* @param {HTMLVideoElement} media
* @param {HTMLElement} container
* @param {Stream} c
*/
function addCustomControls(media, container, c, toponly) {
if(!toponly && !document.getElementById('controls-' + c.localId)) {
media.controls = false;
let template =
document.getElementById('videocontrols-template').firstElementChild;
let controls = cloneHTMLElement(template);
controls.id = 'controls-' + c.localId;
let volume = getVideoButton(controls, 'volume');
if(c.up && c.label === 'camera') {
volume.remove();
} else {
setVolumeButton(media.muted,
getVideoButton(controls, "volume-mute"),
getVideoButton(controls, "volume-slider"));
}
container.appendChild(controls);
}
if(c.up && !document.getElementById('topcontrols-' + c.localId)) {
let toptemplate =
document.getElementById('topvideocontrols-template').firstElementChild;
let topcontrols = cloneHTMLElement(toptemplate);
topcontrols.id = 'topcontrols-' + c.localId;
container.appendChild(topcontrols);
}
registerControlHandlers(c.localId, media, container);
}
/**
* @param {HTMLElement} container
* @param {string} name
*/
function getVideoButton(container, name) {
return /** @type {HTMLElement} */(container.getElementsByClassName(name)[0]);
}
/**
* @param {boolean} muted
* @param {HTMLElement} button
* @param {HTMLElement} slider
*/
function setVolumeButton(muted, button, slider) {
if(!muted) {
button.classList.remove("fa-volume-mute");
button.classList.add("fa-volume-up");
} else {
button.classList.remove("fa-volume-up");
button.classList.add("fa-volume-mute");
}
if(!(slider instanceof HTMLInputElement))
throw new Error("Couldn't find volume slider");
slider.disabled = muted;
2020-04-24 19:38:21 +02:00
}
/**
* @param {string} localId
* @param {HTMLVideoElement} media
* @param {HTMLElement} container
*/
function registerControlHandlers(localId, media, container) {
let play = getVideoButton(container, 'video-play');
if(play) {
play.onclick = function(event) {
event.preventDefault();
media.play();
};
}
let stop = getVideoButton(container, 'video-stop');
if(stop) {
stop.onclick = function(event) {
event.preventDefault();
try {
let c = serverConnection.findByLocalId(localId);
if(!c)
throw new Error('Closing unknown stream');
c.close();
} catch(e) {
console.error(e);
displayError(e);
}
};
}
let volume = getVideoButton(container, 'volume');
if (volume) {
volume.onclick = function(event) {
let target = /** @type{HTMLElement} */(event.target);
if(!target.classList.contains('volume-mute'))
// if click on volume slider, do nothing
return;
event.preventDefault();
media.muted = !media.muted;
setVolumeButton(media.muted, target,
getVideoButton(volume, "volume-slider"));
};
volume.oninput = function() {
let slider = /** @type{HTMLInputElement} */
(getVideoButton(volume, "volume-slider"));
media.volume = parseInt(slider.value, 10)/100;
};
}
2020-11-08 17:07:17 +01:00
let pip = getVideoButton(container, 'pip');
if(pip) {
if(HTMLVideoElement.prototype.requestPictureInPicture) {
pip.onclick = function(e) {
e.preventDefault();
if(media.requestPictureInPicture) {
media.requestPictureInPicture();
} else {
displayWarning('Picture in Picture not supported.');
}
};
} else {
pip.style.display = 'none';
}
2020-11-09 00:35:52 +01:00
}
2020-11-08 17:07:17 +01:00
let fs = getVideoButton(container, 'fullscreen');
if(fs) {
2020-12-05 14:13:30 +01:00
if(HTMLVideoElement.prototype.requestFullscreen ||
/** @ts-ignore */
HTMLVideoElement.prototype.webkitRequestFullscreen) {
fs.onclick = function(e) {
e.preventDefault();
if(media.requestFullscreen) {
media.requestFullscreen();
2020-12-05 14:13:30 +01:00
/** @ts-ignore */
} else if(media.webkitRequestFullscreen) {
/** @ts-ignore */
media.webkitRequestFullscreen();
} else {
displayWarning('Full screen not supported!');
}
};
} else {
fs.style.display = 'none';
}
}
2020-04-24 19:38:21 +02:00
}
2020-09-12 16:34:52 +02:00
/**
* @param {string} localId
2020-09-12 16:34:52 +02:00
*/
function delMedia(localId) {
2020-04-24 19:38:21 +02:00
let mediadiv = document.getElementById('peers');
let peer = document.getElementById('peer-' + localId);
2020-08-19 14:39:40 +02:00
if(!peer)
throw new Error('Removing unknown media');
let media = /** @type{HTMLVideoElement} */
(document.getElementById('media-' + localId));
2020-04-24 19:38:21 +02:00
media.srcObject = null;
mediadiv.removeChild(peer);
2020-05-01 01:22:17 +02:00
setButtonsVisibility();
2020-05-01 01:22:17 +02:00
resizePeers();
hideVideo();
2020-04-24 19:38:21 +02:00
}
/**
* @param {Stream} c
*/
function setMediaStatus(c) {
2020-06-12 21:28:35 +02:00
let state = c && c.pc && c.pc.iceConnectionState;
let good = state === 'connected' || state === 'completed';
let media = document.getElementById('media-' + c.localId);
if(!media) {
console.warn('Setting status of unknown media.');
return;
}
if(good) {
media.classList.remove('media-failed');
if(c.userdata.play) {
if(media instanceof HTMLMediaElement)
media.play().catch(e => {
console.error(e);
displayError(e);
});
delete(c.userdata.play);
}
} else {
media.classList.add('media-failed');
}
}
/**
* @param {Stream} c
* @param {string} [fallback]
*/
function setLabel(c, fallback) {
let label = document.getElementById('label-' + c.localId);
2020-04-24 19:38:21 +02:00
if(!label)
return;
let l = c.username;
2020-04-25 14:45:48 +02:00
if(l) {
label.textContent = l;
label.classList.remove('label-fallback');
} else if(fallback) {
label.textContent = fallback;
label.classList.add('label-fallback');
} else {
label.textContent = '';
label.classList.remove('label-fallback');
}
2020-04-24 19:38:21 +02:00
}
2020-05-01 01:22:17 +02:00
function resizePeers() {
// Window resize can call this method too early
if (!serverConnection)
return;
let count =
Object.keys(serverConnection.up).length +
Object.keys(serverConnection.down).length;
let peers = document.getElementById('peers');
2020-05-01 01:22:17 +02:00
let columns = Math.ceil(Math.sqrt(count));
2020-09-03 20:54:27 +02:00
if (!count)
// No video, nothing to resize.
return;
let container = document.getElementById("video-container");
// Peers div has total padding of 40px, we remove 40 on offsetHeight
// Grid has row-gap of 5px
let rows = Math.ceil(count / columns);
let margins = (rows - 1) * 5 + 40;
if (count <= 2 && container.offsetHeight > container.offsetWidth) {
peers.style['grid-template-columns'] = "repeat(1, 1fr)";
rows = count;
} else {
peers.style['grid-template-columns'] = `repeat(${columns}, 1fr)`;
}
if (count === 1)
return;
let max_video_height = (peers.offsetHeight - margins) / rows;
let media_list = peers.querySelectorAll(".media");
for(let i = 0; i < media_list.length; i++) {
let media = media_list[i];
if(!(media instanceof HTMLMediaElement)) {
console.warn('Unexpected media');
continue;
}
media.style['max-height'] = max_video_height + "px";
2020-09-09 20:26:19 +02:00
}
2020-05-01 01:22:17 +02:00
}
/**
* Lexicographic order, with case differences secondary.
* @param{string} a
* @param{string} b
*/
function stringCompare(a, b) {
2020-12-26 17:28:44 +01:00
let la = a.toLowerCase();
let lb = b.toLowerCase();
if(la < lb)
return -1;
else if(la > lb)
return +1;
else if(a < b)
return -1;
else if(a > b)
return +1;
return 0
}
2022-02-16 20:41:58 +01:00
/**
* @param {HTMLElement} elt
*/
function userMenu(elt) {
if(!elt.id.startsWith('user-'))
throw new Error('Unexpected id for user menu');
let id = elt.id.slice('user-'.length);
let user = serverConnection.users[id];
if(!user)
throw new Error("Couldn't find user")
let items = [];
if(id === serverConnection.id) {
let mydata = serverConnection.users[serverConnection.id].data;
if(mydata['raisehand'])
2022-03-26 09:13:49 +01:00
items.push({label: 'Unraise hand', onClick: () => {
2022-02-16 20:41:58 +01:00
serverConnection.userAction(
'setdata', serverConnection.id, {'raisehand': null},
);
}});
else
items.push({label: 'Raise hand', onClick: () => {
serverConnection.userAction(
'setdata', serverConnection.id, {'raisehand': true},
);
}});
2022-02-21 18:36:36 +01:00
if(serverConnection.permissions.indexOf('present')>= 0 && canFile())
items.push({label: 'Broadcast file', onClick: presentFile});
2022-02-16 20:41:58 +01:00
items.push({label: 'Restart media', onClick: renegotiateStreams});
} else {
items.push({label: 'Send file', onClick: () => {
sendFile(id);
}});
if(serverConnection.permissions.indexOf('op') >= 0) {
2022-02-16 20:41:58 +01:00
items.push({type: 'seperator'}); // sic
if(user.permissions.indexOf('present') >= 0)
2022-02-16 20:41:58 +01:00
items.push({label: 'Forbid presenting', onClick: () => {
serverConnection.userAction('unpresent', id);
}});
else
items.push({label: 'Allow presenting', onClick: () => {
serverConnection.userAction('present', id);
}});
items.push({label: 'Mute', onClick: () => {
2022-02-16 23:10:43 +01:00
serverConnection.userMessage('mute', id);
2022-02-16 20:41:58 +01:00
}});
items.push({label: 'Kick out', onClick: () => {
serverConnection.userAction('kick', id);
}});
}
}
/** @ts-ignore */
new Contextual({
items: items,
});
}
/**
* @param {string} id
* @param {user} userinfo
*/
function addUser(id, userinfo) {
2020-04-24 19:38:21 +02:00
let div = document.getElementById('users');
let user = document.createElement('div');
user.id = 'user-' + id;
2020-09-11 10:39:32 +02:00
user.classList.add("user-p");
2022-03-25 16:44:37 +01:00
setUserStatus(id, user, userinfo);
2022-02-16 20:41:58 +01:00
user.addEventListener('click', function(e) {
let elt = e.target;
if(!elt || !(elt instanceof HTMLElement))
throw new Error("Couldn't find user div");
userMenu(elt);
});
2022-02-16 20:33:59 +01:00
let us = div.children;
if(id === serverConnection.id) {
if(us.length === 0)
div.appendChild(user);
else
div.insertBefore(user, us[0]);
return;
}
if(userinfo.username) {
2020-09-12 15:23:38 +02:00
for(let i = 0; i < us.length; i++) {
let child = us[i];
2022-02-16 20:33:59 +01:00
let childid = child.id.slice('user-'.length);
if(childid === serverConnection.id)
continue;
let childuser = serverConnection.users[childid] || null;
let childname = (childuser && childuser.username) || null;
if(!childname || stringCompare(childname, userinfo.username) > 0) {
2020-09-12 15:23:38 +02:00
div.insertBefore(user, child);
return;
}
}
}
2022-02-16 20:33:59 +01:00
2020-04-24 19:38:21 +02:00
div.appendChild(user);
}
2022-03-25 16:44:37 +01:00
/**
* @param {string} id
* @param {user} userinfo
*/
function changeUser(id, userinfo) {
2022-03-25 16:44:37 +01:00
let elt = document.getElementById('user-' + id);
if(!elt) {
console.warn('Unknown user ' + id);
return;
}
2022-03-25 16:44:37 +01:00
setUserStatus(id, elt, userinfo);
}
/**
* @param {string} id
* @param {HTMLElement} elt
* @param {user} userinfo
*/
function setUserStatus(id, elt, userinfo) {
elt.textContent = userinfo.username ? userinfo.username : '(anon)';
if(userinfo.data.raisehand)
elt.classList.add('user-status-raisehand');
else
2022-03-25 16:44:37 +01:00
elt.classList.remove('user-status-raisehand');
2020-04-24 19:38:21 +02:00
}
/**
* @param {string} id
*/
function delUser(id) {
let div = document.getElementById('users');
let user = document.getElementById('user-' + id);
div.removeChild(user);
2020-04-24 19:38:21 +02:00
}
/**
* @param {string} id
* @param {string} kind
*/
function gotUser(id, kind) {
2020-08-12 13:51:31 +02:00
switch(kind) {
case 'add':
addUser(id, serverConnection.users[id]);
if(Object.keys(serverConnection.users).length == 3)
reconsiderSendParameters();
2020-08-12 13:51:31 +02:00
break;
case 'delete':
delUser(id);
if(Object.keys(serverConnection.users).length < 3)
scheduleReconsiderParameters();
break;
case 'change':
changeUser(id, serverConnection.users[id]);
2020-08-12 13:51:31 +02:00
break;
default:
console.warn('Unknown user kind', kind);
break;
}
2020-04-24 19:38:21 +02:00
}
2020-04-25 18:09:31 +02:00
function displayUsername() {
document.getElementById('userspan').textContent = serverConnection.username;
let op = serverConnection.permissions.indexOf('op') >= 0;
let present = serverConnection.permissions.indexOf('present') >= 0;
2020-04-25 18:09:31 +02:00
let text = '';
if(op && present)
2020-11-24 17:36:52 +01:00
text = '(op, presenter)';
else if(op)
2020-11-24 17:36:52 +01:00
text = 'operator';
else if(present)
2020-11-24 17:36:52 +01:00
text = 'presenter';
document.getElementById('permspan').textContent = text;
2020-04-25 18:09:31 +02:00
}
let presentRequested = null;
/**
2021-07-16 23:03:36 +02:00
* @param {string} s
*/
function capitalise(s) {
if(s.length <= 0)
return s;
return s.charAt(0).toUpperCase() + s.slice(1);
}
/**
* @param {string} title
*/
function setTitle(title) {
function set(title) {
document.title = title;
document.getElementById('title').textContent = title;
}
2021-07-16 23:03:36 +02:00
if(title)
set(title);
2021-10-26 22:38:05 +02:00
else
set('Galène');
}
/**
* @this {ServerConnection}
* @param {string} group
* @param {Array<string>} perms
* @param {Object<string,any>} status
* @param {Object<string,any>} data
* @param {string} message
*/
async function gotJoined(kind, group, perms, status, data, message) {
let present = presentRequested;
presentRequested = null;
switch(kind) {
case 'fail':
displayError('The server said: ' + message);
this.close();
setButtonsVisibility();
return;
case 'redirect':
this.close();
document.location.href = message;
return;
case 'leave':
this.close();
setButtonsVisibility();
return;
case 'join':
case 'change':
2021-10-26 22:22:48 +02:00
groupStatus = status;
2021-07-16 23:03:36 +02:00
setTitle((status && status.displayName) || capitalise(group));
displayUsername();
setButtonsVisibility();
if(kind === 'change')
return;
break;
default:
displayError('Unknown join message');
this.close();
return;
}
let input = /** @type{HTMLTextAreaElement} */
(document.getElementById('input'));
input.placeholder = 'Type /help for help';
setTimeout(() => {input.placeholder = '';}, 8000);
if(status.locked)
displayWarning('This group is locked');
if(typeof RTCPeerConnection === 'undefined')
displayWarning("This browser doesn't support WebRTC");
else
this.request(mapRequest(getSettings().request));
if(serverConnection.permissions.indexOf('present') >= 0 &&
!findUpMedia('camera')) {
if(present) {
if(present === 'mike')
updateSettings({video: ''});
else if(present === 'both')
delSetting('video');
reflectSettings();
let button = getButtonElement('presentbutton');
button.disabled = true;
try {
await addLocalMedia();
} finally {
button.disabled = false;
}
} else {
displayMessage(
2021-07-29 14:46:02 +02:00
"Press Enable to enable your camera or microphone"
);
}
}
2020-04-25 02:25:51 +02:00
}
/** @type {Object<string,TransferredFile>} */
2022-01-30 06:32:55 +01:00
let transferredFiles = {};
/**
* A file in the process of being transferred.
*
* @constructor
2022-01-30 06:32:55 +01:00
*/
function TransferredFile(id, userid, up, username, name, type, size) {
/** @type {string} */
this.id = id;
/** @type {string} */
this.userid = userid;
/** @type {boolean} */
this.up = up;
/** @type {string} */
this.username = username;
/** @type {string} */
this.name = name;
/** @type {string} */
this.type = type;
/** @type {number} */
this.size = size;
/** @type {File} */
this.file = null;
/** @type {RTCPeerConnection} */
this.pc = null;
/** @type {RTCDataChannel} */
this.dc = null;
/** @type {Array<RTCIceCandidateInit>} */
this.candidates = [];
/** @type {Array<Blob|ArrayBuffer>} */
this.data = [];
/** @type {number} */
this.datalen = 0;
2022-01-30 06:32:55 +01:00
}
TransferredFile.prototype.fullid = function() {
return this.userid + (this.up ? '+' : '-') + this.id;
};
2022-01-30 06:32:55 +01:00
/**
* @param {boolean} up
* @param {string} userid
2022-01-30 06:32:55 +01:00
* @param {string} fileid
* @returns {TransferredFile}
2022-01-30 06:32:55 +01:00
*/
TransferredFile.get = function(up, userid, fileid) {
return transferredFiles[userid + (up ? '+' : '-') + fileid];
};
TransferredFile.prototype.close = function() {
2022-03-23 00:40:23 +01:00
if(this.dc) {
this.dc.onclose = null;
this.dc.onerror = null;
this.dc.onmessage = null;
}
if(this.pc)
this.pc.close();
this.dc = null;
this.pc = null;
this.data = [];
this.datalen = 0;
delete(transferredFiles[this.fullid()]);
2022-01-30 06:32:55 +01:00
}
TransferredFile.prototype.pushData = function(data) {
if(data instanceof Blob) {
this.datalen += data.size;
} else if(data instanceof ArrayBuffer) {
this.datalen += data.byteLength;
} else {
throw new Error('unexpected type for received data');
2022-01-30 06:32:55 +01:00
}
this.data.push(data);
}
TransferredFile.prototype.getData = function() {
let blob = new Blob(this.data, {type: this.type});
if(blob.size != this.datalen)
throw new Error('Inconsistent data size');
this.data = [];
this.datalen = 0;
return blob;
2022-01-30 06:32:55 +01:00
}
/**
* @param {TransferredFile} f
2022-01-30 06:32:55 +01:00
*/
function fileTransferBox(f) {
2022-01-30 06:32:55 +01:00
let p = document.createElement('p');
if(f.up)
2022-01-30 06:32:55 +01:00
p.textContent =
`We have offered to send a file called "${f.name}" ` +
`to user ${f.username}.`;
else
p.textContent =
`User ${f.username} offered to send us a file ` +
`called "${f.name}" of size ${f.size}.`
let bno = null, byes = null;
if(f.up) {
2022-01-30 06:32:55 +01:00
bno = document.createElement('button');
bno.textContent = 'Cancel';
bno.onclick = function(e) {
cancelFile(f);
2022-01-30 06:32:55 +01:00
};
bno.id = "bno-" + f.fullid();
2022-01-30 06:32:55 +01:00
} else {
byes = document.createElement('button');
byes.textContent = 'Accept';
byes.onclick = function(e) {
getFile(f);
2022-01-30 06:32:55 +01:00
};
byes.id = "byes-" + f.fullid();
2022-01-30 06:32:55 +01:00
bno = document.createElement('button');
bno.textContent = 'Decline';
bno.onclick = function(e) {
rejectFile(f);
2022-01-30 06:32:55 +01:00
};
bno.id = "bno-" + f.fullid();
2022-01-30 06:32:55 +01:00
}
let status = document.createElement('div');
status.id = 'status-' + f.fullid();
if(!f.up) {
status.textContent =
'(Choosing "Accept" will disclose your IP address.)';
}
2022-01-30 06:32:55 +01:00
let div = document.createElement('div');
div.id = 'file-' + f.fullid();
2022-01-30 06:32:55 +01:00
div.appendChild(p);
if(byes)
div.appendChild(byes);
if(bno)
div.appendChild(bno);
div.appendChild(status);
div.classList.add('message');
div.classList.add('message-private');
div.classList.add('message-row');
2022-01-30 06:32:55 +01:00
let box = document.getElementById('box');
box.appendChild(div);
return div;
}
/**
* @param {TransferredFile} f
2022-01-30 06:32:55 +01:00
* @param {string} status
* @param {boolean} [delyes]
* @param {boolean} [delno]
*/
function setFileStatus(f, status, delyes, delno) {
let statusdiv = document.getElementById('status-' + f.fullid());
2022-01-30 06:32:55 +01:00
if(!statusdiv)
throw new Error("Couldn't find statusdiv");
statusdiv.textContent = status;
if(delyes || delno) {
let div = document.getElementById('file-' + f.fullid());
2022-01-30 06:32:55 +01:00
if(!div)
throw new Error("Couldn't find file div");
if(delyes) {
let byes = document.getElementById('byes-' + f.fullid())
2022-01-30 06:32:55 +01:00
if(byes)
div.removeChild(byes);
}
if(delno) {
let bno = document.getElementById('bno-' + f.fullid())
2022-01-30 06:32:55 +01:00
if(bno)
div.removeChild(bno);
}
}
}
/**
* @param {TransferredFile} f
* @param {any} message
*/
function failFile(f, message) {
2022-03-23 00:40:23 +01:00
if(!f.dc)
return;
console.error('File transfer failed:', message);
setFileStatus(f, message ? `Failed: ${message}` : 'Failed.');
f.close();
}
2022-01-30 06:32:55 +01:00
/**
* @param {string} id
* @param {File} file
*/
2022-02-16 20:41:58 +01:00
function offerFile(id, file) {
2022-01-30 06:32:55 +01:00
let fileid = newRandomId();
2022-02-16 20:41:58 +01:00
let username = serverConnection.users[id].username;
let f = new TransferredFile(
fileid, id, true, username, file.name, file.type, file.size,
);
f.file = file;
transferredFiles[f.fullid()] = f;
try {
fileTransferBox(f);
serverConnection.userMessage('offerfile', id, {
id: fileid,
name: f.name,
size: f.size,
type: f.type,
});
} catch(e) {
displayError(e);
f.close();
}
2022-01-30 06:32:55 +01:00
}
/**
* @param {TransferredFile} f
2022-01-30 06:32:55 +01:00
*/
function cancelFile(f) {
serverConnection.userMessage('cancelfile', f.userid, {
2022-01-30 06:32:55 +01:00
id: f.id,
});
f.close();
setFileStatus(f, 'Cancelled.', true, true);
2022-01-30 06:32:55 +01:00
}
/**
* @param {TransferredFile} f
2022-01-30 06:32:55 +01:00
*/
async function getFile(f) {
2022-01-30 06:32:55 +01:00
if(f.pc)
throw new Error("Download already in progress");
setFileStatus(f, 'Connecting...', true);
2022-03-23 00:12:51 +01:00
let pc = new RTCPeerConnection(serverConnection.getRTCConfiguration());
2022-01-30 06:32:55 +01:00
if(!pc)
throw new Error("Couldn't create peer connection");
f.pc = pc;
f.candidates = [];
pc.onsignalingstatechange = function(e) {
if(pc.signalingState === 'stable') {
f.candidates.forEach(c => pc.addIceCandidate(c).catch(console.warn));
f.candidates = [];
}
};
pc.onicecandidate = function(e) {
serverConnection.userMessage('filedownice', f.userid, {
2022-01-30 06:32:55 +01:00
id: f.id,
candidate: e.candidate,
});
};
f.dc = pc.createDataChannel('file');
2022-01-30 06:32:55 +01:00
f.data = [];
f.datalen = 0;
f.dc.onclose = function(e) {
try {
closeReceiveFileData(f);
} catch(e) {
failFile(f, e);
}
};
f.dc.onmessage = function(e) {
try {
receiveFileData(f, e.data);
} catch(e) {
failFile(f, e);
}
};
f.dc.onerror = function(e) {
/** @ts-ignore */
let err = e.error;
failFile(f, err);
};
2022-01-30 06:32:55 +01:00
let offer = await pc.createOffer();
if(!offer)
throw new Error("Couldn't create offer");
await pc.setLocalDescription(offer);
serverConnection.userMessage('getfile', f.userid, {
2022-01-30 06:32:55 +01:00
id: f.id,
offer: pc.localDescription.sdp,
});
setFileStatus(f, 'Negotiating...', true);
2022-01-30 06:32:55 +01:00
}
/**
* @param {TransferredFile} f
2022-01-30 06:32:55 +01:00
*/
async function rejectFile(f) {
serverConnection.userMessage('rejectfile', f.userid, {
2022-01-30 06:32:55 +01:00
id: f.id,
});
setFileStatus(f, 'Rejected.', true, true);
f.close();
2022-01-30 06:32:55 +01:00
}
/**
* @param {TransferredFile} f
2022-01-30 06:32:55 +01:00
* @param {string} sdp
*/
async function sendOfferedFile(f, sdp) {
2022-01-30 06:32:55 +01:00
if(f.pc)
throw new Error('Transfer already in progress');
setFileStatus(f, 'Negotiating...', true);
2022-03-23 00:12:51 +01:00
let pc = new RTCPeerConnection(serverConnection.getRTCConfiguration());
2022-01-30 06:32:55 +01:00
if(!pc)
throw new Error("Couldn't create peer connection");
f.pc = pc;
f.candidates = [];
pc.onicecandidate = function(e) {
serverConnection.userMessage('fileupice', f.userid, {
2022-01-30 06:32:55 +01:00
id: f.id,
candidate: e.candidate,
});
};
pc.onsignalingstatechange = function(e) {
if(pc.signalingState === 'stable') {
f.candidates.forEach(c => pc.addIceCandidate(c).catch(console.warn));
f.candidates = [];
}
};
pc.ondatachannel = function(e) {
if(f.dc)
throw new Error('Duplicate datachannel');
f.dc = /** @type{RTCDataChannel} */(e.channel);
f.dc.onclose = function(e) {
try {
closeSendFileData(f);
} catch(e) {
failFile(f, e);
2022-01-30 06:32:55 +01:00
}
};
f.dc.onerror = function(e) {
/** @ts-ignore */
let err = e.error;
failFile(f, err);
2022-01-30 06:32:55 +01:00
}
f.dc.onmessage = function(e) {
try {
ackSendFileData(f, e.data);
} catch(e) {
failFile(f, e);
}
};
sendFileData(f).catch(e => failFile(f, e));
2022-01-30 06:32:55 +01:00
};
await pc.setRemoteDescription({
type: 'offer',
sdp: sdp,
});
let answer = await pc.createAnswer();
if(!answer)
throw new Error("Couldn't create answer");
await pc.setLocalDescription(answer);
serverConnection.userMessage('sendfile', f.userid, {
2022-01-30 06:32:55 +01:00
id: f.id,
answer: pc.localDescription.sdp,
});
setFileStatus(f, 'Uploading...', true);
2022-01-30 06:32:55 +01:00
}
/**
* @param {TransferredFile} f
2022-01-30 06:32:55 +01:00
* @param {string} sdp
*/
async function receiveFile(f, sdp) {
2022-01-30 06:32:55 +01:00
await f.pc.setRemoteDescription({
type: 'answer',
sdp: sdp,
});
setFileStatus(f, 'Downloading...', true);
2022-01-30 06:32:55 +01:00
}
/**
* @param {TransferredFile} f
2022-01-30 06:32:55 +01:00
*/
async function sendFileData(f) {
let r = f.file.stream().getReader();
2022-01-30 06:32:55 +01:00
f.dc.bufferedAmountLowThreshold = 65536;
2022-01-30 06:32:55 +01:00
async function write(a) {
while(f.dc.bufferedAmount > f.dc.bufferedAmountLowThreshold) {
2022-01-30 06:32:55 +01:00
await new Promise((resolve, reject) => {
2022-03-23 00:40:23 +01:00
if(!f.dc) {
reject(new Error('File is closed.'));
2022-03-23 00:40:23 +01:00
return;
}
f.dc.onbufferedamountlow = function(e) {
2022-03-23 00:40:23 +01:00
if(!f.dc) {
reject(new Error('File is closed.'));
2022-03-23 00:40:23 +01:00
return;
}
f.dc.onbufferedamountlow = null;
2022-01-30 06:32:55 +01:00
resolve();
}
});
}
f.dc.send(a);
2022-01-30 06:32:55 +01:00
f.datalen += a.length;
setFileStatus(f, `Uploading... ${f.datalen}/${f.size}`, true);
2022-01-30 06:32:55 +01:00
}
while(true) {
let v = await r.read();
if(v.done)
break;
if(!(v.value instanceof Uint8Array))
throw new Error('Unexpected type for chunk');
if(v.value.length <= 16384) {
2022-01-30 06:32:55 +01:00
await write(v.value);
} else {
for(let i = 0; i < v.value.length; i += 16384) {
let a = new Uint8Array(
v.value.buffer, i, Math.min(16384, v.value.length - i),
);
await write(a);
}
}
}
}
/**
* @param {TransferredFile} f
2022-01-30 06:32:55 +01:00
*/
function ackSendFileData(f, data) {
2022-01-30 06:32:55 +01:00
if(data === 'done' && f.datalen == f.size)
setFileStatus(f, 'Done.', true, true);
2022-01-30 06:32:55 +01:00
else
setFileStatus(f, 'Failed.', true, true);
f.dc.onclose = null;
f.dc.onerror = null;
f.close();
2022-01-30 06:32:55 +01:00
}
/**
* @param {TransferredFile} f
2022-01-30 06:32:55 +01:00
*/
function closeSendFileData(f) {
setFileStatus(f, 'Failed.', true, true);
f.close();
2022-01-30 06:32:55 +01:00
}
/**
* @param {TransferredFile} f
* @param {Blob|ArrayBuffer} data
2022-01-30 06:32:55 +01:00
*/
function receiveFileData(f, data) {
f.pushData(data);
setFileStatus(f, `Downloading... ${f.datalen}/${f.size}`, true);
2022-01-30 06:32:55 +01:00
if(f.datalen < f.size)
return;
if(f.datalen != f.size) {
setFileStatus(f, 'Failed.', true, true);
f.close();
2022-01-30 06:32:55 +01:00
return;
}
f.dc.onmessage = null;
doneReceiveFileData(f);
}
/**
* @param {TransferredFile} f
*/
async function doneReceiveFileData(f) {
setFileStatus(f, 'Done.', true, true);
let blob = f.getData();
await new Promise((resolve, reject) => {
let timer = setTimeout(function(e) { resolve(); }, 2000);
f.dc.onclose = function(e) {
clearTimeout(timer);
resolve();
};
f.dc.onerror = function(e) {
clearTimeout(timer);
resolve();
};
f.dc.send('done');
});
2022-01-30 06:32:55 +01:00
f.dc.onclose = null;
f.dc.onerror = null;
f.close();
2022-01-30 06:32:55 +01:00
let url = URL.createObjectURL(blob);
let a = document.createElement('a');
a.href = url;
a.textContent = f.name;
a.download = f.name;
a.type = f.type;
a.click();
URL.revokeObjectURL(url);
}
/**
* @param {TransferredFile} f
2022-01-30 06:32:55 +01:00
*/
function closeReceiveFileData(f) {
2022-03-23 00:40:23 +01:00
if(f.datalen !== f.size) {
setFileStatus(f, 'Failed.', true, true)
f.close();
2022-01-30 06:32:55 +01:00
}
}
/**
* @param {string} id
* @param {string} dest
* @param {string} username
* @param {number} time
* @param {boolean} privileged
* @param {string} kind
2022-01-30 06:32:55 +01:00
* @param {any} message
*/
function gotUserMessage(id, dest, username, time, privileged, kind, message) {
switch(kind) {
case 'kicked':
case 'error':
case 'warning':
case 'info':
let from = id ? (username || 'Anonymous') : 'The Server';
if(privileged)
displayError(`${from} said: ${message}`, kind);
else
console.error(`Got unprivileged message of kind ${kind}`);
break;
case 'mute':
if(privileged) {
setLocalMute(true, true);
let by = username ? ' by ' + username : '';
displayWarning(`You have been muted${by}`);
} else {
console.error(`Got unprivileged message of kind ${kind}`);
}
break;
2021-01-03 17:47:56 +01:00
case 'clearchat':
if(privileged) {
clearChat();
} else {
console.error(`Got unprivileged message of kind ${kind}`);
}
2021-01-04 13:15:50 +01:00
break;
2022-01-30 06:32:55 +01:00
case 'offerfile': {
let f = new TransferredFile(
message.id, id, false, username,
message.name, message.type, message.size,
);
transferredFiles[f.fullid()] = f;
fileTransferBox(f);
2022-01-30 06:32:55 +01:00
break;
}
case 'cancelfile': {
let f = TransferredFile.get(false, id, message.id);
if(!f)
throw new Error('unexpected cancelfile');
setFileStatus(f, 'Cancelled.', true, true);
f.close();
2022-01-30 06:32:55 +01:00
break;
}
case 'getfile': {
let f = TransferredFile.get(true, id, message.id);
if(!f)
throw new Error('unexpected getfile');
sendOfferedFile(f, message.offer);
2022-01-30 06:32:55 +01:00
break;
}
case 'rejectfile': {
let f = TransferredFile.get(true, id, message.id);
if(!f)
throw new Error('unexpected rejectfile');
setFileStatus(f, 'Rejected.', true, true);
f.close();
2022-01-30 06:32:55 +01:00
break;
}
case 'sendfile': {
let f = TransferredFile.get(false, id, message.id);
if(!f)
throw new Error('unexpected sendfile');
receiveFile(f, message.answer);
2022-01-30 06:32:55 +01:00
break;
}
case 'filedownice': {
let f = TransferredFile.get(true, id, message.id);
2022-01-30 06:32:55 +01:00
if(!f.pc) {
console.warn('Unexpected filedownice');
return;
}
if(f.pc.signalingState === 'stable')
f.pc.addIceCandidate(message.candidate).catch(console.warn);
else
f.candidates.push(message.candidate);
break;
}
case 'fileupice': {
let f = TransferredFile.get(false, id, message.id);
2022-01-30 06:32:55 +01:00
if(!f.pc) {
console.warn('Unexpected fileupice');
return;
}
if(f.pc.signalingState === 'stable')
f.pc.addIceCandidate(message.candidate).catch(console.warn);
else
f.candidates.push(message.candidate);
break;
}
default:
console.warn(`Got unknown user message ${kind}`);
break;
}
};
2020-11-09 00:11:55 +01:00
const urlRegexp = /https?:\/\/[-a-zA-Z0-9@:%/._\\+~#&()=?]+[-a-zA-Z0-9@:%/_\\+~#&()=]/g;
2020-04-24 19:38:21 +02:00
2020-09-12 16:34:52 +02:00
/**
* @param {string} line
* @returns {Array.<Text|HTMLElement>}
2020-09-12 16:34:52 +02:00
*/
2020-04-24 19:38:21 +02:00
function formatLine(line) {
let r = new RegExp(urlRegexp);
let result = [];
let pos = 0;
while(true) {
let m = r.exec(line);
if(!m)
break;
result.push(document.createTextNode(line.slice(pos, m.index)));
let a = document.createElement('a');
a.href = m[0];
a.textContent = m[0];
a.target = '_blank';
a.rel = 'noreferrer noopener';
result.push(a);
pos = m.index + m[0].length;
}
result.push(document.createTextNode(line.slice(pos)));
return result;
}
/**
* @param {string[]} lines
* @returns {HTMLElement}
*/
function formatLines(lines) {
let elts = [];
if(lines.length > 0)
elts = formatLine(lines[0]);
for(let i = 1; i < lines.length; i++) {
elts.push(document.createElement('br'));
elts = elts.concat(formatLine(lines[i]));
}
let elt = document.createElement('p');
elts.forEach(e => elt.appendChild(e));
return elt;
}
2020-09-30 00:33:23 +02:00
/**
* @param {number} time
* @returns {string}
*/
function formatTime(time) {
let delta = Date.now() - time;
let date = new Date(time);
let m = date.getMinutes();
if(delta > -30000)
return date.getHours() + ':' + ((m < 10) ? '0' : '') + m;
2020-09-30 00:33:23 +02:00
return date.toLocaleString();
}
2020-08-24 22:37:48 +02:00
/**
* @typedef {Object} lastMessage
* @property {string} [nick]
* @property {string} [peerId]
2020-10-01 16:52:01 +02:00
* @property {string} [dest]
* @property {number} [time]
2020-08-24 22:37:48 +02:00
*/
/** @type {lastMessage} */
2020-04-24 19:38:21 +02:00
let lastMessage = {};
/**
* @param {string} peerId
2021-07-31 14:42:26 +02:00
* @param {string} dest
* @param {string} nick
2020-09-30 00:33:23 +02:00
* @param {number} time
2021-07-31 14:42:26 +02:00
* @param {boolean} privileged
* @param {boolean} history
* @param {string} kind
* @param {unknown} message
*/
2021-07-31 14:42:26 +02:00
function addToChatbox(peerId, dest, nick, time, privileged, history, kind, message) {
2020-08-27 21:17:46 +02:00
let row = document.createElement('div');
row.classList.add('message-row');
2020-04-24 19:38:21 +02:00
let container = document.createElement('div');
container.classList.add('message');
2020-08-27 21:17:46 +02:00
row.appendChild(container);
let footer = document.createElement('p');
footer.classList.add('message-footer');
2020-09-23 21:01:29 +02:00
if(!peerId)
container.classList.add('message-system');
if(serverConnection && peerId === serverConnection.id)
2020-09-23 21:01:29 +02:00
container.classList.add('message-sender');
2020-10-01 16:52:01 +02:00
if(dest)
container.classList.add('message-private');
2020-08-12 12:17:56 +02:00
if(kind !== 'me') {
let p = formatLines(message.toString().split('\n'));
let doHeader = true;
if(!peerId && !dest && !nick) {
doHeader = false;
} else if(lastMessage.nick !== (nick || null) ||
lastMessage.peerId !== peerId ||
lastMessage.dest !== (dest || null) ||
!time || !lastMessage.time) {
doHeader = true;
} else {
let delta = time - lastMessage.time;
doHeader = delta < 0 || delta > 60000;
}
if(doHeader) {
2020-09-30 00:33:23 +02:00
let header = document.createElement('p');
if(peerId || nick || dest) {
let user = document.createElement('span');
let u = serverConnection.users[dest];
let name = (u && u.username);
user.textContent = dest ?
`${nick||'(anon)'} \u2192 ${name || '(anon)'}` :
(nick || '(anon)');
user.classList.add('message-user');
header.appendChild(user);
}
2020-09-30 00:33:23 +02:00
header.classList.add('message-header');
container.appendChild(header);
if(time) {
let tm = document.createElement('span');
tm.textContent = formatTime(time);
tm.classList.add('message-time');
header.appendChild(tm);
}
2020-04-24 19:38:21 +02:00
}
2020-04-24 19:38:21 +02:00
p.classList.add('message-content');
container.appendChild(p);
2020-10-08 15:18:22 +02:00
lastMessage.nick = (nick || null);
2020-04-24 19:38:21 +02:00
lastMessage.peerId = peerId;
2020-10-01 16:52:01 +02:00
lastMessage.dest = (dest || null);
lastMessage.time = (time || null);
2020-04-24 19:38:21 +02:00
} else {
let asterisk = document.createElement('span');
asterisk.textContent = '*';
asterisk.classList.add('message-me-asterisk');
let user = document.createElement('span');
2020-10-08 15:18:22 +02:00
user.textContent = nick || '(anon)';
2020-04-24 19:38:21 +02:00
user.classList.add('message-me-user');
let content = document.createElement('span');
formatLine(message.toString()).forEach(elt => {
2020-04-24 19:38:21 +02:00
content.appendChild(elt);
});
content.classList.add('message-me-content');
container.appendChild(asterisk);
container.appendChild(user);
container.appendChild(content);
container.classList.add('message-me');
2020-10-01 16:52:01 +02:00
lastMessage = {};
2020-04-24 19:38:21 +02:00
}
container.appendChild(footer);
2020-04-24 19:38:21 +02:00
let box = document.getElementById('box');
2020-08-27 21:17:46 +02:00
box.appendChild(row);
2020-04-24 19:38:21 +02:00
if(box.scrollHeight > box.clientHeight) {
box.scrollTop = box.scrollHeight - box.clientHeight;
}
return message;
}
2021-01-11 19:28:57 +01:00
/**
* @param {string} message
*/
function localMessage(message) {
return addToChatbox(null, null, null, Date.now(), false, false, '', message);
2021-01-11 19:28:57 +01:00
}
function clearChat() {
2020-04-25 21:16:49 +02:00
lastMessage = {};
document.getElementById('box').textContent = '';
}
/**
* A command known to the command-line parser.
*
* @typedef {Object} command
* @property {string} [parameters]
* - A user-readable list of parameters.
* @property {string} [description]
* - A user-readable description, null if undocumented.
* @property {() => string} [predicate]
* - Returns null if the command is available.
* @property {(c: string, r: string) => void} f
*/
/**
* The set of commands known to the command-line parser.
*
* @type {Object.<string,command>}
*/
2020-12-26 17:28:44 +01:00
let commands = {};
function operatorPredicate() {
if(serverConnection && serverConnection.permissions &&
serverConnection.permissions.indexOf('op') >= 0)
return null;
return 'You are not an operator';
}
function recordingPredicate() {
if(serverConnection && serverConnection.permissions &&
serverConnection.permissions.indexOf('record') >= 0)
return null;
return 'You are not allowed to record';
}
commands.help = {
description: 'display this help',
f: (c, r) => {
/** @type {string[]} */
let cs = [];
for(let cmd in commands) {
let c = commands[cmd];
if(!c.description)
continue;
if(c.predicate && c.predicate())
continue;
cs.push(`/${cmd}${c.parameters?' ' + c.parameters:''}: ${c.description}`);
}
2021-08-07 15:42:16 +02:00
localMessage(cs.sort().join('\n'));
}
};
commands.me = {
f: (c, r) => {
// handled as a special case
throw new Error("this shouldn't happen");
}
};
commands.set = {
f: (c, r) => {
if(!r) {
let settings = getSettings();
let s = "";
for(let key in settings)
s = s + `${key}: ${JSON.stringify(settings[key])}\n`;
2021-01-11 19:28:57 +01:00
localMessage(s);
return;
}
let p = parseCommand(r);
let value;
if(p[1]) {
2020-12-26 17:28:44 +01:00
value = JSON.parse(p[1]);
} else {
value = true;
}
updateSetting(p[0], value);
reflectSettings();
}
};
commands.unset = {
f: (c, r) => {
delSetting(r.trim());
return;
}
};
commands.leave = {
description: "leave group",
f: (c, r) => {
if(!serverConnection)
throw new Error('Not connected');
serverConnection.close();
}
};
commands.clear = {
predicate: operatorPredicate,
description: 'clear the chat history',
f: (c, r) => {
serverConnection.groupAction('clearchat');
}
};
commands.lock = {
predicate: operatorPredicate,
description: 'lock this group',
parameters: '[message]',
f: (c, r) => {
serverConnection.groupAction('lock', r);
}
};
commands.unlock = {
predicate: operatorPredicate,
description: 'unlock this group, revert the effect of /lock',
f: (c, r) => {
serverConnection.groupAction('unlock');
}
};
commands.record = {
predicate: recordingPredicate,
description: 'start recording',
f: (c, r) => {
serverConnection.groupAction('record');
}
};
commands.unrecord = {
predicate: recordingPredicate,
description: 'stop recording',
f: (c, r) => {
serverConnection.groupAction('unrecord');
}
};
2020-12-02 19:47:32 +01:00
commands.subgroups = {
predicate: operatorPredicate,
description: 'list subgroups',
f: (c, r) => {
serverConnection.groupAction('subgroups');
2020-12-02 19:47:32 +01:00
}
};
2022-02-16 20:41:58 +01:00
function renegotiateStreams() {
for(let id in serverConnection.up)
serverConnection.up[id].restartIce();
for(let id in serverConnection.down)
serverConnection.down[id].restartIce();
}
2020-12-05 21:02:28 +01:00
commands.renegotiate = {
description: 'renegotiate media streams',
f: (c, r) => {
2022-02-16 20:41:58 +01:00
renegotiateStreams();
2020-12-05 21:02:28 +01:00
}
};
commands.replace = {
f: (c, r) => {
replaceUpStreams(null);
}
};
/**
* parseCommand splits a string into two space-separated parts. The first
* part may be quoted and may include backslash escapes.
*
* @param {string} line
* @returns {string[]}
*/
function parseCommand(line) {
let i = 0;
while(i < line.length && line[i] === ' ')
i++;
let start = ' ';
if(i < line.length && line[i] === '"' || line[i] === "'") {
start = line[i];
i++;
}
let first = "";
while(i < line.length) {
if(line[i] === start) {
if(start !== ' ')
i++;
break;
}
if(line[i] === '\\' && i < line.length - 1)
i++;
first = first + line[i];
i++;
}
while(i < line.length && line[i] === ' ')
i++;
return [first, line.slice(i)];
}
/**
* @param {string} user
*/
function findUserId(user) {
if(user in serverConnection.users)
return user;
for(let id in serverConnection.users) {
let u = serverConnection.users[id];
if(u && u.username === user)
return id;
}
return null;
}
commands.msg = {
parameters: 'user message',
description: 'send a private message',
f: (c, r) => {
let p = parseCommand(r);
if(!p[0])
throw new Error('/msg requires parameters');
let id = findUserId(p[0]);
if(!id)
throw new Error(`Unknown user ${p[0]}`);
serverConnection.chat('', id, p[1]);
addToChatbox(serverConnection.id, id, serverConnection.username,
2021-07-31 14:42:26 +02:00
Date.now(), false, false, '', p[1]);
}
};
/**
@param {string} c
@param {string} r
*/
function userCommand(c, r) {
let p = parseCommand(r);
if(!p[0])
throw new Error(`/${c} requires parameters`);
let id = findUserId(p[0]);
if(!id)
throw new Error(`Unknown user ${p[0]}`);
serverConnection.userAction(c, id, p[1]);
}
2020-11-30 14:22:36 +01:00
function userMessage(c, r) {
let p = parseCommand(r);
if(!p[0])
throw new Error(`/${c} requires parameters`);
let id = findUserId(p[0]);
if(!id)
throw new Error(`Unknown user ${p[0]}`);
serverConnection.userMessage(c, id, p[1]);
2020-11-30 14:22:36 +01:00
}
commands.kick = {
parameters: 'user [message]',
description: 'kick out a user',
predicate: operatorPredicate,
f: userCommand,
};
commands.op = {
parameters: 'user',
description: 'give operator status',
predicate: operatorPredicate,
f: userCommand,
};
commands.unop = {
parameters: 'user',
description: 'revoke operator status',
predicate: operatorPredicate,
f: userCommand,
};
commands.present = {
parameters: 'user',
description: 'give user the right to present',
predicate: operatorPredicate,
f: userCommand,
};
commands.unpresent = {
parameters: 'user',
description: 'revoke the right to present',
predicate: operatorPredicate,
f: userCommand,
};
2020-11-30 14:22:36 +01:00
commands.mute = {
parameters: 'user',
description: 'mute a remote user',
predicate: operatorPredicate,
f: userMessage,
};
2021-01-11 16:30:19 +01:00
commands.muteall = {
description: 'mute all remote users',
predicate: operatorPredicate,
f: (c, r) => {
serverConnection.userMessage('mute', null, null, true);
}
}
2020-11-30 15:48:23 +01:00
commands.warn = {
parameters: 'user message',
description: 'send a warning to a user',
predicate: operatorPredicate,
f: (c, r) => {
userMessage('warning', r);
},
};
commands.wall = {
parameters: 'message',
description: 'send a warning to all users',
predicate: operatorPredicate,
f: (c, r) => {
if(!r)
throw new Error('empty message');
serverConnection.userMessage('warning', '', r);
2020-11-30 15:48:23 +01:00
},
};
commands.raise = {
description: 'raise hand',
f: (c, r) => {
serverConnection.userAction(
"setdata", serverConnection.id, {"raisehand": true},
);
}
}
commands.unraise = {
description: 'unraise hand',
f: (c, r) => {
serverConnection.userAction(
"setdata", serverConnection.id, {"raisehand": null},
);
}
}
2022-02-21 18:36:36 +01:00
/** @returns {boolean} */
function canFile() {
let v =
/** @ts-ignore */
!!HTMLVideoElement.prototype.captureStream ||
/** @ts-ignore */
!!HTMLVideoElement.prototype.mozCaptureStream;
return v;
}
2022-02-21 17:32:32 +01:00
function presentFile() {
let input = document.createElement('input');
input.type = 'file';
input.accept="audio/*,video/*";
input.onchange = function(e) {
if(!(this instanceof HTMLInputElement))
throw new Error('Unexpected type for this');
let files = this.files;
for(let i = 0; i < files.length; i++) {
addFileMedia(files[i]).catch(e => {
console.error(e);
displayError(e);
});
}
};
input.click();
}
commands.presentfile = {
description: 'broadcast a video or audio file',
f: (c, r) => {
presentFile();
},
predicate: () => {
2022-02-21 18:36:36 +01:00
if(!canFile())
return 'Your browser does not support presenting arbitrary files';
2022-02-21 17:32:32 +01:00
if(!serverConnection || !serverConnection.permissions ||
serverConnection.permissions.indexOf('present') < 0)
2022-02-21 18:36:36 +01:00
return 'You are not authorised to present.';
2022-02-21 17:32:32 +01:00
return null;
2022-02-21 18:36:36 +01:00
}
2022-02-21 17:32:32 +01:00
};
2022-02-16 20:41:58 +01:00
/**
* @param {string} id
*/
function sendFile(id) {
let input = document.createElement('input');
input.type = 'file';
input.onchange = function(e) {
if(!(this instanceof HTMLInputElement))
throw new Error('Unexpected type for this');
2022-02-21 17:32:32 +01:00
let files = this.files;
2022-02-16 20:41:58 +01:00
for(let i = 0; i < files.length; i++) {
try {
offerFile(id, files[i]);
} catch(e) {
console.error(e);
displayError(e);
}
}
};
input.click();
}
2022-01-30 06:32:55 +01:00
commands.sendfile = {
parameters: 'user',
description: 'send a file (this will disclose your IP address)',
2022-01-30 06:32:55 +01:00
f: (c, r) => {
let p = parseCommand(r);
if(!p[0])
throw new Error(`/${c} requires parameters`);
let id = findUserId(p[0]);
if(!id)
throw new Error(`Unknown user ${p[0]}`);
2022-02-16 20:41:58 +01:00
sendFile(id);
},
2022-01-30 06:32:55 +01:00
};
2021-01-11 18:45:20 +01:00
/**
* Test loopback through a TURN relay.
*
* @returns {Promise<number>}
*/
2021-01-11 18:18:55 +01:00
async function relayTest() {
2021-01-11 18:45:20 +01:00
if(!serverConnection)
throw new Error('not connected');
2022-03-23 00:12:51 +01:00
let conf = Object.assign({}, serverConnection.getRTCConfiguration());
2021-01-11 18:18:55 +01:00
conf.iceTransportPolicy = 'relay';
let pc1 = new RTCPeerConnection(conf);
let pc2 = new RTCPeerConnection(conf);
pc1.onicecandidate = e => {e.candidate && pc2.addIceCandidate(e.candidate);};
pc2.onicecandidate = e => {e.candidate && pc1.addIceCandidate(e.candidate);};
try {
2021-01-11 18:45:20 +01:00
return await new Promise(async (resolve, reject) => {
2021-01-11 18:18:55 +01:00
let d1 = pc1.createDataChannel('loopbackTest');
d1.onopen = e => {
2021-01-11 18:45:20 +01:00
d1.send(Date.now().toString());
2021-01-11 18:18:55 +01:00
};
let offer = await pc1.createOffer();
await pc1.setLocalDescription(offer);
await pc2.setRemoteDescription(pc1.localDescription);
2021-01-11 18:18:55 +01:00
let answer = await pc2.createAnswer();
await pc2.setLocalDescription(answer);
await pc1.setRemoteDescription(pc2.localDescription);
2021-01-11 18:18:55 +01:00
pc2.ondatachannel = e => {
let d2 = e.channel;
d2.onmessage = e => {
2021-01-11 18:45:20 +01:00
let t = parseInt(e.data);
if(isNaN(t))
reject(new Error('corrupt data'));
2021-01-11 18:18:55 +01:00
else
2021-01-11 18:45:20 +01:00
resolve(Date.now() - t);
2021-01-11 18:18:55 +01:00
}
}
2021-01-11 18:45:20 +01:00
setTimeout(() => reject(new Error('timeout')), 5000);
2021-01-11 18:18:55 +01:00
})
} finally {
pc1.close();
pc2.close();
}
}
commands['relay-test'] = {
f: async (c, r) => {
2021-01-11 19:28:57 +01:00
localMessage('Relay test in progress...');
2021-01-11 18:18:55 +01:00
try {
2021-01-11 18:45:20 +01:00
let s = Date.now();
let rtt = await relayTest();
let e = Date.now();
2021-01-11 19:28:57 +01:00
localMessage(`Relay test successful in ${e-s}ms, RTT ${rtt}ms`);
2021-01-11 18:18:55 +01:00
} catch(e) {
2021-01-11 19:28:57 +01:00
localMessage(`Relay test failed: ${e}`);
2021-01-11 18:18:55 +01:00
}
}
}
2020-04-24 19:38:21 +02:00
function handleInput() {
let input = /** @type {HTMLTextAreaElement} */
(document.getElementById('input'));
2020-04-24 19:38:21 +02:00
let data = input.value;
input.value = '';
let message, me;
if(data === '')
return;
if(data[0] === '/') {
if(data.length > 1 && data[1] === '/') {
message = data.slice(1);
2020-04-24 19:38:21 +02:00
me = false;
} else {
let cmd, rest;
let space = data.indexOf(' ');
2020-04-24 19:38:21 +02:00
if(space < 0) {
cmd = data.slice(1);
2020-04-24 19:38:21 +02:00
rest = '';
} else {
cmd = data.slice(1, space);
rest = data.slice(space + 1);
2020-04-24 19:38:21 +02:00
}
if(cmd === 'me') {
2020-04-24 19:38:21 +02:00
message = rest;
me = true;
} else {
let c = commands[cmd];
if(!c) {
displayError(`Uknown command /${cmd}, type /help for help`);
2020-09-23 21:01:29 +02:00
return;
}
if(c.predicate) {
let s = c.predicate();
if(s) {
displayError(s);
2020-09-23 21:01:29 +02:00
return;
}
2020-04-25 17:36:35 +02:00
}
try {
c.f(cmd, rest);
} catch(e) {
console.error(e);
displayError(e);
2020-10-01 16:52:01 +02:00
}
2020-04-25 17:36:35 +02:00
return;
2020-05-10 21:18:12 +02:00
}
2020-04-24 19:38:21 +02:00
}
} else {
message = data;
me = false;
}
if(!serverConnection || !serverConnection.socket) {
displayError("Not connected.");
return;
}
try {
serverConnection.chat(me ? 'me' : '', '', message);
} catch(e) {
console.error(e);
displayError(e);
}
2020-04-24 19:38:21 +02:00
}
document.getElementById('inputform').onsubmit = function(e) {
e.preventDefault();
handleInput();
};
document.getElementById('input').onkeypress = function(e) {
if(e.key === 'Enter' && !e.ctrlKey && !e.shiftKey && !e.metaKey) {
e.preventDefault();
handleInput();
}
2020-05-10 21:18:07 +02:00
};
2020-04-24 19:38:21 +02:00
function chatResizer(e) {
e.preventDefault();
let full_width = document.getElementById("mainrow").offsetWidth;
let left = document.getElementById("left");
let right = document.getElementById("right");
2020-04-24 19:38:21 +02:00
let start_x = e.clientX;
2020-09-11 22:46:23 +02:00
let start_width = left.offsetWidth;
2020-04-24 19:38:21 +02:00
function start_drag(e) {
let left_width = (start_width + e.clientX - start_x) * 100 / full_width;
// set min chat width to 300px
let min_left_width = 300 * 100 / full_width;
if (left_width < min_left_width) {
return;
}
2020-09-12 16:34:52 +02:00
left.style.flex = left_width.toString();
right.style.flex = (100 - left_width).toString();
2020-04-24 19:38:21 +02:00
}
function stop_drag(e) {
document.documentElement.removeEventListener(
'mousemove', start_drag, false,
);
document.documentElement.removeEventListener(
'mouseup', stop_drag, false,
);
}
document.documentElement.addEventListener(
'mousemove', start_drag, false,
);
document.documentElement.addEventListener(
'mouseup', stop_drag, false,
);
}
document.getElementById('resizer').addEventListener('mousedown', chatResizer, false);
/**
2020-09-28 20:58:07 +02:00
* @param {unknown} message
* @param {string} [level]
*/
function displayError(message, level) {
if(!level)
2020-09-28 20:58:07 +02:00
level = "error";
var background = 'linear-gradient(to right, #e20a0a, #df2d2d)';
var position = 'center';
var gravity = 'top';
switch(level) {
2020-09-28 20:58:07 +02:00
case "info":
background = 'linear-gradient(to right, #529518, #96c93d)';
position = 'right';
gravity = 'bottom';
break;
2020-09-28 20:58:07 +02:00
case "warning":
background = "linear-gradient(to right, #bdc511, #c2cf01)";
break;
case "kicked":
level = "error";
break;
2020-04-24 19:38:21 +02:00
}
/** @ts-ignore */
Toastify({
text: message,
duration: 4000,
close: true,
position: position,
gravity: gravity,
style: {
background: background,
},
className: level,
}).showToast();
2020-04-24 19:38:21 +02:00
}
/**
2020-09-28 20:58:07 +02:00
* @param {unknown} message
*/
2020-04-24 19:38:21 +02:00
function displayWarning(message) {
2020-09-28 20:58:07 +02:00
return displayError(message, "warning");
}
/**
2020-09-28 20:58:07 +02:00
* @param {unknown} message
*/
function displayMessage(message) {
2020-09-28 20:58:07 +02:00
return displayError(message, "info");
2020-04-24 19:38:21 +02:00
}
2020-11-24 16:29:19 +01:00
let connecting = false;
document.getElementById('userform').onsubmit = async function(e) {
2020-04-24 19:38:21 +02:00
e.preventDefault();
2020-11-24 16:29:19 +01:00
if(connecting)
return;
connecting = true;
try {
await serverConnect();
2020-11-24 16:29:19 +01:00
} finally {
connecting = false;
}
if(getInputElement('presentboth').checked)
presentRequested = 'both';
else if(getInputElement('presentmike').checked)
presentRequested = 'mike';
else
presentRequested = null;
2020-11-30 21:28:45 +01:00
getInputElement('presentoff').checked = true;
2020-05-10 21:18:07 +02:00
};
2020-04-24 19:38:21 +02:00
document.getElementById('disconnectbutton').onclick = function(e) {
serverConnection.close();
2020-11-24 17:36:52 +01:00
closeNav();
2020-05-10 21:18:07 +02:00
};
2020-04-24 19:38:21 +02:00
2020-08-27 21:17:46 +02:00
function openNav() {
document.getElementById("sidebarnav").style.width = "250px";
}
function closeNav() {
document.getElementById("sidebarnav").style.width = "0";
}
document.getElementById('sidebarCollapse').onclick = function(e) {
document.getElementById("left-sidebar").classList.toggle("active");
document.getElementById("mainrow").classList.toggle("full-width-active");
};
document.getElementById('openside').onclick = function(e) {
e.preventDefault();
let sidewidth = document.getElementById("sidebarnav").style.width;
if (sidewidth !== "0px" && sidewidth !== "") {
closeNav();
return;
} else {
openNav();
}
};
document.getElementById('clodeside').onclick = function(e) {
e.preventDefault();
closeNav();
};
2020-09-09 20:26:19 +02:00
document.getElementById('collapse-video').onclick = function(e) {
e.preventDefault();
setVisibility('collapse-video', false);
setVisibility('show-video', true);
hideVideo(true);
};
document.getElementById('show-video').onclick = function(e) {
e.preventDefault();
setVisibility('video-container', true);
setVisibility('collapse-video', true);
setVisibility('show-video', false);
2020-09-09 20:26:19 +02:00
};
document.getElementById('close-chat').onclick = function(e) {
e.preventDefault();
setVisibility('left', false);
setVisibility('show-chat', true);
resizePeers();
};
document.getElementById('show-chat').onclick = function(e) {
e.preventDefault();
setVisibility('left', true);
setVisibility('show-chat', false);
resizePeers();
};
async function serverConnect() {
2020-11-24 16:29:19 +01:00
if(serverConnection && serverConnection.socket)
serverConnection.close();
serverConnection = new ServerConnection();
serverConnection.onconnected = gotConnected;
serverConnection.onpeerconnection = onPeerConnection;
serverConnection.onclose = gotClose;
serverConnection.ondownstream = gotDownStream;
serverConnection.onuser = gotUser;
serverConnection.onjoined = gotJoined;
serverConnection.onchat = addToChatbox;
serverConnection.onusermessage = gotUserMessage;
let url = `ws${location.protocol === 'https:' ? 's' : ''}://${location.host}/ws`;
try {
await serverConnection.connect(url);
} catch(e) {
console.error(e);
displayError(e.message ? e.message : "Couldn't connect to " + url);
}
}
2021-10-26 22:22:48 +02:00
async function start() {
group = decodeURIComponent(
location.pathname.replace(/^\/[a-z]*\//, '').replace(/\/$/, '')
);
2021-10-26 22:22:48 +02:00
/** @type {Object} */
try {
let r = await fetch(".status.json")
if(!r.ok)
throw new Error(`${r.status} ${r.statusText}`);
groupStatus = await r.json()
} catch(e) {
console.error(e);
return;
}
let parms = new URLSearchParams(window.location.search);
if(window.location.search)
window.history.replaceState(null, '', window.location.pathname);
2021-10-26 22:22:48 +02:00
setTitle(groupStatus.displayName || capitalise(group));
addFilters();
setMediaChoices(false).then(e => reflectSettings());
2020-06-09 18:05:16 +02:00
if(parms.has('token')) {
token = parms.get('token');
await serverConnect();
2022-02-19 23:58:31 +01:00
} else if(groupStatus.authPortal) {
window.location.href = groupStatus.authPortal;
} else {
let container = document.getElementById("login-container");
container.classList.remove('invisible');
}
setViewportHeight();
2020-04-24 19:38:21 +02:00
}
start();