bigbluebutton-Github/bigbluebutton-html5/imports/ui/components/video-dock/component.jsx

682 lines
18 KiB
React
Raw Normal View History

import React, { Component } from 'react';
2018-01-08 14:17:18 +08:00
import { styles } from './styles';
import { defineMessages, injectIntl } from 'react-intl';
import VideoService from './service';
import { log } from '/imports/ui/services/api';
import { notify } from '/imports/ui/services/notification';
import { toast } from 'react-toastify';
import { styles as mediaStyles } from '/imports/ui/components/media/styles';
import Toast from '/imports/ui/components/toast/component';
const intlMessages = defineMessages({
iceCandidateError: {
id: 'app.video.iceCandidateError',
description: 'Error message for ice candidate fail',
},
permissionError: {
id: 'app.video.permissionError',
description: 'Error message for webcam permission',
},
sharingError: {
id: 'app.video.sharingError',
description: 'Error on sharing webcam',
},
chromeExtensionError: {
id: 'app.video.chromeExtensionError',
description: 'Error message for Chrome Extension not installed',
},
chromeExtensionErrorLink: {
id: 'app.video.chromeExtensionErrorLink',
description: 'Error message for Chrome Extension not installed',
},
});
const RECONNECT_WAIT_TIME = 5000;
const INITIAL_SHARE_WAIT_TIME = 2000;
const CAMERA_SHARE_FAILED_WAIT_TIME = 10000;
class VideoElement extends Component {
constructor(props) {
super(props);
2017-09-01 23:26:57 +08:00
}
render() {
let cssClass;
if (this.props.shared || !this.props.localCamera) {
cssClass = styles.sharedWebcamVideoLocal;
} else {
cssClass = styles.sharedWebcamVideo;
}
2018-01-29 19:52:07 +08:00
return (
<div className={`${styles.videoContainer} ${cssClass}`} >
{ this.props.localCamera ?
<video id="shareWebcam" muted autoPlay playsInline />
:
<video id={`video-elem-${this.props.videoId}`} autoPlay playsInline />
}
<div className={styles.videoText}>
2018-02-06 03:52:07 +08:00
<div className={styles.userName}>{this.props.name}</div>
{/* <Button
label=""
className={styles.pauseButton}
icon={'unmute'}
size={'sm'}
circle
onClick={() => {}}
/> */}
</div>
</div>
2018-01-29 19:52:07 +08:00
);
}
componentDidMount() {
if (typeof this.props.onMount === 'function' && !this.props.localCamera) {
this.props.onMount(this.props.videoId, false);
}
}
2017-09-01 23:26:57 +08:00
}
class VideoDock extends Component {
2017-09-01 23:26:57 +08:00
constructor(props) {
super(props);
// Set a valid bbb-webrtc-sfu application server socket in the settings
this.ws = new ReconnectingWebSocket(Meteor.settings.public.kurento.wsUrl);
this.wsQueue = [];
this.webRtcPeers = {};
this.reconnectWebcam = false;
this.reconnectList = [];
2018-01-25 11:40:16 +08:00
this.cameraTimeouts = {};
2017-09-01 23:26:57 +08:00
this.state = {
videos: {},
sharedWebcam: false,
2018-01-23 02:02:09 +08:00
userNames: {},
2017-09-01 23:26:57 +08:00
};
this.unshareWebcam = this.unshareWebcam.bind(this);
this.shareWebcam = this.shareWebcam.bind(this);
this.onWsOpen = this.onWsOpen.bind(this);
this.onWsClose = this.onWsClose.bind(this);
this.onWsMessage = this.onWsMessage.bind(this);
2017-09-01 23:26:57 +08:00
}
setupReconnectVideos() {
for (id in this.webRtcPeers) {
this.disconnected(id);
this.stop(id);
}
}
reconnectVideos() {
for (i in this.reconnectList) {
const id = this.reconnectList[i];
// TODO: base this on BBB API users instead of using memory
if (id != this.myId) {
setTimeout(() => {
log('debug', ` [camera] Trying to reconnect camera ${id}`);
this.start(id, false);
}, RECONNECT_WAIT_TIME);
}
}
if (this.reconnectWebcam) {
log('debug', ` [camera] Trying to re-share ${this.myId} after reconnect.`);
this.start(this.myId, true);
}
this.reconnectWebcam = false;
this.reconnectList = [];
}
2017-09-01 23:26:57 +08:00
componentDidMount() {
const ws = this.ws;
const { users, userId } = this.props;
2018-01-17 00:04:34 +08:00
users.forEach((user) => {
if (user.has_stream && user.userId !== userId) {
// FIX: Really ugly hack, but sometimes the ICE candidates aren't
// generated properly when we send videos right after componentDidMount
setTimeout(() => {
this.start(user.userId, false);
}, INITIAL_SHARE_WAIT_TIME);
}
2018-01-29 19:52:07 +08:00
});
2017-09-01 23:26:57 +08:00
2018-01-29 19:52:07 +08:00
document.addEventListener('joinVideo', this.shareWebcam.bind(this)); // TODO find a better way to do this
document.addEventListener('exitVideo', this.unshareWebcam.bind(this));
document.addEventListener('installChromeExtension', this.installChromeExtension.bind(this));
2017-09-20 11:12:10 +08:00
window.addEventListener('resize', this.adjustVideos);
2018-02-07 22:44:11 +08:00
window.addEventListener('orientationchange', this.adjustVideos);
2017-09-01 23:26:57 +08:00
ws.addEventListener('message', this.onWsMessage);
}
2017-09-01 23:26:57 +08:00
2018-01-29 19:52:07 +08:00
componentWillMount() {
this.ws.addEventListener('open', this.onWsOpen);
this.ws.addEventListener('close', this.onWsClose);
window.addEventListener('online', this.ws.open.bind(this.ws));
window.addEventListener('offline', this.onWsClose);
}
2017-09-01 23:26:57 +08:00
2018-01-29 19:52:07 +08:00
componentWillUpdate(nextProps) {
const { isLocked } = nextProps;
if (isLocked && VideoService.isConnected()) {
this.unshareWebcam();
}
}
componentWillUnmount() {
document.removeEventListener('joinVideo', this.shareWebcam);
document.removeEventListener('exitVideo', this.unshareWebcam);
document.removeEventListener('installChromeExtension', this.installChromeExtension);
window.removeEventListener('resize', this.adjustVideos);
2018-02-09 00:32:12 +08:00
window.removeEventListener('orientationchange', this.adjustVideos);
this.ws.removeEventListener('message', this.onWsMessage);
this.ws.removeEventListener('open', this.onWsOpen);
this.ws.removeEventListener('close', this.onWsClose);
// Close websocket connection to prevent multiple reconnects from happening
window.removeEventListener('online', this.ws.open.bind(this.ws));
window.removeEventListener('offline', this.onWsClose);
this.ws.close();
}
2017-09-01 23:26:57 +08:00
2018-01-29 19:52:07 +08:00
adjustVideos() {
setTimeout(() => {
window.adjustVideos('webcamArea', true, mediaStyles.moreThan4Videos, mediaStyles.container, mediaStyles.overlayWrapper, 'presentationAreaData', 'screenshareVideo');
}, 0);
}
2017-09-01 23:26:57 +08:00
2018-01-29 19:52:07 +08:00
onWsOpen() {
log('debug', '------ Websocket connection opened.');
// -- Resend queued messages that happened when socket was not connected
while (this.wsQueue.length > 0) {
this.sendMessage(this.wsQueue.pop());
}
this.reconnectVideos();
}
2018-01-29 19:52:07 +08:00
onWsClose(error) {
log('debug', '------ Websocket connection closed.');
this.setupReconnectVideos();
}
2018-01-29 19:52:07 +08:00
onWsMessage(msg) {
const { intl } = this.props;
const parsedMessage = JSON.parse(msg.data);
2017-09-01 23:26:57 +08:00
console.log('Received message new ws message: ');
console.log(parsedMessage);
2017-09-01 23:26:57 +08:00
switch (parsedMessage.id) {
case 'startResponse':
this.startResponse(parsedMessage);
break;
2017-09-01 23:26:57 +08:00
case 'playStart':
this.handlePlayStart(parsedMessage);
break;
case 'playStop':
this.handlePlayStop(parsedMessage);
2017-09-01 23:26:57 +08:00
break;
case 'iceCandidate':
const webRtcPeer = this.webRtcPeers[parsedMessage.cameraId];
if (webRtcPeer) {
if (webRtcPeer.didSDPAnswered) {
webRtcPeer.addIceCandidate(parsedMessage.candidate, (err) => {
if (err) {
this.notifyError(intl.formatMessage(intlMessages.iceCandidateError));
return log('error', `Error adding candidate: ${err}`);
}
});
2017-09-01 23:26:57 +08:00
} else {
webRtcPeer.iceQueue.push(parsedMessage.candidate);
2017-09-01 23:26:57 +08:00
}
} else {
log('error', ' [ICE] Message arrived after the peer was already thrown out, discarding it...');
}
break;
2018-01-25 11:40:16 +08:00
case 'error':
default:
this.handleError(parsedMessage);
break;
}
2018-01-29 19:52:07 +08:00
}
2017-09-01 23:26:57 +08:00
start(id, shareWebcam) {
2018-02-06 03:52:07 +08:00
const { users } = this.props;
2017-09-01 23:26:57 +08:00
const that = this;
2018-01-25 11:40:16 +08:00
const { intl } = this.props;
2017-09-01 23:26:57 +08:00
console.log(`Starting video call for video: ${id} with ${shareWebcam}`);
const userNames = this.state.userNames;
2018-01-23 02:02:09 +08:00
users.forEach((user) => {
if (user.userId === id) {
userNames[id] = user.name;
}
});
this.setState({ userNames });
2017-09-01 23:26:57 +08:00
2018-01-25 11:40:16 +08:00
this.cameraTimeouts[id] = setTimeout(() => {
log('error', `Camera share has not suceeded in ${CAMERA_SHARE_FAILED_WAIT_TIME}`);
if (that.myId == id) {
that.notifyError(intl.formatMessage(intlMessages.sharingError));
that.unshareWebcam();
2018-01-25 11:40:16 +08:00
} else {
that.stop(id);
that.start(id, shareWebcam);
}
}, CAMERA_SHARE_FAILED_WAIT_TIME);
if (shareWebcam) {
VideoService.joiningVideo();
this.setState({ sharedWebcam: true });
this.myId = id;
this.initWebRTC(id, true);
} else {
// initWebRTC with shareWebcam false will be called after react mounts the element
this.createVideoTag(id);
}
}
initWebRTC(id, shareWebcam) {
2018-01-29 19:52:07 +08:00
const that = this;
const { intl } = this.props;
2017-09-01 23:26:57 +08:00
const onIceCandidate = function (candidate) {
const message = {
type: 'video',
role: shareWebcam ? 'share' : 'viewer',
2017-09-01 23:26:57 +08:00
id: 'onIceCandidate',
candidate,
cameraId: id,
};
that.sendMessage(message);
};
let videoConstraints = {};
2018-01-29 19:52:07 +08:00
if (navigator.userAgent.match(/Version\/[\d\.]+.*Safari/)) {
// Custom constraints for Safari
2017-11-29 03:31:36 +08:00
videoConstraints = {
2018-01-29 19:52:07 +08:00
width: {
min: 320,
max: 640,
},
height: {
min: 240,
max: 480,
},
};
2017-11-29 03:31:36 +08:00
} else {
videoConstraints = {
2018-01-29 19:52:07 +08:00
width: {
min: 320,
ideal: 320,
},
height: {
min: 240,
ideal: 240,
},
frameRate: {
min: 5,
ideal: 10,
},
2017-11-29 03:31:36 +08:00
};
}
2018-01-29 19:52:07 +08:00
const options = {
2017-12-06 03:13:42 +08:00
mediaConstraints: {
audio: false,
2018-01-29 19:52:07 +08:00
video: videoConstraints,
},
2017-09-01 23:26:57 +08:00
onicecandidate: onIceCandidate,
};
let peerObj;
if (shareWebcam) {
options.localVideo = document.getElementById('shareWebcam');
2017-09-01 23:26:57 +08:00
peerObj = kurentoUtils.WebRtcPeer.WebRtcPeerSendonly;
} else {
peerObj = kurentoUtils.WebRtcPeer.WebRtcPeerRecvonly;
options.remoteVideo = document.getElementById(`video-elem-${id}`);
2017-09-01 23:26:57 +08:00
}
2018-01-29 19:52:07 +08:00
const webRtcPeer = new peerObj(options, function (error) {
2017-09-01 23:26:57 +08:00
if (error) {
2017-12-06 03:13:42 +08:00
log('error', ' WebRTC peerObj create error');
log('error', error);
that.notifyError(intl.formatMessage(intlMessages.permissionError));
2018-01-29 19:52:07 +08:00
/* This notification error is displayed considering kurento-utils
* returned the error 'The request is not allowed by the user agent
* or the platform in the current context.', but there are other
* errors that could be returned. */
2017-12-06 03:13:42 +08:00
that.destroyWebRTCPeer(id);
that.destroyVideoTag(id);
VideoService.resetState();
2017-12-06 03:13:42 +08:00
return log('error', error);
2017-09-01 23:26:57 +08:00
}
2017-11-29 03:31:36 +08:00
this.didSDPAnswered = false;
this.iceQueue = [];
that.webRtcPeers[id] = webRtcPeer;
if (shareWebcam) {
that.sharedWebcam = webRtcPeer;
}
2017-09-01 23:26:57 +08:00
this.generateOffer((error, offerSdp) => {
if (error) {
2017-12-06 03:13:42 +08:00
log('error', ' WebRtc generate offer error');
that.destroyWebRTCPeer(id);
that.destroyVideoTag(id);
return log('error', error);
2017-09-01 23:26:57 +08:00
}
console.log(`Invoking SDP offer callback function ${location.host}`);
2017-09-01 23:26:57 +08:00
const message = {
type: 'video',
role: shareWebcam ? 'share' : 'viewer',
2017-09-01 23:26:57 +08:00
id: 'start',
sdpOffer: offerSdp,
cameraId: id,
};
that.sendMessage(message);
});
2017-11-29 03:31:36 +08:00
while (this.iceQueue.length) {
2018-01-29 19:52:07 +08:00
const candidate = this.iceQueue.shift();
2017-11-29 03:31:36 +08:00
this.addIceCandidate(candidate, (err) => {
if (err) {
this.notifyError(intl.formatMessage(intlMessages.iceCandidateError));
2017-11-29 03:31:36 +08:00
return console.error(`Error adding candidate: ${err}`);
}
2017-11-29 03:31:36 +08:00
});
}
this.didSDPAnswered = true;
2017-09-01 23:26:57 +08:00
});
}
disconnected(id) {
if (this.sharedWebcam) {
log('debug', ' [camera] Webcam disconnected, will try re-share webcam later.');
this.reconnectWebcam = true;
} else {
this.reconnectList.push(id);
2017-12-06 03:13:42 +08:00
log('debug', ` [camera] ${id} disconnected, will try re-subscribe later.`);
}
}
2017-09-01 23:26:57 +08:00
stop(id) {
const { userId } = this.props;
2017-12-21 01:05:05 +08:00
this.sendMessage({
type: 'video',
role: id == userId ? 'share' : 'viewer',
2017-12-21 01:05:05 +08:00
id: 'stop',
cameraId: id,
});
2017-12-06 03:13:42 +08:00
if (id === userId) {
VideoService.exitedVideo();
}
2017-12-06 03:13:42 +08:00
this.destroyWebRTCPeer(id);
this.destroyVideoTag(id);
}
createVideoTag(id) {
2018-01-29 19:52:07 +08:00
const videos = this.state.videos;
2017-12-06 03:13:42 +08:00
videos[id] = true;
2018-01-29 19:52:07 +08:00
this.setState({ videos });
2017-12-06 03:13:42 +08:00
}
destroyVideoTag(id) {
const { videos, userNames } = this.state;
this.setState({
videos: videos.filter((_, i) => i !== id),
userNames: userNames.filter((_, i) => i !== id),
sharedWebcam: id !== this.myId,
});
2017-12-06 03:13:42 +08:00
}
destroyWebRTCPeer(id) {
const webRtcPeer = this.webRtcPeers[id];
2017-09-01 23:26:57 +08:00
2018-01-25 11:40:16 +08:00
// Clear the shared camera fail timeout when destroying
clearTimeout(this.cameraTimeouts[id]);
this.cameraTimeouts[id] = null;
2017-09-01 23:26:57 +08:00
if (webRtcPeer) {
log('info', 'Stopping WebRTC peer');
2017-09-01 23:26:57 +08:00
if (id == this.myId && this.sharedWebcam) {
this.sharedWebcam.dispose();
this.sharedWebcam = null;
}
2017-09-01 23:26:57 +08:00
webRtcPeer.dispose();
delete this.webRtcPeers[id];
2017-09-01 23:26:57 +08:00
} else {
2017-12-06 03:13:42 +08:00
log('info', 'No WebRTC peer to stop (not an error)');
2017-09-01 23:26:57 +08:00
}
}
shareWebcam() {
const { users, userId } = this.props;
2017-09-01 23:26:57 +08:00
if (this.connectedToMediaServer()) {
this.start(userId, true);
} else {
2018-01-29 19:52:07 +08:00
log('error', 'Not connected to media server');
}
2017-09-01 23:26:57 +08:00
}
unshareWebcam() {
VideoService.exitingVideo();
2017-12-06 03:13:42 +08:00
log('info', 'Unsharing webcam');
2018-01-29 19:52:07 +08:00
console.warn(this.props);
const { userId } = this.props;
VideoService.sendUserUnshareWebcam(userId);
2017-09-01 23:26:57 +08:00
}
startResponse(message) {
const id = message.cameraId;
const webRtcPeer = this.webRtcPeers[id];
2017-09-01 23:26:57 +08:00
if (message.sdpAnswer == null) {
return log('debug', 'Null sdp answer. Camera unplugged?');
2017-09-01 23:26:57 +08:00
}
if (webRtcPeer == null) {
return log('debug', 'Null webrtc peer ????');
2017-09-01 23:26:57 +08:00
}
log('info', 'SDP answer received from server. Processing ...');
2017-09-01 23:26:57 +08:00
webRtcPeer.processAnswer(message.sdpAnswer, (error) => {
if (error) {
2017-12-06 03:13:42 +08:00
return log('error', error);
2017-09-01 23:26:57 +08:00
}
2018-01-25 11:40:16 +08:00
if (message.cameraId == this.props.userId) {
log('info', 'camera id sendusershare ', id);
2018-01-25 11:40:16 +08:00
VideoService.sendUserShareWebcam(id);
}
});
2017-09-01 23:26:57 +08:00
}
sendMessage(message) {
const ws = this.ws;
2017-09-01 23:26:57 +08:00
if (this.connectedToMediaServer()) {
const jsonMessage = JSON.stringify(message);
console.log(`Sending message: ${jsonMessage}`);
ws.send(jsonMessage, (error) => {
if (error) {
console.error(`client: Websocket error "${error}" on message "${jsonMessage.id}"`);
}
});
} else {
// No need to queue video stop messages
2017-12-06 03:13:42 +08:00
if (message.id != 'stop') {
this.wsQueue.push(message);
}
}
2017-09-01 23:26:57 +08:00
}
connectedToMediaServer() {
return this.ws.readyState === WebSocket.OPEN;
}
connectionStatus() {
return this.ws.readyState;
}
2017-09-01 23:26:57 +08:00
handlePlayStop(message) {
log('info', 'Handle play stop <--------------------');
log('error', message);
2017-09-01 23:26:57 +08:00
if (message.cameraId == this.props.userId) {
2017-12-21 01:05:05 +08:00
this.unshareWebcam();
} else {
this.stop(message.cameraId);
}
2017-09-01 23:26:57 +08:00
}
handlePlayStart(message) {
log('info', 'Handle play start <===================');
2018-01-25 11:40:16 +08:00
// Clear camera shared timeout when camera succesfully starts
clearTimeout(this.cameraTimeouts[message.cameraId]);
this.cameraTimeouts[message.cameraId] = null;
if (message.cameraId == this.props.userId) {
VideoService.joinedVideo();
}
2017-09-01 23:26:57 +08:00
}
handleError(message) {
2018-01-25 12:08:00 +08:00
const { intl, userId } = this.props;
2018-01-25 12:08:00 +08:00
if (message.cameraId == userId) {
this.unshareWebcam();
2018-01-25 11:40:16 +08:00
this.notifyError(intl.formatMessage(intlMessages.sharingError));
} else {
this.stop(message.cameraId);
}
2017-12-06 03:13:42 +08:00
console.error(' Handle error --------------------->');
log('debug', message.message);
2017-09-01 23:26:57 +08:00
}
notifyError(message) {
notify(message, 'error', 'video');
}
installChromeExtension() {
const { intl } = this.props;
const CHROME_EXTENSION_LINK = Meteor.settings.public.kurento.chromeExtensionLink;
2018-01-29 19:52:07 +08:00
this.notifyError(<div>
{intl.formatMessage(intlMessages.chromeExtensionError)}{' '}
<a href={CHROME_EXTENSION_LINK} target="_blank">
{intl.formatMessage(intlMessages.chromeExtensionErrorLink)}
</a>
</div>);
}
componentDidUpdate() {
this.adjustVideos();
}
render() {
return (
<div className={styles.videoDock}>
2018-02-06 03:52:07 +08:00
<div id="webcamArea" className={styles.webcamArea}>
{Object.keys(this.state.videos).map(id => (
<VideoElement videoId={id} key={id} name={this.state.userNames[id]} localCamera={false} onMount={this.initWebRTC.bind(this)} />
))}
<VideoElement shared={this.state.sharedWebcam} name={this.state.userNames[this.myId]} localCamera />
</div>
</div>
);
}
2017-09-01 23:26:57 +08:00
shouldComponentUpdate(nextProps, nextState) {
const { userId } = this.props;
const currentUsers = this.props.users || {};
2017-09-01 23:26:57 +08:00
const nextUsers = nextProps.users;
const users = {};
const present = {};
2017-09-01 23:26:57 +08:00
if (!currentUsers) { return false; }
2017-09-01 23:26:57 +08:00
// Map user objectos to an object in the form {userId: has_stream}
currentUsers.forEach((user) => {
users[user.userId] = user.has_stream;
});
2017-09-01 23:26:57 +08:00
// Keep instances where the flag has changed or next user adds it
nextUsers.forEach((user) => {
const id = user.userId;
// The case when a user exists and stream status has not changed
if (users[id] === user.has_stream) {
delete users[id];
} else {
// Case when a user has been added to the list
users[id] = user.has_stream;
2017-09-01 23:26:57 +08:00
}
// Mark the ids which are present in nextUsers
present[id] = true;
});
const userIds = Object.keys(users);
for (let i = 0; i < userIds.length; i++) {
const id = userIds[i];
// If a userId is not present in nextUsers let's stop it
if (!present[id]) {
this.stop(id);
continue;
}
2017-09-01 23:26:57 +08:00
console.log(`User ${users[id] ? '' : 'un'}shared webcam ${id}`);
// If a user stream is true, changed and was shared by other
// user we'll start it. If it is false and changed we stop it
if (users[id]) {
if (userId !== id) {
this.start(id, false);
2017-09-01 23:26:57 +08:00
}
} else {
this.stop(id);
}
2017-09-01 23:26:57 +08:00
}
return true;
2017-09-01 23:26:57 +08:00
}
}
export default injectIntl(VideoDock);