Source: ui/ui.js

  1. /*! @license
  2. * Shaka Player
  3. * Copyright 2016 Google LLC
  4. * SPDX-License-Identifier: Apache-2.0
  5. */
  6. goog.provide('shaka.ui.Overlay');
  7. goog.provide('shaka.ui.Overlay.FailReasonCode');
  8. goog.provide('shaka.ui.Overlay.TrackLabelFormat');
  9. goog.require('goog.asserts');
  10. goog.require('shaka.Player');
  11. goog.require('shaka.log');
  12. goog.require('shaka.polyfill');
  13. goog.require('shaka.ui.Controls');
  14. goog.require('shaka.util.ConfigUtils');
  15. goog.require('shaka.util.Dom');
  16. goog.require('shaka.util.FakeEvent');
  17. goog.require('shaka.util.IDestroyable');
  18. goog.require('shaka.util.Platform');
  19. /**
  20. * @implements {shaka.util.IDestroyable}
  21. * @export
  22. */
  23. shaka.ui.Overlay = class {
  24. /**
  25. * @param {!shaka.Player} player
  26. * @param {!HTMLElement} videoContainer
  27. * @param {!HTMLMediaElement} video
  28. * @param {?HTMLCanvasElement=} vrCanvas
  29. */
  30. constructor(player, videoContainer, video, vrCanvas = null) {
  31. /** @private {shaka.Player} */
  32. this.player_ = player;
  33. /** @private {HTMLElement} */
  34. this.videoContainer_ = videoContainer;
  35. /** @private {!shaka.extern.UIConfiguration} */
  36. this.config_ = this.defaultConfig_();
  37. // Get and configure cast app id.
  38. let castAppId = '';
  39. // Get and configure cast Android Receiver Compatibility
  40. let castAndroidReceiverCompatible = false;
  41. // Cast receiver id can be specified on either container or video.
  42. // It should not be provided on both. If it was, we will use the last
  43. // one we saw.
  44. if (videoContainer['dataset'] &&
  45. videoContainer['dataset']['shakaPlayerCastReceiverId']) {
  46. const dataSet = videoContainer['dataset'];
  47. castAppId = dataSet['shakaPlayerCastReceiverId'];
  48. castAndroidReceiverCompatible =
  49. dataSet['shakaPlayerCastAndroidReceiverCompatible'] === 'true';
  50. } else if (video['dataset'] &&
  51. video['dataset']['shakaPlayerCastReceiverId']) {
  52. const dataSet = video['dataset'];
  53. castAppId = dataSet['shakaPlayerCastReceiverId'];
  54. castAndroidReceiverCompatible =
  55. dataSet['shakaPlayerCastAndroidReceiverCompatible'] === 'true';
  56. }
  57. if (castAppId.length) {
  58. this.config_.castReceiverAppId = castAppId;
  59. this.config_.castAndroidReceiverCompatible =
  60. castAndroidReceiverCompatible;
  61. }
  62. // Make sure this container is discoverable and that the UI can be reached
  63. // through it.
  64. videoContainer['dataset']['shakaPlayerContainer'] = '';
  65. videoContainer['ui'] = this;
  66. // Tag the container for mobile platforms, to allow different styles.
  67. if (this.isMobile()) {
  68. videoContainer.classList.add('shaka-mobile');
  69. }
  70. /** @private {shaka.ui.Controls} */
  71. this.controls_ = new shaka.ui.Controls(
  72. player, videoContainer, video, vrCanvas, this.config_);
  73. // If the browser's native controls are disabled, use UI TextDisplayer.
  74. if (!video.controls) {
  75. player.setVideoContainer(videoContainer);
  76. }
  77. videoContainer['ui'] = this;
  78. video['ui'] = this;
  79. }
  80. /**
  81. * @override
  82. * @export
  83. */
  84. async destroy() {
  85. if (this.controls_) {
  86. await this.controls_.destroy();
  87. }
  88. this.controls_ = null;
  89. if (this.player_) {
  90. await this.player_.destroy();
  91. }
  92. this.player_ = null;
  93. }
  94. /**
  95. * Detects if this is a mobile platform, in case you want to choose a
  96. * different UI configuration on mobile devices.
  97. *
  98. * @return {boolean}
  99. * @export
  100. */
  101. isMobile() {
  102. return shaka.util.Platform.isMobile();
  103. }
  104. /**
  105. * @return {!shaka.extern.UIConfiguration}
  106. * @export
  107. */
  108. getConfiguration() {
  109. const ret = this.defaultConfig_();
  110. shaka.util.ConfigUtils.mergeConfigObjects(
  111. ret, this.config_, this.defaultConfig_(),
  112. /* overrides= */ {}, /* path= */ '');
  113. return ret;
  114. }
  115. /**
  116. * @param {string|!Object} config This should either be a field name or an
  117. * object following the form of {@link shaka.extern.UIConfiguration}, where
  118. * you may omit any field you do not wish to change.
  119. * @param {*=} value This should be provided if the previous parameter
  120. * was a string field name.
  121. * @export
  122. */
  123. configure(config, value) {
  124. goog.asserts.assert(typeof(config) == 'object' || arguments.length == 2,
  125. 'String configs should have values!');
  126. // ('fieldName', value) format
  127. if (arguments.length == 2 && typeof(config) == 'string') {
  128. config = shaka.util.ConfigUtils.convertToConfigObject(config, value);
  129. }
  130. goog.asserts.assert(typeof(config) == 'object', 'Should be an object!');
  131. const newConfig = /** @type {!shaka.extern.UIConfiguration} */(
  132. Object.assign({}, this.config_));
  133. shaka.util.ConfigUtils.mergeConfigObjects(
  134. newConfig, config, this.defaultConfig_(),
  135. /* overrides= */ {}, /* path= */ '');
  136. // If a cast receiver app id has been given, add a cast button to the UI
  137. if (newConfig.castReceiverAppId &&
  138. !newConfig.overflowMenuButtons.includes('cast')) {
  139. newConfig.overflowMenuButtons.push('cast');
  140. }
  141. goog.asserts.assert(this.player_ != null, 'Should have a player!');
  142. const diff = shaka.util.ConfigUtils.getDifferenceFromConfigObjects(
  143. newConfig, this.config_);
  144. if (!Object.keys(diff).length) {
  145. // No changes
  146. return;
  147. }
  148. this.config_ = newConfig;
  149. this.controls_.configure(this.config_);
  150. this.controls_.dispatchEvent(new shaka.util.FakeEvent('uiupdated'));
  151. }
  152. /**
  153. * @return {shaka.ui.Controls}
  154. * @export
  155. */
  156. getControls() {
  157. return this.controls_;
  158. }
  159. /**
  160. * Enable or disable the custom controls.
  161. *
  162. * @param {boolean} enabled
  163. * @export
  164. */
  165. setEnabled(enabled) {
  166. this.controls_.setEnabledShakaControls(enabled);
  167. }
  168. /**
  169. * @return {!shaka.extern.UIConfiguration}
  170. * @private
  171. */
  172. defaultConfig_() {
  173. const config = {
  174. controlPanelElements: [
  175. 'play_pause',
  176. 'time_and_duration',
  177. 'spacer',
  178. 'mute',
  179. 'volume',
  180. 'fullscreen',
  181. 'overflow_menu',
  182. ],
  183. overflowMenuButtons: [
  184. 'captions',
  185. 'quality',
  186. 'language',
  187. 'chapter',
  188. 'picture_in_picture',
  189. 'cast',
  190. 'playback_rate',
  191. 'recenter_vr',
  192. 'toggle_stereoscopic',
  193. ],
  194. statisticsList: [
  195. 'width',
  196. 'height',
  197. 'corruptedFrames',
  198. 'decodedFrames',
  199. 'droppedFrames',
  200. 'drmTimeSeconds',
  201. 'licenseTime',
  202. 'liveLatency',
  203. 'loadLatency',
  204. 'bufferingTime',
  205. 'manifestTimeSeconds',
  206. 'estimatedBandwidth',
  207. 'streamBandwidth',
  208. 'maxSegmentDuration',
  209. 'pauseTime',
  210. 'playTime',
  211. 'completionPercent',
  212. 'manifestSizeBytes',
  213. 'bytesDownloaded',
  214. 'nonFatalErrorCount',
  215. 'manifestPeriodCount',
  216. 'manifestGapCount',
  217. ],
  218. adStatisticsList: [
  219. 'loadTimes',
  220. 'averageLoadTime',
  221. 'started',
  222. 'playedCompletely',
  223. 'skipped',
  224. 'errors',
  225. ],
  226. contextMenuElements: [
  227. 'loop',
  228. 'picture_in_picture',
  229. 'save_video_frame',
  230. 'statistics',
  231. 'ad_statistics',
  232. ],
  233. playbackRates: [0.5, 0.75, 1, 1.25, 1.5, 1.75, 2],
  234. fastForwardRates: [2, 4, 8, 1],
  235. rewindRates: [-1, -2, -4, -8],
  236. addSeekBar: true,
  237. addBigPlayButton: false,
  238. customContextMenu: false,
  239. castReceiverAppId: '',
  240. castAndroidReceiverCompatible: false,
  241. clearBufferOnQualityChange: true,
  242. showUnbufferedStart: false,
  243. seekBarColors: {
  244. base: 'rgba(255, 255, 255, 0.3)',
  245. buffered: 'rgba(255, 255, 255, 0.54)',
  246. played: 'rgb(255, 255, 255)',
  247. adBreaks: 'rgb(255, 204, 0)',
  248. },
  249. volumeBarColors: {
  250. base: 'rgba(255, 255, 255, 0.54)',
  251. level: 'rgb(255, 255, 255)',
  252. },
  253. trackLabelFormat: shaka.ui.Overlay.TrackLabelFormat.LANGUAGE,
  254. textTrackLabelFormat: shaka.ui.Overlay.TrackLabelFormat.LANGUAGE,
  255. fadeDelay: 0,
  256. doubleClickForFullscreen: true,
  257. singleClickForPlayAndPause: true,
  258. enableKeyboardPlaybackControls: true,
  259. enableFullscreenOnRotation: true,
  260. forceLandscapeOnFullscreen: true,
  261. enableTooltips: false,
  262. keyboardSeekDistance: 5,
  263. keyboardLargeSeekDistance: 60,
  264. fullScreenElement: this.videoContainer_,
  265. preferDocumentPictureInPicture: true,
  266. showAudioChannelCountVariants: true,
  267. seekOnTaps: navigator.maxTouchPoints > 0,
  268. tapSeekDistance: 10,
  269. refreshTickInSeconds: 0.125,
  270. displayInVrMode: false,
  271. defaultVrProjectionMode: 'equirectangular',
  272. setupMediaSession: true,
  273. preferVideoFullScreenInVisionOS: false,
  274. };
  275. // eslint-disable-next-line no-restricted-syntax
  276. if ('remote' in HTMLMediaElement.prototype) {
  277. config.overflowMenuButtons.push('remote');
  278. } else if (window.WebKitPlaybackTargetAvailabilityEvent) {
  279. config.overflowMenuButtons.push('airplay');
  280. }
  281. // On mobile, by default, hide the volume slide and the small play/pause
  282. // button and show the big play/pause button in the center.
  283. // This is in line with default styles in Chrome.
  284. if (this.isMobile()) {
  285. config.addBigPlayButton = true;
  286. config.controlPanelElements = config.controlPanelElements.filter(
  287. (name) => name != 'play_pause' && name != 'volume');
  288. }
  289. // Set this button here to push it at the end.
  290. config.overflowMenuButtons.push('save_video_frame');
  291. return config;
  292. }
  293. /**
  294. * @private
  295. */
  296. static async scanPageForShakaElements_() {
  297. // Install built-in polyfills to patch browser incompatibilities.
  298. shaka.polyfill.installAll();
  299. // Check to see if the browser supports the basic APIs Shaka needs.
  300. if (!shaka.Player.isBrowserSupported()) {
  301. shaka.log.error('Shaka Player does not support this browser. ' +
  302. 'Please see https://tinyurl.com/y7s4j9tr for the list of ' +
  303. 'supported browsers.');
  304. // After scanning the page for elements, fire a special "loaded" event for
  305. // when the load fails. This will allow the page to react to the failure.
  306. shaka.ui.Overlay.dispatchLoadedEvent_('shaka-ui-load-failed',
  307. shaka.ui.Overlay.FailReasonCode.NO_BROWSER_SUPPORT);
  308. return;
  309. }
  310. // Look for elements marked 'data-shaka-player-container'
  311. // on the page. These will be used to create our default
  312. // UI.
  313. const containers = document.querySelectorAll(
  314. '[data-shaka-player-container]');
  315. // Look for elements marked 'data-shaka-player'. They will
  316. // either be used in our default UI or with native browser
  317. // controls.
  318. const videos = document.querySelectorAll(
  319. '[data-shaka-player]');
  320. // Look for elements marked 'data-shaka-player-canvas'
  321. // on the page. These will be used to create our default
  322. // UI.
  323. const canvases = document.querySelectorAll(
  324. '[data-shaka-player-canvas]');
  325. // Look for elements marked 'data-shaka-player-vr-canvas'
  326. // on the page. These will be used to create our default
  327. // UI.
  328. const vrCanvases = document.querySelectorAll(
  329. '[data-shaka-player-vr-canvas]');
  330. if (!videos.length && !containers.length) {
  331. // No elements have been tagged with shaka attributes.
  332. } else if (videos.length && !containers.length) {
  333. // Just the video elements were provided.
  334. for (const video of videos) {
  335. // If the app has already manually created a UI for this element,
  336. // don't create another one.
  337. if (video['ui']) {
  338. continue;
  339. }
  340. goog.asserts.assert(video.tagName.toLowerCase() == 'video',
  341. 'Should be a video element!');
  342. const container = document.createElement('div');
  343. const videoParent = video.parentElement;
  344. videoParent.replaceChild(container, video);
  345. container.appendChild(video);
  346. const {lcevcCanvas, vrCanvas} =
  347. shaka.ui.Overlay.findOrMakeSpecialCanvases_(
  348. container, canvases, vrCanvases);
  349. shaka.ui.Overlay.setupUIandAutoLoad_(
  350. container, video, lcevcCanvas, vrCanvas);
  351. }
  352. } else {
  353. for (const container of containers) {
  354. // If the app has already manually created a UI for this element,
  355. // don't create another one.
  356. if (container['ui']) {
  357. continue;
  358. }
  359. goog.asserts.assert(container.tagName.toLowerCase() == 'div',
  360. 'Container should be a div!');
  361. let currentVideo = null;
  362. for (const video of videos) {
  363. goog.asserts.assert(video.tagName.toLowerCase() == 'video',
  364. 'Should be a video element!');
  365. if (video.parentElement == container) {
  366. currentVideo = video;
  367. break;
  368. }
  369. }
  370. if (!currentVideo) {
  371. currentVideo = document.createElement('video');
  372. currentVideo.setAttribute('playsinline', '');
  373. container.appendChild(currentVideo);
  374. }
  375. const {lcevcCanvas, vrCanvas} =
  376. shaka.ui.Overlay.findOrMakeSpecialCanvases_(
  377. container, canvases, vrCanvases);
  378. try {
  379. // eslint-disable-next-line no-await-in-loop
  380. await shaka.ui.Overlay.setupUIandAutoLoad_(
  381. container, currentVideo, lcevcCanvas, vrCanvas);
  382. } catch (e) {
  383. // This can fail if, for example, not every player file has loaded.
  384. // Ad-block is a likely cause for this sort of failure.
  385. shaka.log.error('Error setting up Shaka Player', e);
  386. shaka.ui.Overlay.dispatchLoadedEvent_('shaka-ui-load-failed',
  387. shaka.ui.Overlay.FailReasonCode.PLAYER_FAILED_TO_LOAD);
  388. return;
  389. }
  390. }
  391. }
  392. // After scanning the page for elements, fire the "loaded" event. This will
  393. // let apps know they can use the UI library programmatically now, even if
  394. // they didn't have any Shaka-related elements declared in their HTML.
  395. shaka.ui.Overlay.dispatchLoadedEvent_('shaka-ui-loaded');
  396. }
  397. /**
  398. * @param {string} eventName
  399. * @param {shaka.ui.Overlay.FailReasonCode=} reasonCode
  400. * @private
  401. */
  402. static dispatchLoadedEvent_(eventName, reasonCode) {
  403. let detail = null;
  404. if (reasonCode != undefined) {
  405. detail = {
  406. 'reasonCode': reasonCode,
  407. };
  408. }
  409. const uiLoadedEvent = new CustomEvent(eventName, {detail});
  410. document.dispatchEvent(uiLoadedEvent);
  411. }
  412. /**
  413. * @param {!Element} container
  414. * @param {!Element} video
  415. * @param {!Element} lcevcCanvas
  416. * @param {!Element} vrCanvas
  417. * @private
  418. */
  419. static async setupUIandAutoLoad_(container, video, lcevcCanvas, vrCanvas) {
  420. // Create the UI
  421. const player = new shaka.Player();
  422. const ui = new shaka.ui.Overlay(player,
  423. shaka.util.Dom.asHTMLElement(container),
  424. shaka.util.Dom.asHTMLMediaElement(video),
  425. shaka.util.Dom.asHTMLCanvasElement(vrCanvas));
  426. // Attach Canvas used for LCEVC Decoding
  427. player.attachCanvas(/** @type {HTMLCanvasElement} */(lcevcCanvas));
  428. if (shaka.util.Dom.asHTMLMediaElement(video).controls) {
  429. ui.getControls().setEnabledNativeControls(true);
  430. }
  431. // Get the source and load it
  432. // Source can be specified either on the video element:
  433. // <video src='foo.m2u8'></video>
  434. // or as a separate element inside the video element:
  435. // <video>
  436. // <source src='foo.m2u8'/>
  437. // </video>
  438. // It should not be specified on both.
  439. const urls = [];
  440. const src = video.getAttribute('src');
  441. if (src) {
  442. urls.push(src);
  443. video.removeAttribute('src');
  444. }
  445. for (const source of video.getElementsByTagName('source')) {
  446. urls.push(/** @type {!HTMLSourceElement} */ (source).src);
  447. video.removeChild(source);
  448. }
  449. await player.attach(shaka.util.Dom.asHTMLMediaElement(video));
  450. for (const url of urls) {
  451. try { // eslint-disable-next-line no-await-in-loop
  452. await ui.getControls().getPlayer().load(url);
  453. break;
  454. } catch (e) {
  455. shaka.log.error('Error auto-loading asset', e);
  456. }
  457. }
  458. }
  459. /**
  460. * @param {!Element} container
  461. * @param {!NodeList.<!Element>} canvases
  462. * @param {!NodeList.<!Element>} vrCanvases
  463. * @return {{lcevcCanvas: !Element, vrCanvas: !Element}}
  464. * @private
  465. */
  466. static findOrMakeSpecialCanvases_(container, canvases, vrCanvases) {
  467. let lcevcCanvas = null;
  468. for (const canvas of canvases) {
  469. goog.asserts.assert(canvas.tagName.toLowerCase() == 'canvas',
  470. 'Should be a canvas element!');
  471. if (canvas.parentElement == container) {
  472. lcevcCanvas = canvas;
  473. break;
  474. }
  475. }
  476. if (!lcevcCanvas) {
  477. lcevcCanvas = document.createElement('canvas');
  478. lcevcCanvas.classList.add('shaka-canvas-container');
  479. container.appendChild(lcevcCanvas);
  480. }
  481. let vrCanvas = null;
  482. for (const canvas of vrCanvases) {
  483. goog.asserts.assert(canvas.tagName.toLowerCase() == 'canvas',
  484. 'Should be a canvas element!');
  485. if (canvas.parentElement == container) {
  486. vrCanvas = canvas;
  487. break;
  488. }
  489. }
  490. if (!vrCanvas) {
  491. vrCanvas = document.createElement('canvas');
  492. vrCanvas.classList.add('shaka-vr-canvas-container');
  493. container.appendChild(vrCanvas);
  494. }
  495. return {
  496. lcevcCanvas,
  497. vrCanvas,
  498. };
  499. }
  500. };
  501. /**
  502. * Describes what information should show up in labels for selecting audio
  503. * variants and text tracks.
  504. *
  505. * @enum {number}
  506. * @export
  507. */
  508. shaka.ui.Overlay.TrackLabelFormat = {
  509. 'LANGUAGE': 0,
  510. 'ROLE': 1,
  511. 'LANGUAGE_ROLE': 2,
  512. 'LABEL': 3,
  513. };
  514. /**
  515. * Describes the possible reasons that the UI might fail to load.
  516. *
  517. * @enum {number}
  518. * @export
  519. */
  520. shaka.ui.Overlay.FailReasonCode = {
  521. 'NO_BROWSER_SUPPORT': 0,
  522. 'PLAYER_FAILED_TO_LOAD': 1,
  523. };
  524. if (document.readyState == 'complete') {
  525. // Don't fire this event synchronously. In a compiled bundle, the "shaka"
  526. // namespace might not be exported to the window until after this point.
  527. (async () => {
  528. await Promise.resolve();
  529. shaka.ui.Overlay.scanPageForShakaElements_();
  530. })();
  531. } else {
  532. window.addEventListener('load', shaka.ui.Overlay.scanPageForShakaElements_);
  533. }