Source: ui/controls.js

  1. /*! @license
  2. * Shaka Player
  3. * Copyright 2016 Google LLC
  4. * SPDX-License-Identifier: Apache-2.0
  5. */
  6. goog.provide('shaka.ui.Controls');
  7. goog.provide('shaka.ui.ControlsPanel');
  8. goog.require('goog.asserts');
  9. goog.require('shaka.ads.Utils');
  10. goog.require('shaka.cast.CastProxy');
  11. goog.require('shaka.log');
  12. goog.require('shaka.ui.AdCounter');
  13. goog.require('shaka.ui.AdPosition');
  14. goog.require('shaka.ui.BigPlayButton');
  15. goog.require('shaka.ui.ContextMenu');
  16. goog.require('shaka.ui.HiddenFastForwardButton');
  17. goog.require('shaka.ui.HiddenRewindButton');
  18. goog.require('shaka.ui.Locales');
  19. goog.require('shaka.ui.Localization');
  20. goog.require('shaka.ui.SeekBar');
  21. goog.require('shaka.ui.SkipAdButton');
  22. goog.require('shaka.ui.Utils');
  23. goog.require('shaka.ui.VRManager');
  24. goog.require('shaka.util.Dom');
  25. goog.require('shaka.util.EventManager');
  26. goog.require('shaka.util.FakeEvent');
  27. goog.require('shaka.util.FakeEventTarget');
  28. goog.require('shaka.util.IDestroyable');
  29. goog.require('shaka.util.Platform');
  30. goog.require('shaka.util.Timer');
  31. goog.requireType('shaka.Player');
  32. /**
  33. * A container for custom video controls.
  34. * @implements {shaka.util.IDestroyable}
  35. * @export
  36. */
  37. shaka.ui.Controls = class extends shaka.util.FakeEventTarget {
  38. /**
  39. * @param {!shaka.Player} player
  40. * @param {!HTMLElement} videoContainer
  41. * @param {!HTMLMediaElement} video
  42. * @param {?HTMLCanvasElement} vrCanvas
  43. * @param {shaka.extern.UIConfiguration} config
  44. */
  45. constructor(player, videoContainer, video, vrCanvas, config) {
  46. super();
  47. /** @private {boolean} */
  48. this.enabled_ = true;
  49. /** @private {shaka.extern.UIConfiguration} */
  50. this.config_ = config;
  51. /** @private {shaka.cast.CastProxy} */
  52. this.castProxy_ = new shaka.cast.CastProxy(
  53. video, player, this.config_.castReceiverAppId,
  54. this.config_.castAndroidReceiverCompatible);
  55. /** @private {boolean} */
  56. this.castAllowed_ = true;
  57. /** @private {HTMLMediaElement} */
  58. this.video_ = this.castProxy_.getVideo();
  59. /** @private {HTMLMediaElement} */
  60. this.localVideo_ = video;
  61. /** @private {shaka.Player} */
  62. this.player_ = this.castProxy_.getPlayer();
  63. /** @private {shaka.Player} */
  64. this.localPlayer_ = player;
  65. /** @private {!HTMLElement} */
  66. this.videoContainer_ = videoContainer;
  67. /** @private {?HTMLCanvasElement} */
  68. this.vrCanvas_ = vrCanvas;
  69. /** @private {shaka.extern.IAdManager} */
  70. this.adManager_ = this.player_.getAdManager();
  71. /** @private {?shaka.extern.IAd} */
  72. this.ad_ = null;
  73. /** @private {?shaka.extern.IUISeekBar} */
  74. this.seekBar_ = null;
  75. /** @private {boolean} */
  76. this.isSeeking_ = false;
  77. /** @private {!Array<!HTMLElement>} */
  78. this.menus_ = [];
  79. /**
  80. * Individual controls which, when hovered or tab-focused, will force the
  81. * controls to be shown.
  82. * @private {!Array<!Element>}
  83. */
  84. this.showOnHoverControls_ = [];
  85. /** @private {boolean} */
  86. this.recentMouseMovement_ = false;
  87. /**
  88. * This timer is used to detect when the user has stopped moving the mouse
  89. * and we should fade out the ui.
  90. *
  91. * @private {shaka.util.Timer}
  92. */
  93. this.mouseStillTimer_ = new shaka.util.Timer(() => {
  94. this.onMouseStill_();
  95. });
  96. /**
  97. * This timer is used to delay the fading of the UI.
  98. *
  99. * @private {shaka.util.Timer}
  100. */
  101. this.fadeControlsTimer_ = new shaka.util.Timer(() => {
  102. this.controlsContainer_.removeAttribute('shown');
  103. // If there's an overflow menu open, keep it this way for a couple of
  104. // seconds in case a user immediately initiates another mouse move to
  105. // interact with the menus. If that didn't happen, go ahead and hide
  106. // the menus.
  107. this.hideSettingsMenusTimer_.tickAfter(/* seconds= */ 2);
  108. });
  109. /**
  110. * This timer will be used to hide all settings menus. When the timer ticks
  111. * it will force all controls to invisible.
  112. *
  113. * Rather than calling the callback directly, |Controls| will always call it
  114. * through the timer to avoid conflicts.
  115. *
  116. * @private {shaka.util.Timer}
  117. */
  118. this.hideSettingsMenusTimer_ = new shaka.util.Timer(() => {
  119. for (const menu of this.menus_) {
  120. shaka.ui.Utils.setDisplay(menu, /* visible= */ false);
  121. }
  122. });
  123. /**
  124. * This timer is used to regularly update the time and seek range elements
  125. * so that we are communicating the current state as accurately as possibly.
  126. *
  127. * Unlike the other timers, this timer does not "own" the callback because
  128. * this timer is acting like a heartbeat.
  129. *
  130. * @private {shaka.util.Timer}
  131. */
  132. this.timeAndSeekRangeTimer_ = new shaka.util.Timer(() => {
  133. // Suppress timer-based updates if the controls are hidden.
  134. if (this.isOpaque()) {
  135. this.updateTimeAndSeekRange_();
  136. }
  137. });
  138. /** @private {?number} */
  139. this.lastTouchEventTime_ = null;
  140. /** @private {!Array<!shaka.extern.IUIElement>} */
  141. this.elements_ = [];
  142. /** @private {shaka.ui.Localization} */
  143. this.localization_ = shaka.ui.Controls.createLocalization_();
  144. /** @private {shaka.util.EventManager} */
  145. this.eventManager_ = new shaka.util.EventManager();
  146. /** @private {?shaka.ui.VRManager} */
  147. this.vr_ = null;
  148. // Configure and create the layout of the controls
  149. this.configure(this.config_);
  150. this.addEventListeners_();
  151. this.setupMediaSession_();
  152. /**
  153. * The pressed keys set is used to record which keys are currently pressed
  154. * down, so we can know what keys are pressed at the same time.
  155. * Used by the focusInsideOverflowMenu_() function.
  156. * @private {!Set<string>}
  157. */
  158. this.pressedKeys_ = new Set();
  159. // We might've missed a caststatuschanged event from the proxy between
  160. // the controls creation and initializing. Run onCastStatusChange_()
  161. // to ensure we have the casting state right.
  162. this.onCastStatusChange_();
  163. // Start this timer after we are finished initializing everything,
  164. this.timeAndSeekRangeTimer_.tickEvery(this.config_.refreshTickInSeconds);
  165. this.eventManager_.listen(this.localization_,
  166. shaka.ui.Localization.LOCALE_CHANGED, (e) => {
  167. const locale = e['locales'][0];
  168. this.adManager_.setLocale(locale);
  169. this.videoContainer_.setAttribute('lang', locale);
  170. });
  171. this.adManager_.initInterstitial(
  172. this.getClientSideAdContainer(), this.localPlayer_, this.localVideo_);
  173. }
  174. /**
  175. * @override
  176. * @export
  177. */
  178. async destroy() {
  179. if (document.pictureInPictureElement == this.localVideo_) {
  180. await document.exitPictureInPicture();
  181. }
  182. if (this.eventManager_) {
  183. this.eventManager_.release();
  184. this.eventManager_ = null;
  185. }
  186. if (this.mouseStillTimer_) {
  187. this.mouseStillTimer_.stop();
  188. this.mouseStillTimer_ = null;
  189. }
  190. if (this.fadeControlsTimer_) {
  191. this.fadeControlsTimer_.stop();
  192. this.fadeControlsTimer_ = null;
  193. }
  194. if (this.hideSettingsMenusTimer_) {
  195. this.hideSettingsMenusTimer_.stop();
  196. this.hideSettingsMenusTimer_ = null;
  197. }
  198. if (this.timeAndSeekRangeTimer_) {
  199. this.timeAndSeekRangeTimer_.stop();
  200. this.timeAndSeekRangeTimer_ = null;
  201. }
  202. if (this.vr_) {
  203. this.vr_.release();
  204. this.vr_ = null;
  205. }
  206. // Important! Release all child elements before destroying the cast proxy
  207. // or player. This makes sure those destructions will not trigger event
  208. // listeners in the UI which would then invoke the cast proxy or player.
  209. this.releaseChildElements_();
  210. if (this.controlsContainer_) {
  211. this.videoContainer_.removeChild(this.controlsContainer_);
  212. this.controlsContainer_ = null;
  213. }
  214. if (this.castProxy_) {
  215. await this.castProxy_.destroy();
  216. this.castProxy_ = null;
  217. }
  218. if (this.spinnerContainer_) {
  219. this.videoContainer_.removeChild(this.spinnerContainer_);
  220. this.spinnerContainer_ = null;
  221. }
  222. if (this.clientAdContainer_) {
  223. this.videoContainer_.removeChild(this.clientAdContainer_);
  224. this.clientAdContainer_ = null;
  225. }
  226. if (this.localPlayer_) {
  227. await this.localPlayer_.destroy();
  228. this.localPlayer_ = null;
  229. }
  230. this.player_ = null;
  231. this.localVideo_ = null;
  232. this.video_ = null;
  233. this.localization_ = null;
  234. this.pressedKeys_.clear();
  235. this.removeMediaSession_();
  236. // FakeEventTarget implements IReleasable
  237. super.release();
  238. }
  239. /** @private */
  240. releaseChildElements_() {
  241. for (const element of this.elements_) {
  242. element.release();
  243. }
  244. this.elements_ = [];
  245. }
  246. /**
  247. * @param {string} name
  248. * @param {!shaka.extern.IUIElement.Factory} factory
  249. * @export
  250. */
  251. static registerElement(name, factory) {
  252. shaka.ui.ControlsPanel.elementNamesToFactories_.set(name, factory);
  253. }
  254. /**
  255. * @param {!shaka.extern.IUISeekBar.Factory} factory
  256. * @export
  257. */
  258. static registerSeekBar(factory) {
  259. shaka.ui.ControlsPanel.seekBarFactory_ = factory;
  260. }
  261. /**
  262. * This allows the application to inhibit casting.
  263. *
  264. * @param {boolean} allow
  265. * @export
  266. */
  267. allowCast(allow) {
  268. this.castAllowed_ = allow;
  269. this.onCastStatusChange_();
  270. }
  271. /**
  272. * Used by the application to notify the controls that a load operation is
  273. * complete. This allows the controls to recalculate play/paused state, which
  274. * is important for platforms like Android where autoplay is disabled.
  275. * @export
  276. */
  277. loadComplete() {
  278. // If we are on Android or if autoplay is false, video.paused should be
  279. // true. Otherwise, video.paused is false and the content is autoplaying.
  280. this.onPlayStateChange_();
  281. }
  282. /**
  283. * @param {!shaka.extern.UIConfiguration} config
  284. * @export
  285. */
  286. configure(config) {
  287. this.config_ = config;
  288. this.castProxy_.changeReceiverId(config.castReceiverAppId,
  289. config.castAndroidReceiverCompatible);
  290. // Deconstruct the old layout if applicable
  291. if (this.seekBar_) {
  292. this.seekBar_ = null;
  293. }
  294. if (this.playButton_) {
  295. this.playButton_ = null;
  296. }
  297. if (this.contextMenu_) {
  298. this.contextMenu_ = null;
  299. }
  300. if (this.vr_) {
  301. this.vr_.configure(config);
  302. }
  303. if (this.controlsContainer_) {
  304. shaka.util.Dom.removeAllChildren(this.controlsContainer_);
  305. this.releaseChildElements_();
  306. } else {
  307. this.addControlsContainer_();
  308. // The client-side ad container is only created once, and is never
  309. // re-created or uprooted in the DOM, even when the DOM is re-created,
  310. // since that seemingly breaks the IMA SDK.
  311. this.addClientAdContainer_();
  312. goog.asserts.assert(
  313. this.controlsContainer_, 'Should have a controlsContainer_!');
  314. goog.asserts.assert(this.localVideo_, 'Should have a localVideo_!');
  315. goog.asserts.assert(this.player_, 'Should have a player_!');
  316. this.vr_ = new shaka.ui.VRManager(this.controlsContainer_, this.vrCanvas_,
  317. this.localVideo_, this.player_, this.config_);
  318. }
  319. // Create the new layout
  320. this.createDOM_();
  321. // Init the play state
  322. this.onPlayStateChange_();
  323. // Elements that should not propagate clicks (controls panel, menus)
  324. const noPropagationElements = this.videoContainer_.getElementsByClassName(
  325. 'shaka-no-propagation');
  326. for (const element of noPropagationElements) {
  327. const cb = (event) => event.stopPropagation();
  328. this.eventManager_.listen(element, 'click', cb);
  329. this.eventManager_.listen(element, 'dblclick', cb);
  330. }
  331. }
  332. /**
  333. * Enable or disable the custom controls. Enabling disables native
  334. * browser controls.
  335. *
  336. * @param {boolean} enabled
  337. * @export
  338. */
  339. setEnabledShakaControls(enabled) {
  340. this.enabled_ = enabled;
  341. if (enabled) {
  342. this.videoContainer_.setAttribute('shaka-controls', 'true');
  343. // If we're hiding native controls, make sure the video element itself is
  344. // not tab-navigable. Our custom controls will still be tab-navigable.
  345. this.localVideo_.tabIndex = -1;
  346. this.localVideo_.controls = false;
  347. } else {
  348. this.videoContainer_.removeAttribute('shaka-controls');
  349. }
  350. // The effects of play state changes are inhibited while showing native
  351. // browser controls. Recalculate that state now.
  352. this.onPlayStateChange_();
  353. }
  354. /**
  355. * Enable or disable native browser controls. Enabling disables shaka
  356. * controls.
  357. *
  358. * @param {boolean} enabled
  359. * @export
  360. */
  361. setEnabledNativeControls(enabled) {
  362. // If we enable the native controls, the element must be tab-navigable.
  363. // If we disable the native controls, we want to make sure that the video
  364. // element itself is not tab-navigable, so that the element is skipped over
  365. // when tabbing through the page.
  366. this.localVideo_.controls = enabled;
  367. this.localVideo_.tabIndex = enabled ? 0 : -1;
  368. if (enabled) {
  369. this.setEnabledShakaControls(false);
  370. }
  371. }
  372. /**
  373. * @export
  374. * @return {?shaka.extern.IAd}
  375. */
  376. getAd() {
  377. return this.ad_;
  378. }
  379. /**
  380. * @export
  381. * @return {shaka.cast.CastProxy}
  382. */
  383. getCastProxy() {
  384. return this.castProxy_;
  385. }
  386. /**
  387. * @return {shaka.ui.Localization}
  388. * @export
  389. */
  390. getLocalization() {
  391. return this.localization_;
  392. }
  393. /**
  394. * @return {!HTMLElement}
  395. * @export
  396. */
  397. getVideoContainer() {
  398. return this.videoContainer_;
  399. }
  400. /**
  401. * @return {HTMLMediaElement}
  402. * @export
  403. */
  404. getVideo() {
  405. return this.video_;
  406. }
  407. /**
  408. * @return {HTMLMediaElement}
  409. * @export
  410. */
  411. getLocalVideo() {
  412. return this.localVideo_;
  413. }
  414. /**
  415. * @return {shaka.Player}
  416. * @export
  417. */
  418. getPlayer() {
  419. return this.player_;
  420. }
  421. /**
  422. * @return {shaka.Player}
  423. * @export
  424. */
  425. getLocalPlayer() {
  426. return this.localPlayer_;
  427. }
  428. /**
  429. * @return {!HTMLElement}
  430. * @export
  431. */
  432. getControlsContainer() {
  433. goog.asserts.assert(
  434. this.controlsContainer_, 'No controls container after destruction!');
  435. return this.controlsContainer_;
  436. }
  437. /**
  438. * @return {!HTMLElement}
  439. * @export
  440. */
  441. getServerSideAdContainer() {
  442. return this.daiAdContainer_;
  443. }
  444. /**
  445. * @return {!HTMLElement}
  446. * @export
  447. */
  448. getClientSideAdContainer() {
  449. goog.asserts.assert(
  450. this.clientAdContainer_, 'No client ad container after destruction!');
  451. return this.clientAdContainer_;
  452. }
  453. /**
  454. * @return {!shaka.extern.UIConfiguration}
  455. * @export
  456. */
  457. getConfig() {
  458. return this.config_;
  459. }
  460. /**
  461. * @return {boolean}
  462. * @export
  463. */
  464. isSeeking() {
  465. return this.isSeeking_;
  466. }
  467. /**
  468. * @param {boolean} seeking
  469. * @export
  470. */
  471. setSeeking(seeking) {
  472. this.isSeeking_ = seeking;
  473. }
  474. /**
  475. * @return {boolean}
  476. * @export
  477. */
  478. isCastAllowed() {
  479. return this.castAllowed_;
  480. }
  481. /**
  482. * @return {number}
  483. * @export
  484. */
  485. getDisplayTime() {
  486. return this.seekBar_ ? this.seekBar_.getValue() : this.video_.currentTime;
  487. }
  488. /**
  489. * @param {?number} time
  490. * @export
  491. */
  492. setLastTouchEventTime(time) {
  493. this.lastTouchEventTime_ = time;
  494. }
  495. /**
  496. * @return {boolean}
  497. * @export
  498. */
  499. anySettingsMenusAreOpen() {
  500. return this.menus_.some(
  501. (menu) => !menu.classList.contains('shaka-hidden'));
  502. }
  503. /** @export */
  504. hideSettingsMenus() {
  505. this.hideSettingsMenusTimer_.tickNow();
  506. }
  507. /**
  508. * @return {boolean}
  509. * @private
  510. */
  511. shouldUseDocumentFullscreen_() {
  512. if (!document.fullscreenEnabled) {
  513. return false;
  514. }
  515. // When the preferVideoFullScreenInVisionOS configuration value applies,
  516. // we avoid using document fullscreen, even if it is available.
  517. const video = /** @type {HTMLVideoElement} */(this.localVideo_);
  518. if (video.webkitSupportsFullscreen) {
  519. if (this.config_.preferVideoFullScreenInVisionOS &&
  520. shaka.util.Platform.isVisionOS()) {
  521. return false;
  522. }
  523. }
  524. return true;
  525. }
  526. /**
  527. * @return {boolean}
  528. * @export
  529. */
  530. isFullScreenSupported() {
  531. if (this.shouldUseDocumentFullscreen_()) {
  532. return true;
  533. }
  534. if (!this.ad_ || !this.ad_.isUsingAnotherMediaElement()) {
  535. const video = /** @type {HTMLVideoElement} */(this.localVideo_);
  536. if (video.webkitSupportsFullscreen) {
  537. return true;
  538. }
  539. }
  540. return false;
  541. }
  542. /**
  543. * @return {boolean}
  544. * @export
  545. */
  546. isFullScreenEnabled() {
  547. if (this.shouldUseDocumentFullscreen_()) {
  548. return !!document.fullscreenElement;
  549. }
  550. const video = /** @type {HTMLVideoElement} */(this.localVideo_);
  551. if (video.webkitSupportsFullscreen) {
  552. return video.webkitDisplayingFullscreen;
  553. }
  554. return false;
  555. }
  556. /** @private */
  557. async enterFullScreen_() {
  558. try {
  559. if (this.shouldUseDocumentFullscreen_()) {
  560. if (document.pictureInPictureElement) {
  561. await document.exitPictureInPicture();
  562. }
  563. const fullScreenElement = this.config_.fullScreenElement;
  564. await fullScreenElement.requestFullscreen({navigationUI: 'hide'});
  565. if (this.config_.forceLandscapeOnFullscreen && screen.orientation) {
  566. // Locking to 'landscape' should let it be either
  567. // 'landscape-primary' or 'landscape-secondary' as appropriate.
  568. // We ignore errors from this specific call, since it creates noise
  569. // on desktop otherwise.
  570. try {
  571. await screen.orientation.lock('landscape');
  572. } catch (error) {}
  573. }
  574. } else {
  575. const video = /** @type {HTMLVideoElement} */(this.localVideo_);
  576. if (video.webkitSupportsFullscreen) {
  577. video.webkitEnterFullscreen();
  578. }
  579. }
  580. } catch (error) {
  581. // Entering fullscreen can fail without user interaction.
  582. this.dispatchEvent(new shaka.util.FakeEvent(
  583. 'error', (new Map()).set('detail', error)));
  584. }
  585. }
  586. /** @private */
  587. async exitFullScreen_() {
  588. if (this.shouldUseDocumentFullscreen_()) {
  589. if (screen.orientation) {
  590. screen.orientation.unlock();
  591. }
  592. await document.exitFullscreen();
  593. } else {
  594. const video = /** @type {HTMLVideoElement} */(this.localVideo_);
  595. if (video.webkitSupportsFullscreen) {
  596. video.webkitExitFullscreen();
  597. }
  598. }
  599. }
  600. /** @export */
  601. async toggleFullScreen() {
  602. if (this.isFullScreenEnabled()) {
  603. await this.exitFullScreen_();
  604. } else {
  605. await this.enterFullScreen_();
  606. }
  607. }
  608. /**
  609. * @return {boolean}
  610. * @export
  611. */
  612. isPiPAllowed() {
  613. if (this.castProxy_.isCasting()) {
  614. return false;
  615. }
  616. if ('documentPictureInPicture' in window &&
  617. this.config_.preferDocumentPictureInPicture) {
  618. const video = /** @type {HTMLVideoElement} */(this.localVideo_);
  619. return !video.disablePictureInPicture;
  620. }
  621. if (document.pictureInPictureEnabled) {
  622. const video = /** @type {HTMLVideoElement} */(this.localVideo_);
  623. return !video.disablePictureInPicture;
  624. }
  625. return false;
  626. }
  627. /**
  628. * @return {boolean}
  629. * @export
  630. */
  631. isPiPEnabled() {
  632. if ('documentPictureInPicture' in window &&
  633. this.config_.preferDocumentPictureInPicture) {
  634. return !!window.documentPictureInPicture.window;
  635. } else {
  636. return !!document.pictureInPictureElement;
  637. }
  638. }
  639. /** @export */
  640. async togglePiP() {
  641. try {
  642. if ('documentPictureInPicture' in window &&
  643. this.config_.preferDocumentPictureInPicture) {
  644. await this.toggleDocumentPictureInPicture_();
  645. } else if (!document.pictureInPictureElement) {
  646. // If you were fullscreen, leave fullscreen first.
  647. if (document.fullscreenElement) {
  648. document.exitFullscreen();
  649. }
  650. const video = /** @type {HTMLVideoElement} */(this.localVideo_);
  651. await video.requestPictureInPicture();
  652. } else {
  653. await document.exitPictureInPicture();
  654. }
  655. } catch (error) {
  656. this.dispatchEvent(new shaka.util.FakeEvent(
  657. 'error', (new Map()).set('detail', error)));
  658. }
  659. }
  660. /**
  661. * The Document Picture-in-Picture API makes it possible to open an
  662. * always-on-top window that can be populated with arbitrary HTML content.
  663. * https://developer.chrome.com/docs/web-platform/document-picture-in-picture
  664. * @private
  665. */
  666. async toggleDocumentPictureInPicture_() {
  667. // Close Picture-in-Picture window if any.
  668. if (window.documentPictureInPicture.window) {
  669. window.documentPictureInPicture.window.close();
  670. return;
  671. }
  672. // Open a Picture-in-Picture window.
  673. const pipPlayer = this.videoContainer_;
  674. const rectPipPlayer = pipPlayer.getBoundingClientRect();
  675. const pipWindow = await window.documentPictureInPicture.requestWindow({
  676. width: rectPipPlayer.width,
  677. height: rectPipPlayer.height,
  678. });
  679. // Copy style sheets to the Picture-in-Picture window.
  680. this.copyStyleSheetsToWindow_(pipWindow);
  681. // Add placeholder for the player.
  682. const parentPlayer = pipPlayer.parentNode || document.body;
  683. const placeholder = this.videoContainer_.cloneNode(true);
  684. placeholder.style.visibility = 'hidden';
  685. placeholder.style.height = getComputedStyle(pipPlayer).height;
  686. parentPlayer.appendChild(placeholder);
  687. // Make sure player fits in the Picture-in-Picture window.
  688. const styles = document.createElement('style');
  689. styles.append(`[data-shaka-player-container] {
  690. width: 100% !important; max-height: 100%}`);
  691. pipWindow.document.head.append(styles);
  692. // Move player to the Picture-in-Picture window.
  693. pipWindow.document.body.append(pipPlayer);
  694. // Listen for the PiP closing event to move the player back.
  695. this.eventManager_.listenOnce(pipWindow, 'pagehide', () => {
  696. placeholder.replaceWith(/** @type {!Node} */(pipPlayer));
  697. });
  698. }
  699. /** @private */
  700. copyStyleSheetsToWindow_(win) {
  701. const styleSheets = /** @type {!Iterable<*>} */(document.styleSheets);
  702. const allCSS = [...styleSheets]
  703. .map((sheet) => {
  704. try {
  705. return [...sheet.cssRules].map((rule) => rule.cssText).join('');
  706. } catch (e) {
  707. const link = /** @type {!HTMLLinkElement} */(
  708. document.createElement('link'));
  709. link.rel = 'stylesheet';
  710. link.type = sheet.type;
  711. link.media = sheet.media;
  712. link.href = sheet.href;
  713. win.document.head.appendChild(link);
  714. }
  715. return '';
  716. })
  717. .filter(Boolean)
  718. .join('\n');
  719. const style = document.createElement('style');
  720. style.textContent = allCSS;
  721. win.document.head.appendChild(style);
  722. }
  723. /** @export */
  724. showAdUI() {
  725. shaka.ui.Utils.setDisplay(this.adPanel_, true);
  726. shaka.ui.Utils.setDisplay(this.clientAdContainer_, true);
  727. if (this.ad_.hasCustomClick()) {
  728. this.controlsContainer_.setAttribute('ad-active', 'true');
  729. } else {
  730. this.controlsContainer_.removeAttribute('ad-active');
  731. }
  732. }
  733. /** @export */
  734. hideAdUI() {
  735. shaka.ui.Utils.setDisplay(this.adPanel_, false);
  736. shaka.ui.Utils.setDisplay(this.clientAdContainer_, false);
  737. this.controlsContainer_.removeAttribute('ad-active');
  738. }
  739. /**
  740. * Play or pause the current presentation.
  741. */
  742. playPausePresentation() {
  743. if (!this.enabled_) {
  744. return;
  745. }
  746. if (this.ad_) {
  747. this.playPauseAd();
  748. if (this.ad_.isLinear()) {
  749. return;
  750. }
  751. }
  752. if (!this.video_.duration) {
  753. // Can't play yet. Ignore.
  754. return;
  755. }
  756. if (this.presentationIsPaused()) {
  757. // If we are at the end, go back to the beginning.
  758. if (this.player_.isEnded()) {
  759. this.video_.currentTime = this.player_.seekRange().start;
  760. }
  761. this.video_.play();
  762. } else {
  763. this.video_.pause();
  764. }
  765. }
  766. /**
  767. * Play or pause the current ad.
  768. */
  769. playPauseAd() {
  770. if (this.ad_ && this.ad_.isPaused()) {
  771. this.ad_.play();
  772. } else if (this.ad_) {
  773. this.ad_.pause();
  774. }
  775. }
  776. /**
  777. * Return true if the presentation is paused.
  778. *
  779. * @return {boolean}
  780. */
  781. presentationIsPaused() {
  782. // The video element is in a paused state while seeking, but we don't count
  783. // that.
  784. return this.video_.paused && !this.isSeeking();
  785. }
  786. /** @private */
  787. createDOM_() {
  788. this.videoContainer_.classList.add('shaka-video-container');
  789. this.localVideo_.classList.add('shaka-video');
  790. this.addScrimContainer_();
  791. if (this.config_.addBigPlayButton) {
  792. this.addPlayButton_();
  793. }
  794. if (this.config_.customContextMenu) {
  795. this.addContextMenu_();
  796. }
  797. if (!this.spinnerContainer_) {
  798. this.addBufferingSpinner_();
  799. }
  800. if (this.config_.seekOnTaps) {
  801. this.addFastForwardButtonOnControlsContainer_();
  802. this.addRewindButtonOnControlsContainer_();
  803. }
  804. this.addDaiAdContainer_();
  805. this.addControlsButtonPanel_();
  806. this.menus_ = Array.from(
  807. this.videoContainer_.getElementsByClassName('shaka-settings-menu'));
  808. this.menus_.push(...Array.from(
  809. this.videoContainer_.getElementsByClassName('shaka-overflow-menu')));
  810. this.addSeekBar_();
  811. this.showOnHoverControls_ = Array.from(
  812. this.videoContainer_.getElementsByClassName(
  813. 'shaka-show-controls-on-mouse-over'));
  814. }
  815. /** @private */
  816. addControlsContainer_() {
  817. /** @private {HTMLElement} */
  818. this.controlsContainer_ = shaka.util.Dom.createHTMLElement('div');
  819. this.controlsContainer_.classList.add('shaka-controls-container');
  820. this.videoContainer_.appendChild(this.controlsContainer_);
  821. // Use our controls by default, without anyone calling
  822. // setEnabledShakaControls:
  823. this.videoContainer_.setAttribute('shaka-controls', 'true');
  824. this.eventManager_.listen(this.controlsContainer_, 'touchend', (e) => {
  825. this.onContainerTouch_(e);
  826. });
  827. this.eventManager_.listen(this.controlsContainer_, 'click', () => {
  828. this.onContainerClick_();
  829. });
  830. this.eventManager_.listen(this.controlsContainer_, 'dblclick', () => {
  831. if (this.config_.doubleClickForFullscreen &&
  832. this.isFullScreenSupported()) {
  833. this.toggleFullScreen();
  834. }
  835. });
  836. }
  837. /** @private */
  838. addPlayButton_() {
  839. const playButtonContainer = shaka.util.Dom.createHTMLElement('div');
  840. playButtonContainer.classList.add('shaka-play-button-container');
  841. this.controlsContainer_.appendChild(playButtonContainer);
  842. /** @private {shaka.ui.BigPlayButton} */
  843. this.playButton_ =
  844. new shaka.ui.BigPlayButton(playButtonContainer, this);
  845. this.elements_.push(this.playButton_);
  846. }
  847. /** @private */
  848. addContextMenu_() {
  849. /** @private {shaka.ui.ContextMenu} */
  850. this.contextMenu_ =
  851. new shaka.ui.ContextMenu(this.controlsButtonPanel_, this);
  852. this.elements_.push(this.contextMenu_);
  853. }
  854. /** @private */
  855. addScrimContainer_() {
  856. // This is the container that gets styled by CSS to have the
  857. // black gradient scrim at the end of the controls.
  858. const scrimContainer = shaka.util.Dom.createHTMLElement('div');
  859. scrimContainer.classList.add('shaka-scrim-container');
  860. this.controlsContainer_.appendChild(scrimContainer);
  861. }
  862. /** @private */
  863. addAdControls_() {
  864. /** @private {!HTMLElement} */
  865. this.adPanel_ = shaka.util.Dom.createHTMLElement('div');
  866. this.adPanel_.classList.add('shaka-ad-controls');
  867. const showAdPanel = this.ad_ != null && this.ad_.isLinear();
  868. shaka.ui.Utils.setDisplay(this.adPanel_, showAdPanel);
  869. this.bottomControls_.appendChild(this.adPanel_);
  870. const adPosition = new shaka.ui.AdPosition(this.adPanel_, this);
  871. this.elements_.push(adPosition);
  872. const adCounter = new shaka.ui.AdCounter(this.adPanel_, this);
  873. this.elements_.push(adCounter);
  874. const skipButton = new shaka.ui.SkipAdButton(this.adPanel_, this);
  875. this.elements_.push(skipButton);
  876. }
  877. /** @private */
  878. addBufferingSpinner_() {
  879. /** @private {HTMLElement} */
  880. this.spinnerContainer_ = shaka.util.Dom.createHTMLElement('div');
  881. this.spinnerContainer_.classList.add('shaka-spinner-container');
  882. this.videoContainer_.appendChild(this.spinnerContainer_);
  883. const spinner = shaka.util.Dom.createHTMLElement('div');
  884. spinner.classList.add('shaka-spinner');
  885. this.spinnerContainer_.appendChild(spinner);
  886. // Svg elements have to be created with the svg xml namespace.
  887. const xmlns = 'http://www.w3.org/2000/svg';
  888. const svg =
  889. /** @type {!HTMLElement} */(document.createElementNS(xmlns, 'svg'));
  890. svg.classList.add('shaka-spinner-svg');
  891. svg.setAttribute('viewBox', '0 0 30 30');
  892. spinner.appendChild(svg);
  893. // These coordinates are relative to the SVG viewBox above. This is
  894. // distinct from the actual display size in the page, since the "S" is for
  895. // "Scalable." The radius of 14.5 is so that the edges of the 1-px-wide
  896. // stroke will touch the edges of the viewBox.
  897. const spinnerCircle = document.createElementNS(xmlns, 'circle');
  898. spinnerCircle.classList.add('shaka-spinner-path');
  899. spinnerCircle.setAttribute('cx', '15');
  900. spinnerCircle.setAttribute('cy', '15');
  901. spinnerCircle.setAttribute('r', '14.5');
  902. spinnerCircle.setAttribute('fill', 'none');
  903. spinnerCircle.setAttribute('stroke-width', '1');
  904. spinnerCircle.setAttribute('stroke-miterlimit', '10');
  905. svg.appendChild(spinnerCircle);
  906. }
  907. /**
  908. * Add fast-forward button on Controls container for moving video some
  909. * seconds ahead when the video is tapped more than once, video seeks ahead
  910. * some seconds for every extra tap.
  911. * @private
  912. */
  913. addFastForwardButtonOnControlsContainer_() {
  914. const hiddenFastForwardContainer = shaka.util.Dom.createHTMLElement('div');
  915. hiddenFastForwardContainer.classList.add(
  916. 'shaka-hidden-fast-forward-container');
  917. this.controlsContainer_.appendChild(hiddenFastForwardContainer);
  918. /** @private {shaka.ui.HiddenFastForwardButton} */
  919. this.hiddenFastForwardButton_ =
  920. new shaka.ui.HiddenFastForwardButton(hiddenFastForwardContainer, this);
  921. this.elements_.push(this.hiddenFastForwardButton_);
  922. }
  923. /**
  924. * Add Rewind button on Controls container for moving video some seconds
  925. * behind when the video is tapped more than once, video seeks behind some
  926. * seconds for every extra tap.
  927. * @private
  928. */
  929. addRewindButtonOnControlsContainer_() {
  930. const hiddenRewindContainer = shaka.util.Dom.createHTMLElement('div');
  931. hiddenRewindContainer.classList.add(
  932. 'shaka-hidden-rewind-container');
  933. this.controlsContainer_.appendChild(hiddenRewindContainer);
  934. /** @private {shaka.ui.HiddenRewindButton} */
  935. this.hiddenRewindButton_ =
  936. new shaka.ui.HiddenRewindButton(hiddenRewindContainer, this);
  937. this.elements_.push(this.hiddenRewindButton_);
  938. }
  939. /** @private */
  940. addControlsButtonPanel_() {
  941. /** @private {!HTMLElement} */
  942. this.bottomControls_ = shaka.util.Dom.createHTMLElement('div');
  943. this.bottomControls_.classList.add('shaka-bottom-controls');
  944. this.bottomControls_.classList.add('shaka-no-propagation');
  945. this.controlsContainer_.appendChild(this.bottomControls_);
  946. // Overflow menus are supposed to hide once you click elsewhere
  947. // on the page. The click event listener on window ensures that.
  948. // However, clicks on the bottom controls don't propagate to the container,
  949. // so we have to explicitly hide the menus onclick here.
  950. this.eventManager_.listen(this.bottomControls_, 'click', (e) => {
  951. // We explicitly deny this measure when clicking on buttons that
  952. // open submenus in the control panel.
  953. if (!e.target['closest']('.shaka-overflow-button')) {
  954. this.hideSettingsMenus();
  955. }
  956. });
  957. this.addAdControls_();
  958. /** @private {!HTMLElement} */
  959. this.controlsButtonPanel_ = shaka.util.Dom.createHTMLElement('div');
  960. this.controlsButtonPanel_.classList.add('shaka-controls-button-panel');
  961. this.controlsButtonPanel_.classList.add(
  962. 'shaka-show-controls-on-mouse-over');
  963. if (this.config_.enableTooltips) {
  964. this.controlsButtonPanel_.classList.add('shaka-tooltips-on');
  965. }
  966. this.bottomControls_.appendChild(this.controlsButtonPanel_);
  967. // Create the elements specified by controlPanelElements
  968. for (const name of this.config_.controlPanelElements) {
  969. if (shaka.ui.ControlsPanel.elementNamesToFactories_.get(name)) {
  970. const factory =
  971. shaka.ui.ControlsPanel.elementNamesToFactories_.get(name);
  972. const element = factory.create(this.controlsButtonPanel_, this);
  973. this.elements_.push(element);
  974. } else {
  975. shaka.log.alwaysWarn('Unrecognized control panel element requested:',
  976. name);
  977. }
  978. }
  979. }
  980. /**
  981. * Adds a container for server side ad UI with IMA SDK.
  982. *
  983. * @private
  984. */
  985. addDaiAdContainer_() {
  986. /** @private {!HTMLElement} */
  987. this.daiAdContainer_ = shaka.util.Dom.createHTMLElement('div');
  988. this.daiAdContainer_.classList.add('shaka-server-side-ad-container');
  989. this.controlsContainer_.appendChild(this.daiAdContainer_);
  990. }
  991. /**
  992. * Adds a seekbar depending on the configuration.
  993. * By default an instance of shaka.ui.SeekBar is created
  994. * This behaviour can be overridden by providing a SeekBar factory using the
  995. * registerSeekBarFactory function.
  996. *
  997. * @private
  998. */
  999. addSeekBar_() {
  1000. if (this.config_.addSeekBar) {
  1001. this.seekBar_ = shaka.ui.ControlsPanel.seekBarFactory_.create(
  1002. this.bottomControls_, this);
  1003. this.elements_.push(this.seekBar_);
  1004. } else {
  1005. // Settings menus need to be positioned lower if the seekbar is absent.
  1006. for (const menu of this.menus_) {
  1007. menu.classList.add('shaka-low-position');
  1008. }
  1009. }
  1010. }
  1011. /**
  1012. * Adds a container for client side ad UI with IMA SDK.
  1013. *
  1014. * @private
  1015. */
  1016. addClientAdContainer_() {
  1017. /** @private {HTMLElement} */
  1018. this.clientAdContainer_ = shaka.util.Dom.createHTMLElement('div');
  1019. this.clientAdContainer_.classList.add('shaka-client-side-ad-container');
  1020. shaka.ui.Utils.setDisplay(this.clientAdContainer_, false);
  1021. this.eventManager_.listen(this.clientAdContainer_, 'click', () => {
  1022. this.onContainerClick_();
  1023. });
  1024. this.videoContainer_.appendChild(this.clientAdContainer_);
  1025. }
  1026. /**
  1027. * Adds static event listeners. This should only add event listeners to
  1028. * things that don't change (e.g. Player). Dynamic elements (e.g. controls)
  1029. * should have their event listeners added when they are created.
  1030. *
  1031. * @private
  1032. */
  1033. addEventListeners_() {
  1034. this.eventManager_.listen(this.player_, 'buffering', () => {
  1035. this.onBufferingStateChange_();
  1036. });
  1037. // Set the initial state, as well.
  1038. this.onBufferingStateChange_();
  1039. // Listen for key down events to detect tab and enable outline
  1040. // for focused elements.
  1041. this.eventManager_.listen(window, 'keydown', (e) => {
  1042. this.onWindowKeyDown_(/** @type {!KeyboardEvent} */(e));
  1043. });
  1044. // Listen for click events to dismiss the settings menus.
  1045. this.eventManager_.listen(window, 'click', () => this.hideSettingsMenus());
  1046. // Avoid having multiple submenus open at the same time.
  1047. this.eventManager_.listen(
  1048. this, 'submenuopen', () => {
  1049. this.hideSettingsMenus();
  1050. });
  1051. this.eventManager_.listen(this.video_, 'play', () => {
  1052. this.onPlayStateChange_();
  1053. });
  1054. this.eventManager_.listen(this.video_, 'pause', () => {
  1055. this.onPlayStateChange_();
  1056. });
  1057. this.eventManager_.listen(this.videoContainer_, 'mousemove', (e) => {
  1058. this.onMouseMove_(e);
  1059. });
  1060. this.eventManager_.listen(this.videoContainer_, 'touchmove', (e) => {
  1061. this.onMouseMove_(e);
  1062. }, {passive: true});
  1063. this.eventManager_.listen(this.videoContainer_, 'touchend', (e) => {
  1064. this.onMouseMove_(e);
  1065. }, {passive: true});
  1066. this.eventManager_.listen(this.videoContainer_, 'mouseleave', () => {
  1067. this.onMouseLeave_();
  1068. });
  1069. this.eventManager_.listen(this.castProxy_, 'caststatuschanged', () => {
  1070. this.onCastStatusChange_();
  1071. });
  1072. this.eventManager_.listen(this.vr_, 'vrstatuschanged', () => {
  1073. this.dispatchEvent(new shaka.util.FakeEvent('vrstatuschanged'));
  1074. });
  1075. this.eventManager_.listen(this.videoContainer_, 'keydown', (e) => {
  1076. this.onControlsKeyDown_(/** @type {!KeyboardEvent} */(e));
  1077. });
  1078. this.eventManager_.listen(this.videoContainer_, 'keyup', (e) => {
  1079. this.onControlsKeyUp_(/** @type {!KeyboardEvent} */(e));
  1080. });
  1081. this.eventManager_.listen(
  1082. this.adManager_, shaka.ads.Utils.AD_STARTED, (e) => {
  1083. this.ad_ = (/** @type {!Object} */ (e))['ad'];
  1084. this.showAdUI();
  1085. this.onBufferingStateChange_();
  1086. });
  1087. this.eventManager_.listen(
  1088. this.adManager_, shaka.ads.Utils.AD_STOPPED, () => {
  1089. this.ad_ = null;
  1090. this.hideAdUI();
  1091. this.onBufferingStateChange_();
  1092. });
  1093. if (screen.orientation) {
  1094. this.eventManager_.listen(screen.orientation, 'change', async () => {
  1095. await this.onScreenRotation_();
  1096. });
  1097. }
  1098. }
  1099. /**
  1100. * @private
  1101. */
  1102. setupMediaSession_() {
  1103. if (!this.config_.setupMediaSession || !navigator.mediaSession) {
  1104. return;
  1105. }
  1106. const addMediaSessionHandler = (type, callback) => {
  1107. try {
  1108. navigator.mediaSession.setActionHandler(type, (details) => {
  1109. callback(details);
  1110. });
  1111. } catch (error) {
  1112. shaka.log.debug(
  1113. `The "${type}" media session action is not supported.`);
  1114. }
  1115. };
  1116. const updatePositionState = () => {
  1117. if (this.ad_ && this.ad_.isLinear()) {
  1118. clearPositionState();
  1119. return;
  1120. }
  1121. const seekRange = this.player_.seekRange();
  1122. let duration = seekRange.end - seekRange.start;
  1123. const position = parseFloat(
  1124. (this.video_.currentTime - seekRange.start).toFixed(2));
  1125. if (this.player_.isLive() && Math.abs(duration - position) < 1) {
  1126. // Positive infinity indicates media without a defined end, such as a
  1127. // live stream.
  1128. duration = Infinity;
  1129. }
  1130. try {
  1131. navigator.mediaSession.setPositionState({
  1132. duration: Math.max(0, duration),
  1133. playbackRate: this.video_.playbackRate,
  1134. position: Math.max(0, position),
  1135. });
  1136. } catch (error) {
  1137. shaka.log.v2(
  1138. 'setPositionState in media session is not supported.');
  1139. }
  1140. };
  1141. const clearPositionState = () => {
  1142. try {
  1143. navigator.mediaSession.setPositionState();
  1144. } catch (error) {
  1145. shaka.log.v2(
  1146. 'setPositionState in media session is not supported.');
  1147. }
  1148. };
  1149. const commonHandler = (details) => {
  1150. const keyboardSeekDistance = this.config_.keyboardSeekDistance;
  1151. switch (details.action) {
  1152. case 'pause':
  1153. this.playPausePresentation();
  1154. break;
  1155. case 'play':
  1156. this.playPausePresentation();
  1157. break;
  1158. case 'seekbackward':
  1159. if (details.seekOffset && !isFinite(details.seekOffset)) {
  1160. break;
  1161. }
  1162. if (!this.ad_ || !this.ad_.isLinear()) {
  1163. this.seek_(this.seekBar_.getValue() -
  1164. (details.seekOffset || keyboardSeekDistance));
  1165. }
  1166. break;
  1167. case 'seekforward':
  1168. if (details.seekOffset && !isFinite(details.seekOffset)) {
  1169. break;
  1170. }
  1171. if (!this.ad_ || !this.ad_.isLinear()) {
  1172. this.seek_(this.seekBar_.getValue() +
  1173. (details.seekOffset || keyboardSeekDistance));
  1174. }
  1175. break;
  1176. case 'seekto':
  1177. if (details.seekTime && !isFinite(details.seekTime)) {
  1178. break;
  1179. }
  1180. if (!this.ad_ || !this.ad_.isLinear()) {
  1181. this.seek_(this.player_.seekRange().start + details.seekTime);
  1182. }
  1183. break;
  1184. case 'stop':
  1185. this.player_.unload();
  1186. break;
  1187. case 'enterpictureinpicture':
  1188. if (!this.ad_ || !this.ad_.isLinear()) {
  1189. this.togglePiP();
  1190. }
  1191. break;
  1192. }
  1193. };
  1194. addMediaSessionHandler('pause', commonHandler);
  1195. addMediaSessionHandler('play', commonHandler);
  1196. addMediaSessionHandler('seekbackward', commonHandler);
  1197. addMediaSessionHandler('seekforward', commonHandler);
  1198. addMediaSessionHandler('seekto', commonHandler);
  1199. addMediaSessionHandler('stop', commonHandler);
  1200. if ('documentPictureInPicture' in window ||
  1201. document.pictureInPictureEnabled) {
  1202. addMediaSessionHandler('enterpictureinpicture', commonHandler);
  1203. }
  1204. const playerLoaded = () => {
  1205. if (this.player_.isLive() || this.player_.seekRange().start != 0) {
  1206. updatePositionState();
  1207. this.eventManager_.listen(
  1208. this.video_, 'timeupdate', updatePositionState);
  1209. } else {
  1210. clearPositionState();
  1211. }
  1212. };
  1213. const playerUnloading = () => {
  1214. this.eventManager_.unlisten(
  1215. this.video_, 'timeupdate', updatePositionState);
  1216. };
  1217. if (this.player_.isFullyLoaded()) {
  1218. playerLoaded();
  1219. }
  1220. this.eventManager_.listen(this.player_, 'loaded', playerLoaded);
  1221. this.eventManager_.listen(this.player_, 'unloading', playerUnloading);
  1222. this.eventManager_.listen(this.player_, 'metadata', (event) => {
  1223. const payload = event['payload'];
  1224. if (!payload) {
  1225. return;
  1226. }
  1227. let title;
  1228. if (payload['key'] == 'TIT2' && payload['data']) {
  1229. title = payload['data'];
  1230. }
  1231. let imageUrl;
  1232. if (payload['key'] == 'APIC' && payload['mimeType'] == '-->') {
  1233. imageUrl = payload['data'];
  1234. }
  1235. if (title) {
  1236. let metadata = {
  1237. title: title,
  1238. artwork: [],
  1239. };
  1240. if (navigator.mediaSession.metadata) {
  1241. metadata = navigator.mediaSession.metadata;
  1242. metadata.title = title;
  1243. }
  1244. navigator.mediaSession.metadata = new MediaMetadata(metadata);
  1245. }
  1246. if (imageUrl) {
  1247. const video = /** @type {HTMLVideoElement} */ (this.localVideo_);
  1248. if (imageUrl != video.poster) {
  1249. video.poster = imageUrl;
  1250. }
  1251. let metadata = {
  1252. title: '',
  1253. artwork: [{src: imageUrl}],
  1254. };
  1255. if (navigator.mediaSession.metadata) {
  1256. metadata = navigator.mediaSession.metadata;
  1257. metadata.artwork = [{src: imageUrl}];
  1258. }
  1259. navigator.mediaSession.metadata = new MediaMetadata(metadata);
  1260. }
  1261. });
  1262. }
  1263. /**
  1264. * @private
  1265. */
  1266. removeMediaSession_() {
  1267. if (!this.config_.setupMediaSession || !navigator.mediaSession) {
  1268. return;
  1269. }
  1270. try {
  1271. navigator.mediaSession.setPositionState();
  1272. } catch (error) {}
  1273. const disableMediaSessionHandler = (type) => {
  1274. try {
  1275. navigator.mediaSession.setActionHandler(type, null);
  1276. } catch (error) {}
  1277. };
  1278. disableMediaSessionHandler('pause');
  1279. disableMediaSessionHandler('play');
  1280. disableMediaSessionHandler('seekbackward');
  1281. disableMediaSessionHandler('seekforward');
  1282. disableMediaSessionHandler('seekto');
  1283. disableMediaSessionHandler('stop');
  1284. disableMediaSessionHandler('enterpictureinpicture');
  1285. }
  1286. /**
  1287. * When a mobile device is rotated to landscape layout, and the video is
  1288. * loaded, make the demo app go into fullscreen.
  1289. * Similarly, exit fullscreen when the device is rotated to portrait layout.
  1290. * @private
  1291. */
  1292. async onScreenRotation_() {
  1293. if (!this.video_ ||
  1294. this.video_.readyState == 0 ||
  1295. this.castProxy_.isCasting() ||
  1296. !this.config_.enableFullscreenOnRotation ||
  1297. !this.isFullScreenSupported()) {
  1298. return;
  1299. }
  1300. if (screen.orientation.type.includes('landscape') &&
  1301. !this.isFullScreenEnabled()) {
  1302. await this.enterFullScreen_();
  1303. } else if (screen.orientation.type.includes('portrait') &&
  1304. this.isFullScreenEnabled()) {
  1305. await this.exitFullScreen_();
  1306. }
  1307. }
  1308. /**
  1309. * Hiding the cursor when the mouse stops moving seems to be the only
  1310. * decent UX in fullscreen mode. Since we can't use pure CSS for that,
  1311. * we use events both in and out of fullscreen mode.
  1312. * Showing the control bar when a key is pressed, and hiding it after some
  1313. * time.
  1314. * @param {!Event} event
  1315. * @private
  1316. */
  1317. onMouseMove_(event) {
  1318. // Disable blue outline for focused elements for mouse navigation.
  1319. if (event.type == 'mousemove') {
  1320. this.controlsContainer_.classList.remove('shaka-keyboard-navigation');
  1321. this.computeOpacity();
  1322. }
  1323. if (event.type == 'touchstart' || event.type == 'touchmove' ||
  1324. event.type == 'touchend' || event.type == 'keyup') {
  1325. this.lastTouchEventTime_ = Date.now();
  1326. } else if (this.lastTouchEventTime_ + 1000 < Date.now()) {
  1327. // It has been a while since the last touch event, this is probably a real
  1328. // mouse moving, so treat it like a mouse.
  1329. this.lastTouchEventTime_ = null;
  1330. }
  1331. // When there is a touch, we can get a 'mousemove' event after touch events.
  1332. // This should be treated as part of the touch, which has already been
  1333. // handled.
  1334. if (this.lastTouchEventTime_ && event.type == 'mousemove') {
  1335. return;
  1336. }
  1337. // Use the cursor specified in the CSS file.
  1338. this.videoContainer_.classList.remove('no-cursor');
  1339. this.recentMouseMovement_ = true;
  1340. // Make sure we are not about to hide the settings menus and then force them
  1341. // open.
  1342. this.hideSettingsMenusTimer_.stop();
  1343. if (!this.isOpaque()) {
  1344. // Only update the time and seek range on mouse movement if it's the very
  1345. // first movement and we're about to show the controls. Otherwise, the
  1346. // seek bar will be updated much more rapidly during mouse movement. Do
  1347. // this right before making it visible.
  1348. this.updateTimeAndSeekRange_();
  1349. this.computeOpacity();
  1350. }
  1351. // Hide the cursor when the mouse stops moving.
  1352. // Only applies while the cursor is over the video container.
  1353. this.mouseStillTimer_.stop();
  1354. // Only start a timeout on 'touchend' or for 'mousemove' with no touch
  1355. // events.
  1356. if (event.type == 'touchend' ||
  1357. event.type == 'keyup'|| !this.lastTouchEventTime_) {
  1358. this.mouseStillTimer_.tickAfter(/* seconds= */ 3);
  1359. }
  1360. }
  1361. /** @private */
  1362. onMouseLeave_() {
  1363. // We sometimes get 'mouseout' events with touches. Since we can never
  1364. // leave the video element when touching, ignore.
  1365. if (this.lastTouchEventTime_) {
  1366. return;
  1367. }
  1368. // Stop the timer and invoke the callback now to hide the controls. If we
  1369. // don't, the opacity style we set in onMouseMove_ will continue to override
  1370. // the opacity in CSS and force the controls to stay visible.
  1371. this.mouseStillTimer_.tickNow();
  1372. }
  1373. /**
  1374. * This callback is for when we are pretty sure that the mouse has stopped
  1375. * moving (aka the mouse is still). This method should only be called via
  1376. * |mouseStillTimer_|. If this behaviour needs to be invoked directly, use
  1377. * |mouseStillTimer_.tickNow()|.
  1378. *
  1379. * @private
  1380. */
  1381. onMouseStill_() {
  1382. // Hide the cursor.
  1383. this.videoContainer_.classList.add('no-cursor');
  1384. this.recentMouseMovement_ = false;
  1385. this.computeOpacity();
  1386. }
  1387. /**
  1388. * @return {boolean} true if any relevant elements are hovered.
  1389. * @private
  1390. */
  1391. isHovered_() {
  1392. if (!window.matchMedia('hover: hover').matches) {
  1393. // This is primarily a touch-screen device, so the :hover query below
  1394. // doesn't make sense. In spite of this, the :hover query on an element
  1395. // can still return true on such a device after a touch ends.
  1396. // See https://bit.ly/34dBORX for details.
  1397. return false;
  1398. }
  1399. return this.showOnHoverControls_.some((element) => {
  1400. return element.matches(':hover');
  1401. });
  1402. }
  1403. /**
  1404. * Recompute whether the controls should be shown or hidden.
  1405. */
  1406. computeOpacity() {
  1407. const adIsPaused = this.ad_ ? this.ad_.isPaused() : false;
  1408. const videoIsPaused = this.video_.paused && !this.isSeeking_;
  1409. const keyboardNavigationMode = this.controlsContainer_.classList.contains(
  1410. 'shaka-keyboard-navigation');
  1411. // Keep showing the controls if the ad or video is paused, there has been
  1412. // recent mouse movement, we're in keyboard navigation, or one of a special
  1413. // class of elements is hovered.
  1414. if (adIsPaused ||
  1415. ((!this.ad_ || !this.ad_.isLinear()) && videoIsPaused) ||
  1416. this.recentMouseMovement_ ||
  1417. keyboardNavigationMode ||
  1418. this.isHovered_()) {
  1419. // Make sure the state is up-to-date before showing it.
  1420. this.updateTimeAndSeekRange_();
  1421. this.controlsContainer_.setAttribute('shown', 'true');
  1422. this.fadeControlsTimer_.stop();
  1423. } else {
  1424. this.fadeControlsTimer_.tickAfter(/* seconds= */ this.config_.fadeDelay);
  1425. }
  1426. }
  1427. /**
  1428. * @param {!Event} event
  1429. * @private
  1430. */
  1431. onContainerTouch_(event) {
  1432. if (!this.video_.duration) {
  1433. // Can't play yet. Ignore.
  1434. return;
  1435. }
  1436. if (this.isOpaque()) {
  1437. this.lastTouchEventTime_ = Date.now();
  1438. // The controls are showing.
  1439. // Let this event continue and become a click.
  1440. } else {
  1441. // The controls are hidden, so show them.
  1442. this.onMouseMove_(event);
  1443. // Stop this event from becoming a click event.
  1444. event.cancelable && event.preventDefault();
  1445. }
  1446. }
  1447. /** @private */
  1448. onContainerClick_() {
  1449. if (!this.enabled_ || this.isPlayingVR()) {
  1450. return;
  1451. }
  1452. if (this.anySettingsMenusAreOpen()) {
  1453. this.hideSettingsMenusTimer_.tickNow();
  1454. } else if (this.config_.singleClickForPlayAndPause) {
  1455. this.playPausePresentation();
  1456. }
  1457. }
  1458. /** @private */
  1459. onCastStatusChange_() {
  1460. const isCasting = this.castProxy_.isCasting();
  1461. this.dispatchEvent(new shaka.util.FakeEvent(
  1462. 'caststatuschanged', (new Map()).set('newStatus', isCasting)));
  1463. if (isCasting) {
  1464. this.controlsContainer_.setAttribute('casting', 'true');
  1465. } else {
  1466. this.controlsContainer_.removeAttribute('casting');
  1467. }
  1468. }
  1469. /** @private */
  1470. onPlayStateChange_() {
  1471. this.computeOpacity();
  1472. }
  1473. /**
  1474. * Support controls with keyboard inputs.
  1475. * @param {!KeyboardEvent} event
  1476. * @private
  1477. */
  1478. onControlsKeyDown_(event) {
  1479. const activeElement = document.activeElement;
  1480. const isVolumeBar = activeElement && activeElement.classList ?
  1481. activeElement.classList.contains('shaka-volume-bar') : false;
  1482. const isSeekBar = activeElement && activeElement.classList &&
  1483. activeElement.classList.contains('shaka-seek-bar');
  1484. // Show the control panel if it is on focus or any button is pressed.
  1485. if (this.controlsContainer_.contains(activeElement)) {
  1486. this.onMouseMove_(event);
  1487. }
  1488. if (!this.config_.enableKeyboardPlaybackControls) {
  1489. return;
  1490. }
  1491. const keyboardSeekDistance = this.config_.keyboardSeekDistance;
  1492. const keyboardLargeSeekDistance = this.config_.keyboardLargeSeekDistance;
  1493. switch (event.key) {
  1494. case 'ArrowLeft':
  1495. // If it's not focused on the volume bar, move the seek time backward
  1496. // for a few sec. Otherwise, the volume will be adjusted automatically.
  1497. if (this.seekBar_ && isSeekBar && !isVolumeBar &&
  1498. keyboardSeekDistance > 0) {
  1499. event.preventDefault();
  1500. this.seek_(this.seekBar_.getValue() - keyboardSeekDistance);
  1501. }
  1502. break;
  1503. case 'ArrowRight':
  1504. // If it's not focused on the volume bar, move the seek time forward
  1505. // for a few sec. Otherwise, the volume will be adjusted automatically.
  1506. if (this.seekBar_ && isSeekBar && !isVolumeBar &&
  1507. keyboardSeekDistance > 0) {
  1508. event.preventDefault();
  1509. this.seek_(this.seekBar_.getValue() + keyboardSeekDistance);
  1510. }
  1511. break;
  1512. case 'PageDown':
  1513. // PageDown is like ArrowLeft, but has a larger jump distance, and does
  1514. // nothing to volume.
  1515. if (this.seekBar_ && isSeekBar && keyboardSeekDistance > 0) {
  1516. event.preventDefault();
  1517. this.seek_(this.seekBar_.getValue() - keyboardLargeSeekDistance);
  1518. }
  1519. break;
  1520. case 'PageUp':
  1521. // PageDown is like ArrowRight, but has a larger jump distance, and does
  1522. // nothing to volume.
  1523. if (this.seekBar_ && isSeekBar && keyboardSeekDistance > 0) {
  1524. event.preventDefault();
  1525. this.seek_(this.seekBar_.getValue() + keyboardLargeSeekDistance);
  1526. }
  1527. break;
  1528. // Jump to the beginning of the video's seek range.
  1529. case 'Home':
  1530. if (this.seekBar_) {
  1531. this.seek_(this.player_.seekRange().start);
  1532. }
  1533. break;
  1534. // Jump to the end of the video's seek range.
  1535. case 'End':
  1536. if (this.seekBar_) {
  1537. this.seek_(this.player_.seekRange().end);
  1538. }
  1539. break;
  1540. case 'f':
  1541. if (this.isFullScreenSupported()) {
  1542. this.toggleFullScreen();
  1543. }
  1544. break;
  1545. case 'm':
  1546. if (this.ad_ && this.ad_.isLinear()) {
  1547. this.ad_.setMuted(!this.ad_.isMuted());
  1548. } else {
  1549. this.localVideo_.muted = !this.localVideo_.muted;
  1550. }
  1551. break;
  1552. case 'p':
  1553. if (this.isPiPAllowed()) {
  1554. this.togglePiP();
  1555. }
  1556. break;
  1557. // Pause or play by pressing space on the seek bar.
  1558. case ' ':
  1559. if (isSeekBar) {
  1560. this.playPausePresentation();
  1561. }
  1562. break;
  1563. }
  1564. }
  1565. /**
  1566. * Support controls with keyboard inputs.
  1567. * @param {!KeyboardEvent} event
  1568. * @private
  1569. */
  1570. onControlsKeyUp_(event) {
  1571. // When the key is released, remove it from the pressed keys set.
  1572. this.pressedKeys_.delete(event.key);
  1573. }
  1574. /**
  1575. * Called both as an event listener and directly by the controls to initialize
  1576. * the buffering state.
  1577. * @private
  1578. */
  1579. onBufferingStateChange_() {
  1580. if (!this.enabled_) {
  1581. return;
  1582. }
  1583. if (this.ad_ && this.ad_.isClientRendering() && this.ad_.isLinear()) {
  1584. shaka.ui.Utils.setDisplay(this.spinnerContainer_, false);
  1585. return;
  1586. }
  1587. shaka.ui.Utils.setDisplay(
  1588. this.spinnerContainer_, this.player_.isBuffering());
  1589. }
  1590. /**
  1591. * @return {boolean}
  1592. * @export
  1593. */
  1594. isOpaque() {
  1595. if (!this.enabled_) {
  1596. return false;
  1597. }
  1598. return this.controlsContainer_.getAttribute('shown') != null ||
  1599. this.controlsContainer_.getAttribute('casting') != null;
  1600. }
  1601. /**
  1602. * Update the video's current time based on the keyboard operations.
  1603. *
  1604. * @param {number} currentTime
  1605. * @private
  1606. */
  1607. seek_(currentTime) {
  1608. goog.asserts.assert(
  1609. this.seekBar_, 'Caller of seek_ must check for seekBar_ first!');
  1610. this.video_.currentTime = currentTime;
  1611. this.updateTimeAndSeekRange_();
  1612. }
  1613. /**
  1614. * Called when the seek range or current time need to be updated.
  1615. * @private
  1616. */
  1617. updateTimeAndSeekRange_() {
  1618. if (this.seekBar_) {
  1619. this.seekBar_.setValue(this.video_.currentTime);
  1620. this.seekBar_.update();
  1621. if (this.seekBar_.isShowing()) {
  1622. for (const menu of this.menus_) {
  1623. menu.classList.remove('shaka-low-position');
  1624. }
  1625. } else {
  1626. for (const menu of this.menus_) {
  1627. menu.classList.add('shaka-low-position');
  1628. }
  1629. }
  1630. }
  1631. this.dispatchEvent(new shaka.util.FakeEvent('timeandseekrangeupdated'));
  1632. }
  1633. /**
  1634. * Add behaviors for keyboard navigation.
  1635. * 1. Add blue outline for focused elements.
  1636. * 2. Allow exiting overflow settings menus by pressing Esc key.
  1637. * 3. When navigating on overflow settings menu by pressing Tab
  1638. * key or Shift+Tab keys keep the focus inside overflow menu.
  1639. *
  1640. * @param {!KeyboardEvent} event
  1641. * @private
  1642. */
  1643. onWindowKeyDown_(event) {
  1644. // Add the key to the pressed keys set when it's pressed.
  1645. this.pressedKeys_.add(event.key);
  1646. const anySettingsMenusAreOpen = this.anySettingsMenusAreOpen();
  1647. if (event.key == 'Tab') {
  1648. // Enable blue outline for focused elements for keyboard
  1649. // navigation.
  1650. this.controlsContainer_.classList.add('shaka-keyboard-navigation');
  1651. this.computeOpacity();
  1652. this.eventManager_.listen(window, 'mousedown', () => this.onMouseDown_());
  1653. }
  1654. // If escape key was pressed, close any open settings menus.
  1655. if (event.key == 'Escape') {
  1656. this.hideSettingsMenusTimer_.tickNow();
  1657. }
  1658. if (anySettingsMenusAreOpen && this.pressedKeys_.has('Tab')) {
  1659. // If Tab key or Shift+Tab keys are pressed when navigating through
  1660. // an overflow settings menu, keep the focus to loop inside the
  1661. // overflow menu.
  1662. this.keepFocusInMenu_(event);
  1663. }
  1664. }
  1665. /**
  1666. * When the user is using keyboard to navigate inside the overflow settings
  1667. * menu (pressing Tab key to go forward, or pressing Shift + Tab keys to go
  1668. * backward), make sure it's focused only on the elements of the overflow
  1669. * panel.
  1670. *
  1671. * This is called by onWindowKeyDown_() function, when there's a settings
  1672. * overflow menu open, and the Tab key / Shift+Tab keys are pressed.
  1673. *
  1674. * @param {!Event} event
  1675. * @private
  1676. */
  1677. keepFocusInMenu_(event) {
  1678. const openSettingsMenus = this.menus_.filter(
  1679. (menu) => !menu.classList.contains('shaka-hidden'));
  1680. if (!openSettingsMenus.length) {
  1681. // For example, this occurs when you hit escape to close the menu.
  1682. return;
  1683. }
  1684. const settingsMenu = openSettingsMenus[0];
  1685. if (settingsMenu.childNodes.length) {
  1686. // Get the first and the last displaying child element from the overflow
  1687. // menu.
  1688. let firstShownChild = settingsMenu.firstElementChild;
  1689. while (firstShownChild &&
  1690. firstShownChild.classList.contains('shaka-hidden')) {
  1691. firstShownChild = firstShownChild.nextElementSibling;
  1692. }
  1693. let lastShownChild = settingsMenu.lastElementChild;
  1694. while (lastShownChild &&
  1695. lastShownChild.classList.contains('shaka-hidden')) {
  1696. lastShownChild = lastShownChild.previousElementSibling;
  1697. }
  1698. const activeElement = document.activeElement;
  1699. // When only Tab key is pressed, navigate to the next element.
  1700. // If it's currently focused on the last shown child element of the
  1701. // overflow menu, let the focus move to the first child element of the
  1702. // menu.
  1703. // When Tab + Shift keys are pressed at the same time, navigate to the
  1704. // previous element. If it's currently focused on the first shown child
  1705. // element of the overflow menu, let the focus move to the last child
  1706. // element of the menu.
  1707. if (this.pressedKeys_.has('Shift')) {
  1708. if (activeElement == firstShownChild) {
  1709. event.preventDefault();
  1710. lastShownChild.focus();
  1711. }
  1712. } else {
  1713. if (activeElement == lastShownChild) {
  1714. event.preventDefault();
  1715. firstShownChild.focus();
  1716. }
  1717. }
  1718. }
  1719. }
  1720. /**
  1721. * For keyboard navigation, we use blue borders to highlight the active
  1722. * element. If we detect that a mouse is being used, remove the blue border
  1723. * from the active element.
  1724. * @private
  1725. */
  1726. onMouseDown_() {
  1727. this.eventManager_.unlisten(window, 'mousedown');
  1728. }
  1729. /**
  1730. * @export
  1731. */
  1732. showUI() {
  1733. const event = new Event('mousemove', {bubbles: false, cancelable: false});
  1734. this.onMouseMove_(event);
  1735. }
  1736. /**
  1737. * @export
  1738. */
  1739. hideUI() {
  1740. this.onMouseLeave_();
  1741. }
  1742. /**
  1743. * @return {shaka.ui.VRManager}
  1744. */
  1745. getVR() {
  1746. goog.asserts.assert(this.vr_ != null, 'Should have a VR manager!');
  1747. return this.vr_;
  1748. }
  1749. /**
  1750. * Returns if a VR is capable.
  1751. *
  1752. * @return {boolean}
  1753. * @export
  1754. */
  1755. canPlayVR() {
  1756. goog.asserts.assert(this.vr_ != null, 'Should have a VR manager!');
  1757. return this.vr_.canPlayVR();
  1758. }
  1759. /**
  1760. * Returns if a VR is supported.
  1761. *
  1762. * @return {boolean}
  1763. * @export
  1764. */
  1765. isPlayingVR() {
  1766. goog.asserts.assert(this.vr_ != null, 'Should have a VR manager!');
  1767. return this.vr_.isPlayingVR();
  1768. }
  1769. /**
  1770. * Reset VR view.
  1771. */
  1772. resetVR() {
  1773. goog.asserts.assert(this.vr_ != null, 'Should have a VR manager!');
  1774. this.vr_.reset();
  1775. }
  1776. /**
  1777. * Get the angle of the north.
  1778. *
  1779. * @return {?number}
  1780. * @export
  1781. */
  1782. getVRNorth() {
  1783. goog.asserts.assert(this.vr_ != null, 'Should have a VR manager!');
  1784. return this.vr_.getNorth();
  1785. }
  1786. /**
  1787. * Returns the angle of the current field of view displayed in degrees.
  1788. *
  1789. * @return {?number}
  1790. * @export
  1791. */
  1792. getVRFieldOfView() {
  1793. goog.asserts.assert(this.vr_ != null, 'Should have a VR manager!');
  1794. return this.vr_.getFieldOfView();
  1795. }
  1796. /**
  1797. * Changing the field of view increases or decreases the portion of the video
  1798. * that is viewed at one time. If the field of view is decreased, a small
  1799. * part of the video will be seen, but with more detail. If the field of view
  1800. * is increased, a larger part of the video will be seen, but with less
  1801. * detail.
  1802. *
  1803. * @param {number} fieldOfView In degrees
  1804. * @export
  1805. */
  1806. setVRFieldOfView(fieldOfView) {
  1807. goog.asserts.assert(this.vr_ != null, 'Should have a VR manager!');
  1808. this.vr_.setFieldOfView(fieldOfView);
  1809. }
  1810. /**
  1811. * Toggle stereoscopic mode.
  1812. *
  1813. * @export
  1814. */
  1815. toggleStereoscopicMode() {
  1816. goog.asserts.assert(this.vr_ != null, 'Should have a VR manager!');
  1817. this.vr_.toggleStereoscopicMode();
  1818. }
  1819. /**
  1820. * Returns true if stereoscopic mode is enabled.
  1821. *
  1822. * @return {boolean}
  1823. */
  1824. isStereoscopicModeEnabled() {
  1825. goog.asserts.assert(this.vr_ != null, 'Should have a VR manager!');
  1826. return this.vr_.isStereoscopicModeEnabled();
  1827. }
  1828. /**
  1829. * Increment the yaw in X angle in degrees.
  1830. *
  1831. * @param {number} angle In degrees
  1832. * @export
  1833. */
  1834. incrementYaw(angle) {
  1835. goog.asserts.assert(this.vr_ != null, 'Should have a VR manager!');
  1836. this.vr_.incrementYaw(angle);
  1837. }
  1838. /**
  1839. * Increment the pitch in X angle in degrees.
  1840. *
  1841. * @param {number} angle In degrees
  1842. * @export
  1843. */
  1844. incrementPitch(angle) {
  1845. goog.asserts.assert(this.vr_ != null, 'Should have a VR manager!');
  1846. this.vr_.incrementPitch(angle);
  1847. }
  1848. /**
  1849. * Increment the roll in X angle in degrees.
  1850. *
  1851. * @param {number} angle In degrees
  1852. * @export
  1853. */
  1854. incrementRoll(angle) {
  1855. goog.asserts.assert(this.vr_ != null, 'Should have a VR manager!');
  1856. this.vr_.incrementRoll(angle);
  1857. }
  1858. /**
  1859. * Create a localization instance already pre-loaded with all the locales that
  1860. * we support.
  1861. *
  1862. * @return {!shaka.ui.Localization}
  1863. * @private
  1864. */
  1865. static createLocalization_() {
  1866. /** @type {string} */
  1867. const fallbackLocale = 'en';
  1868. /** @type {!shaka.ui.Localization} */
  1869. const localization = new shaka.ui.Localization(fallbackLocale);
  1870. shaka.ui.Locales.addTo(localization);
  1871. localization.changeLocale(navigator.languages || []);
  1872. return localization;
  1873. }
  1874. };
  1875. /**
  1876. * @event shaka.ui.Controls#CastStatusChangedEvent
  1877. * @description Fired upon receiving a 'caststatuschanged' event from
  1878. * the cast proxy.
  1879. * @property {string} type
  1880. * 'caststatuschanged'
  1881. * @property {boolean} newStatus
  1882. * The new status of the application. True for 'is casting' and
  1883. * false otherwise.
  1884. * @exportDoc
  1885. */
  1886. /**
  1887. * @event shaka.ui.Controls#VRStatusChangedEvent
  1888. * @description Fired when VR status change
  1889. * @property {string} type
  1890. * 'vrstatuschanged'
  1891. * @exportDoc
  1892. */
  1893. /**
  1894. * @event shaka.ui.Controls#SubMenuOpenEvent
  1895. * @description Fired when one of the overflow submenus is opened
  1896. * (e. g. language/resolution/subtitle selection).
  1897. * @property {string} type
  1898. * 'submenuopen'
  1899. * @exportDoc
  1900. */
  1901. /**
  1902. * @event shaka.ui.Controls#CaptionSelectionUpdatedEvent
  1903. * @description Fired when the captions/subtitles menu has finished updating.
  1904. * @property {string} type
  1905. * 'captionselectionupdated'
  1906. * @exportDoc
  1907. */
  1908. /**
  1909. * @event shaka.ui.Controls#ResolutionSelectionUpdatedEvent
  1910. * @description Fired when the resolution menu has finished updating.
  1911. * @property {string} type
  1912. * 'resolutionselectionupdated'
  1913. * @exportDoc
  1914. */
  1915. /**
  1916. * @event shaka.ui.Controls#LanguageSelectionUpdatedEvent
  1917. * @description Fired when the audio language menu has finished updating.
  1918. * @property {string} type
  1919. * 'languageselectionupdated'
  1920. * @exportDoc
  1921. */
  1922. /**
  1923. * @event shaka.ui.Controls#ErrorEvent
  1924. * @description Fired when something went wrong with the controls.
  1925. * @property {string} type
  1926. * 'error'
  1927. * @property {!shaka.util.Error} detail
  1928. * An object which contains details on the error. The error's 'category'
  1929. * and 'code' properties will identify the specific error that occurred.
  1930. * In an uncompiled build, you can also use the 'message' and 'stack'
  1931. * properties to debug.
  1932. * @exportDoc
  1933. */
  1934. /**
  1935. * @event shaka.ui.Controls#TimeAndSeekRangeUpdatedEvent
  1936. * @description Fired when the time and seek range elements have finished
  1937. * updating.
  1938. * @property {string} type
  1939. * 'timeandseekrangeupdated'
  1940. * @exportDoc
  1941. */
  1942. /**
  1943. * @event shaka.ui.Controls#UIUpdatedEvent
  1944. * @description Fired after a call to ui.configure() once the UI has finished
  1945. * updating.
  1946. * @property {string} type
  1947. * 'uiupdated'
  1948. * @exportDoc
  1949. */
  1950. /** @private {!Map<string, !shaka.extern.IUIElement.Factory>} */
  1951. shaka.ui.ControlsPanel.elementNamesToFactories_ = new Map();
  1952. /** @private {?shaka.extern.IUISeekBar.Factory} */
  1953. shaka.ui.ControlsPanel.seekBarFactory_ = new shaka.ui.SeekBar.Factory();