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

657 lines
18 KiB
React
Raw Normal View History

import React, { Component } from 'react';
import PropTypes from 'prop-types';
import injectWbResizeEvent from '/imports/ui/components/presentation/resize-wrapper/component';
import { defineMessages, injectIntl } from 'react-intl';
import _ from 'lodash';
import {
sendMessage,
onMessage,
removeAllListeners,
getPlayingState,
} from './service';
import {
isMobile, isTablet,
} from '../layout/utils';
import logger from '/imports/startup/client/logger';
import VolumeSlider from './volume-slider/component';
2021-08-06 04:40:30 +08:00
import ReloadButton from '/imports/ui/components/reload-button/component';
import FullscreenButtonContainer from '/imports/ui/components/fullscreen-button/container';
2021-08-09 22:24:02 +08:00
import ArcPlayer from '/imports/ui/components/external-video-player/custom-players/arc-player';
import PeerTubePlayer from '/imports/ui/components/external-video-player/custom-players/peertube';
2021-09-28 03:57:02 +08:00
import { ACTIONS } from '/imports/ui/components/layout/enums';
2019-07-27 04:59:14 +08:00
import Styled from './styles';
const intlMessages = defineMessages({
autoPlayWarning: {
id: 'app.externalVideo.autoPlayWarning',
description: 'Shown when user needs to interact with player to make it work',
},
2021-03-17 03:18:21 +08:00
refreshLabel: {
id: 'app.externalVideo.refreshLabel',
},
fullscreenLabel: {
id: 'app.externalVideo.fullscreenLabel',
},
});
const SYNC_INTERVAL_SECONDS = 5;
const THROTTLE_INTERVAL_SECONDS = 0.5;
const AUTO_PLAY_BLOCK_DETECTION_TIMEOUT_SECONDS = 5;
const ALLOW_FULLSCREEN = Meteor.settings.public.app.allowFullscreen;
Styled.VideoPlayer.addCustomPlayer(PeerTubePlayer);
Styled.VideoPlayer.addCustomPlayer(ArcPlayer);
2019-07-27 04:59:14 +08:00
class VideoPlayer extends Component {
static clearVideoListeners() {
removeAllListeners('play');
removeAllListeners('stop');
removeAllListeners('playerUpdate');
removeAllListeners('presenterReady');
}
constructor(props) {
super(props);
2019-09-11 02:04:42 +08:00
const { isPresenter } = props;
this.player = null;
this.syncInterval = null;
this.autoPlayTimeout = null;
this.hasPlayedBefore = false;
this.playerIsReady = false;
this.lastMessage = null;
this.lastMessageTimestamp = Date.now();
this.throttleTimeout = null;
this.state = {
muted: false,
playing: false,
autoPlayBlocked: false,
volume: 1,
playbackRate: 1,
2021-03-17 00:56:12 +08:00
key: 0,
};
this.hideVolume = {
Vimeo: true,
Facebook: true,
ArcPlayer: true,
};
this.opts = {
// default option for all players, can be overwritten
playerOptions: {
autoplay: true,
playsinline: true,
controls: isPresenter,
},
file: {
attributes: {
controls: isPresenter ? 'controls' : '',
autoplay: 'autoplay',
playsinline: 'playsinline',
},
},
facebook: {
controls: isPresenter,
},
dailymotion: {
params: {
controls: isPresenter,
},
},
youtube: {
playerVars: {
autoplay: 1,
modestbranding: 1,
autohide: 1,
rel: 0,
ecver: 2,
controls: isPresenter ? 1 : 0,
},
},
2020-11-27 04:30:37 +08:00
peertube: {
isPresenter,
},
twitch: {
options: {
controls: isPresenter,
},
2020-06-13 02:06:58 +08:00
playerId: 'externalVideoPlayerTwitch',
},
preload: true,
showHoverToolBar: false,
};
this.registerVideoListeners = this.registerVideoListeners.bind(this);
this.autoPlayBlockDetected = this.autoPlayBlockDetected.bind(this);
this.handleFirstPlay = this.handleFirstPlay.bind(this);
2021-03-17 00:56:12 +08:00
this.handleReload = this.handleReload.bind(this);
this.handleOnProgress = this.handleOnProgress.bind(this);
this.handleOnReady = this.handleOnReady.bind(this);
2019-07-13 04:08:55 +08:00
this.handleOnPlay = this.handleOnPlay.bind(this);
this.handleOnPause = this.handleOnPause.bind(this);
this.handleVolumeChanged = this.handleVolumeChanged.bind(this);
this.handleOnMuted = this.handleOnMuted.bind(this);
this.sendSyncMessage = this.sendSyncMessage.bind(this);
this.getCurrentPlaybackRate = this.getCurrentPlaybackRate.bind(this);
this.getCurrentTime = this.getCurrentTime.bind(this);
this.getCurrentVolume = this.getCurrentVolume.bind(this);
this.getMuted = this.getMuted.bind(this);
this.setPlaybackRate = this.setPlaybackRate.bind(this);
this.onBeforeUnload = this.onBeforeUnload.bind(this);
this.isMobile = isMobile() || isTablet();
this.mobileHoverSetTimeout = null;
}
componentDidMount() {
const {
getSwapLayout,
toggleSwapLayout,
layoutContextDispatch,
2021-09-28 03:57:02 +08:00
hidePresentation,
} = this.props;
window.addEventListener('beforeunload', this.onBeforeUnload);
2019-07-13 04:08:55 +08:00
clearInterval(this.syncInterval);
clearTimeout(this.autoPlayTimeout);
VideoPlayer.clearVideoListeners();
this.registerVideoListeners();
if (getSwapLayout()) toggleSwapLayout(layoutContextDispatch);
2021-09-28 03:57:02 +08:00
if (hidePresentation) {
layoutContextDispatch({
type: ACTIONS.SET_PRESENTATION_IS_OPEN,
value: true,
});
}
}
shouldComponentUpdate(nextProps, nextState) {
const { isPresenter } = this.props;
const { playing } = this.state;
// If user is presenter we don't re-render playing state changes
// Because he's in control of the play/pause status
if (nextProps.isPresenter && isPresenter && nextState.playing !== playing) {
return false;
}
return true;
}
componentDidUpdate(prevProp) {
// Detect presenter change and redo the sync and listeners to reassign video to the new one
const { isPresenter } = this.props;
if (isPresenter !== prevProp.isPresenter) {
VideoPlayer.clearVideoListeners();
clearInterval(this.syncInterval);
clearTimeout(this.autoPlayTimeout);
this.registerVideoListeners();
}
}
componentWillUnmount() {
const {
layoutContextDispatch,
hidePresentation,
} = this.props;
window.removeEventListener('beforeunload', this.onBeforeUnload);
VideoPlayer.clearVideoListeners();
clearInterval(this.syncInterval);
clearTimeout(this.autoPlayTimeout);
this.player = null;
2021-09-28 03:57:02 +08:00
if (hidePresentation) {
layoutContextDispatch({
type: ACTIONS.SET_PRESENTATION_IS_OPEN,
value: false,
});
}
}
handleOnReady() {
const { hasPlayedBefore, playerIsReady } = this;
if (hasPlayedBefore || playerIsReady) {
return;
}
this.playerIsReady = true;
this.autoPlayTimeout = setTimeout(
this.autoPlayBlockDetected,
AUTO_PLAY_BLOCK_DETECTION_TIMEOUT_SECONDS * 1000,
);
}
handleFirstPlay() {
const { isPresenter } = this.props;
const { hasPlayedBefore } = this;
if (!hasPlayedBefore) {
this.hasPlayedBefore = true;
this.setState({ autoPlayBlocked: false });
clearTimeout(this.autoPlayTimeout);
if (isPresenter) {
this.sendSyncMessage('presenterReady');
}
}
}
handleOnPlay() {
const { isPresenter } = this.props;
const { playing } = this.state;
const curTime = this.getCurrentTime();
if (isPresenter && !playing) {
this.sendSyncMessage('play', { time: curTime });
}
this.setState({ playing: true });
this.handleFirstPlay();
if (!isPresenter && !playing) {
this.setState({ playing: false });
}
}
handleOnPause() {
const { isPresenter } = this.props;
const { playing } = this.state;
const curTime = this.getCurrentTime();
if (isPresenter && playing) {
this.sendSyncMessage('stop', { time: curTime });
}
this.setState({ playing: false });
this.handleFirstPlay();
if (!isPresenter && playing) {
this.setState({ playing: true });
}
}
handleOnProgress() {
const volume = this.getCurrentVolume();
const muted = this.getMuted();
this.setState({ volume, muted });
}
handleVolumeChanged(volume) {
this.setState({ volume });
}
handleOnMuted(muted) {
this.setState({ muted });
}
handleReload() {
const { key } = this.state;
// increment key and force a re-render of the video component
this.setState({ key: key + 1 });
}
onBeforeUnload() {
const { isPresenter } = this.props;
if (isPresenter) {
this.sendSyncMessage('stop');
}
}
static getDerivedStateFromProps(props) {
const { inEchoTest } = props;
return { mutedByEchoTest: inEchoTest };
}
getCurrentTime() {
if (this.player && this.player.getCurrentTime) {
return Math.round(this.player.getCurrentTime());
}
return 0;
}
2019-09-11 02:04:42 +08:00
getCurrentPlaybackRate() {
const intPlayer = this.player && this.player.getInternalPlayer();
const rate = (intPlayer && intPlayer.getPlaybackRate && intPlayer.getPlaybackRate());
2019-09-11 02:04:42 +08:00
return typeof (rate) === 'number' ? rate : 1;
2019-09-11 02:04:42 +08:00
}
setPlaybackRate(rate) {
const intPlayer = this.player && this.player.getInternalPlayer();
const currentRate = this.getCurrentPlaybackRate();
if (currentRate === rate) {
return;
}
this.setState({ playbackRate: rate });
if (intPlayer && intPlayer.setPlaybackRate) {
intPlayer.setPlaybackRate(rate);
}
}
getCurrentVolume() {
const { volume } = this.state;
const intPlayer = this.player && this.player.getInternalPlayer();
2021-06-17 00:05:42 +08:00
return (intPlayer && intPlayer.getVolume && intPlayer.getVolume() / 100.0) || volume;
}
getMuted() {
const { muted } = this.state;
const intPlayer = this.player && this.player.getInternalPlayer();
return (intPlayer && intPlayer.isMuted && intPlayer.isMuted()) || muted;
}
autoPlayBlockDetected() {
this.setState({ autoPlayBlocked: true });
}
sendSyncMessage(msg, params) {
const timestamp = Date.now();
// If message is just a quick pause/un-pause just send nothing
const sinceLastMessage = (timestamp - this.lastMessageTimestamp) / 1000;
if ((
(msg === 'play' && this.lastMessage === 'stop')
|| (msg === 'stop' && this.lastMessage === 'play'))
&& sinceLastMessage < THROTTLE_INTERVAL_SECONDS) {
return clearTimeout(this.throttleTimeout);
}
// Ignore repeat presenter ready messages
if (this.lastMessage === msg && msg === 'presenterReady') {
logger.debug('Ignoring a repeated presenterReady message');
} else {
// Play/pause messages are sent with a delay, to permit cancelling it in case of
// quick sucessive play/pauses
const messageDelay = (msg === 'play' || msg === 'stop') ? THROTTLE_INTERVAL_SECONDS : 0;
this.throttleTimeout = setTimeout(() => {
sendMessage(msg, { ...params });
}, messageDelay * 1000);
this.lastMessage = msg;
this.lastMessageTimestamp = timestamp;
}
2021-08-09 22:24:02 +08:00
return true;
}
registerVideoListeners() {
const { isPresenter } = this.props;
if (isPresenter) {
this.syncInterval = setInterval(() => {
const { playing } = this.state;
const curTime = this.getCurrentTime();
const rate = this.getCurrentPlaybackRate();
// Always pause video if presenter is has not started sharing, e.g., blocked by autoplay
const playingState = this.hasPlayedBefore ? playing : false;
this.sendSyncMessage('playerUpdate', { rate, time: curTime, state: playingState });
}, SYNC_INTERVAL_SECONDS * 1000);
} else {
2020-05-19 00:16:03 +08:00
onMessage('play', ({ time }) => {
const { hasPlayedBefore, player } = this;
if (!player || !hasPlayedBefore) {
2019-07-13 04:08:55 +08:00
return;
}
2020-05-19 00:16:03 +08:00
this.seekTo(time);
2019-09-11 02:04:42 +08:00
this.setState({ playing: true });
2019-07-13 04:08:55 +08:00
logger.debug({ logCode: 'external_video_client_play' }, 'Play external video');
});
2020-05-19 00:16:03 +08:00
onMessage('stop', ({ time }) => {
const { hasPlayedBefore, player } = this;
if (!player || !hasPlayedBefore) {
2019-07-13 04:08:55 +08:00
return;
}
2020-05-19 00:16:03 +08:00
this.seekTo(time);
2019-09-11 02:04:42 +08:00
this.setState({ playing: false });
2019-07-13 04:08:55 +08:00
logger.debug({ logCode: 'external_video_client_stop' }, 'Stop external video');
});
onMessage('presenterReady', () => {
const { hasPlayedBefore } = this;
logger.debug({ logCode: 'external_video_presenter_ready' }, 'Presenter is ready to sync');
if (!hasPlayedBefore) {
this.setState({ playing: true });
}
});
onMessage('playerUpdate', (data) => {
const { hasPlayedBefore, player } = this;
const { playing } = this.state;
2020-05-19 00:16:03 +08:00
const { time, rate, state } = data;
if (!player || !hasPlayedBefore) {
return;
}
if (rate !== this.getCurrentPlaybackRate()) {
this.setPlaybackRate(rate);
logger.debug({
logCode: 'external_video_client_update_rate',
extraInfo: {
newRate: rate,
},
2019-07-03 00:54:10 +08:00
}, 'Change external video playback rate.');
}
2020-05-19 00:16:03 +08:00
this.seekTo(time);
const playingState = getPlayingState(state);
if (playing !== playingState) {
this.setState({ playing: playingState });
}
});
}
}
2020-05-19 00:16:03 +08:00
seekTo(time) {
const { player } = this;
if (!player) {
return logger.error('No player on seek');
}
// Seek if viewer has drifted too far away from presenter
if (Math.abs(this.getCurrentTime() - time) > SYNC_INTERVAL_SECONDS * 0.75) {
2020-05-19 00:16:03 +08:00
player.seekTo(time, true);
logger.debug({
logCode: 'external_video_client_update_seek',
extraInfo: { time },
}, `Seek external video to: ${time}`);
}
2021-08-09 22:24:02 +08:00
return true;
}
renderFullscreenButton() {
const { intl, fullscreenElementId, fullscreenContext } = this.props;
if (!ALLOW_FULLSCREEN) return null;
return (
<FullscreenButtonContainer
key={_.uniqueId('fullscreenButton-')}
elementName={intl.formatMessage(intlMessages.fullscreenLabel)}
fullscreenRef={this.playerParent}
elementId={fullscreenElementId}
isFullscreen={fullscreenContext}
dark
/>
);
}
render() {
const {
videoUrl,
isPresenter,
intl,
top,
left,
2021-08-11 00:45:06 +08:00
right,
height,
width,
fullscreenContext,
2021-08-13 21:47:19 +08:00
isResizing,
} = this.props;
const {
playing, playbackRate, mutedByEchoTest, autoPlayBlocked,
volume, muted, key, showHoverToolBar,
} = this.state;
// This looks weird, but I need to get this nested player
const playerName = this.player && this.player.player
&& this.player.player.player && this.player.player.player.constructor.name;
let toolbarStyle = 'hoverToolbar';
if (this.isMobile && !showHoverToolBar) {
toolbarStyle = 'dontShowMobileHoverToolbar';
}
if (this.isMobile && showHoverToolBar) {
toolbarStyle = 'showMobileHoverToolbar';
}
return (
<span
style={{
position: 'absolute',
top,
left,
2021-08-11 00:45:06 +08:00
right,
height,
width,
2021-08-13 21:47:19 +08:00
pointerEvents: isResizing ? 'none' : 'inherit',
}}
>
<Styled.VideoPlayerWrapper
id="video-player"
data-test="videoPlayer"
2021-12-10 22:55:37 +08:00
fullscreen={fullscreenContext}
ref={(ref) => { this.playerParent = ref; }}
>
{
autoPlayBlocked
? (
<Styled.AutoPlayWarning>
{intl.formatMessage(intlMessages.autoPlayWarning)}
</Styled.AutoPlayWarning>
)
: ''
}
<Styled.VideoPlayer
url={videoUrl}
config={this.opts}
volume={(muted || mutedByEchoTest) ? 0 : volume}
muted={muted || mutedByEchoTest}
playing={playing}
playbackRate={playbackRate}
onProgress={this.handleOnProgress}
onReady={this.handleOnReady}
onPlay={this.handleOnPlay}
onPause={this.handleOnPause}
controls={isPresenter}
key={`react-player${key}`}
ref={(ref) => { this.player = ref; }}
height="100%"
width="100%"
/>
{
!isPresenter
? [
(
<Styled.HoverToolbar
toolbarStyle={toolbarStyle}
key="hover-toolbar-external-video"
>
<VolumeSlider
hideVolume={this.hideVolume[playerName]}
volume={volume}
muted={muted || mutedByEchoTest}
onMuted={this.handleOnMuted}
onVolumeChanged={this.handleVolumeChanged}
/>
2021-08-06 04:40:30 +08:00
<ReloadButton
handleReload={this.handleReload}
2021-08-09 22:24:02 +08:00
label={intl.formatMessage(intlMessages.refreshLabel)}
/>
{this.renderFullscreenButton()}
2021-12-10 22:55:37 +08:00
</Styled.HoverToolbar>
),
2021-08-06 20:28:42 +08:00
(this.isMobile && playing) && (
<Styled.MobileControlsOverlay
2021-08-06 20:28:42 +08:00
key="mobile-overlay-external-video"
ref={(ref) => { this.overlay = ref; }}
onTouchStart={() => {
clearTimeout(this.mobileHoverSetTimeout);
this.setState({ showHoverToolBar: true });
}}
onTouchEnd={() => {
this.mobileHoverSetTimeout = setTimeout(
() => this.setState({ showHoverToolBar: false }),
5000,
);
}}
/>
),
]
: null
}
</Styled.VideoPlayerWrapper>
</span>
);
}
}
VideoPlayer.propTypes = {
intl: PropTypes.shape({
formatMessage: PropTypes.func.isRequired,
}).isRequired,
fullscreenElementId: PropTypes.string.isRequired,
fullscreenContext: PropTypes.bool.isRequired,
};
export default injectIntl(injectWbResizeEvent(VideoPlayer));