Source: lib/cast/cast_proxy.js

  1. /*! @license
  2. * Shaka Player
  3. * Copyright 2016 Google LLC
  4. * SPDX-License-Identifier: Apache-2.0
  5. */
  6. goog.provide('shaka.cast.CastProxy');
  7. goog.require('goog.asserts');
  8. goog.require('shaka.Player');
  9. goog.require('shaka.cast.CastSender');
  10. goog.require('shaka.cast.CastUtils');
  11. goog.require('shaka.log');
  12. goog.require('shaka.util.Error');
  13. goog.require('shaka.util.EventManager');
  14. goog.require('shaka.util.FakeEvent');
  15. goog.require('shaka.util.FakeEventTarget');
  16. goog.require('shaka.util.IDestroyable');
  17. /**
  18. * @event shaka.cast.CastProxy.CastStatusChangedEvent
  19. * @description Fired when cast status changes. The status change will be
  20. * reflected in canCast() and isCasting().
  21. * @property {string} type
  22. * 'caststatuschanged'
  23. * @exportDoc
  24. */
  25. /**
  26. * @summary A proxy to switch between local and remote playback for Chromecast
  27. * in a way that is transparent to the app's controls.
  28. *
  29. * @implements {shaka.util.IDestroyable}
  30. * @export
  31. */
  32. shaka.cast.CastProxy = class extends shaka.util.FakeEventTarget {
  33. /**
  34. * @param {!HTMLMediaElement} video The local video element associated with
  35. * the local Player instance.
  36. * @param {!shaka.Player} player A local Player instance.
  37. * @param {string} receiverAppId The ID of the cast receiver application.
  38. * If blank, casting will not be available, but the proxy will still
  39. * function otherwise.
  40. * @param {boolean} androidReceiverCompatible Indicates if the app is
  41. * compatible with an Android Receiver.
  42. */
  43. constructor(video, player, receiverAppId,
  44. androidReceiverCompatible = false) {
  45. super();
  46. /** @private {HTMLMediaElement} */
  47. this.localVideo_ = video;
  48. /** @private {shaka.Player} */
  49. this.localPlayer_ = player;
  50. /** @private {Object} */
  51. this.videoProxy_ = null;
  52. /** @private {Object} */
  53. this.playerProxy_ = null;
  54. /** @private {shaka.util.FakeEventTarget} */
  55. this.videoEventTarget_ = null;
  56. /** @private {shaka.util.FakeEventTarget} */
  57. this.playerEventTarget_ = null;
  58. /** @private {shaka.util.EventManager} */
  59. this.eventManager_ = null;
  60. /** @private {string} */
  61. this.receiverAppId_ = receiverAppId;
  62. /** @private {boolean} */
  63. this.androidReceiverCompatible_ = androidReceiverCompatible;
  64. /** @private {!Map} */
  65. this.compiledToExternNames_ = new Map();
  66. /** @private {shaka.cast.CastSender} */
  67. this.sender_ = null;
  68. if (window.chrome) {
  69. this.sender_ = new shaka.cast.CastSender(
  70. receiverAppId,
  71. () => this.onCastStatusChanged_(),
  72. () => this.onFirstCastStateUpdate_(),
  73. (targetName, event) => this.onRemoteEvent_(targetName, event),
  74. () => this.onResumeLocal_(),
  75. () => this.getInitState_(),
  76. androidReceiverCompatible);
  77. this.init_();
  78. } else {
  79. this.initWithoutSender_();
  80. }
  81. }
  82. /**
  83. * Destroys the proxy and the underlying local Player.
  84. *
  85. * @param {boolean=} forceDisconnect If true, force the receiver app to shut
  86. * down by disconnecting. Does nothing if not connected.
  87. * @override
  88. * @export
  89. */
  90. destroy(forceDisconnect) {
  91. if (this.sender_ && forceDisconnect) {
  92. this.sender_.forceDisconnect();
  93. }
  94. if (this.eventManager_) {
  95. this.eventManager_.release();
  96. this.eventManager_ = null;
  97. }
  98. const waitFor = [];
  99. if (this.localPlayer_) {
  100. waitFor.push(this.localPlayer_.destroy());
  101. this.localPlayer_ = null;
  102. }
  103. if (this.sender_) {
  104. waitFor.push(this.sender_.destroy());
  105. this.sender_ = null;
  106. }
  107. this.localVideo_ = null;
  108. this.videoProxy_ = null;
  109. this.playerProxy_ = null;
  110. // FakeEventTarget implements IReleasable
  111. super.release();
  112. return Promise.all(waitFor);
  113. }
  114. /**
  115. * Get a proxy for the video element that delegates to local and remote video
  116. * elements as appropriate.
  117. *
  118. * @suppress {invalidCasts} to cast proxy Objects to unrelated types
  119. * @return {!HTMLMediaElement}
  120. * @export
  121. */
  122. getVideo() {
  123. return /** @type {!HTMLMediaElement} */(this.videoProxy_);
  124. }
  125. /**
  126. * Get a proxy for the Player that delegates to local and remote Player
  127. * objects as appropriate.
  128. *
  129. * @suppress {invalidCasts} to cast proxy Objects to unrelated types
  130. * @return {!shaka.Player}
  131. * @export
  132. */
  133. getPlayer() {
  134. return /** @type {!shaka.Player} */(this.playerProxy_);
  135. }
  136. /**
  137. * @return {boolean} True if the cast API is available and there are
  138. * receivers.
  139. * @export
  140. */
  141. canCast() {
  142. if (!this.sender_) {
  143. return false;
  144. }
  145. return this.sender_.apiReady() && this.sender_.hasReceivers();
  146. }
  147. /**
  148. * @return {boolean} True if we are currently casting.
  149. * @export
  150. */
  151. isCasting() {
  152. if (!this.sender_) {
  153. return false;
  154. }
  155. return this.sender_.isCasting();
  156. }
  157. /**
  158. * @return {string} The name of the Cast receiver device, if isCasting().
  159. * @export
  160. */
  161. receiverName() {
  162. if (!this.sender_) {
  163. return '';
  164. }
  165. return this.sender_.receiverName();
  166. }
  167. /**
  168. * @return {!Promise} Resolved when connected to a receiver. Rejected if the
  169. * connection fails or is canceled by the user.
  170. * @export
  171. */
  172. async cast() {
  173. if (!this.sender_) {
  174. return;
  175. }
  176. // TODO: transfer manually-selected tracks?
  177. // TODO: transfer side-loaded text tracks?
  178. await this.sender_.cast();
  179. if (!this.localPlayer_) {
  180. // We've already been destroyed.
  181. return;
  182. }
  183. // Unload the local manifest when casting succeeds.
  184. await this.localPlayer_.unload();
  185. }
  186. /**
  187. * Set application-specific data.
  188. *
  189. * @param {Object} appData Application-specific data to relay to the receiver.
  190. * @export
  191. */
  192. setAppData(appData) {
  193. if (!this.sender_) {
  194. return;
  195. }
  196. this.sender_.setAppData(appData);
  197. }
  198. /**
  199. * Show a dialog where user can choose to disconnect from the cast connection.
  200. * @export
  201. */
  202. suggestDisconnect() {
  203. if (!this.sender_) {
  204. return;
  205. }
  206. this.sender_.showDisconnectDialog();
  207. }
  208. /**
  209. * Force the receiver app to shut down by disconnecting.
  210. * @export
  211. */
  212. forceDisconnect() {
  213. if (!this.sender_) {
  214. return;
  215. }
  216. this.sender_.forceDisconnect();
  217. }
  218. /**
  219. * @param {string} newAppId
  220. * @param {boolean=} newCastAndroidReceiver
  221. * @export
  222. */
  223. async changeReceiverId(newAppId, newCastAndroidReceiver = false) {
  224. if (newAppId == this.receiverAppId_ &&
  225. newCastAndroidReceiver == this.androidReceiverCompatible_) {
  226. // Nothing to change
  227. return;
  228. }
  229. this.receiverAppId_ = newAppId;
  230. this.androidReceiverCompatible_ = newCastAndroidReceiver;
  231. if (!this.sender_) {
  232. return;
  233. }
  234. // Destroy the old sender
  235. this.sender_.forceDisconnect();
  236. await this.sender_.destroy();
  237. this.sender_ = null;
  238. // Create the new one
  239. this.sender_ = new shaka.cast.CastSender(
  240. newAppId,
  241. () => this.onCastStatusChanged_(),
  242. () => this.onFirstCastStateUpdate_(),
  243. (targetName, event) => this.onRemoteEvent_(targetName, event),
  244. () => this.onResumeLocal_(),
  245. () => this.getInitState_(),
  246. newCastAndroidReceiver);
  247. this.sender_.init();
  248. }
  249. /**
  250. * Initialize the Proxies without Cast sender.
  251. * @private
  252. */
  253. initWithoutSender_() {
  254. this.videoProxy_ = /** @type {Object} */(this.localVideo_);
  255. this.playerProxy_ = /** @type {Object} */(this.localPlayer_);
  256. }
  257. /**
  258. * Initialize the Proxies and the Cast sender.
  259. * @private
  260. */
  261. init_() {
  262. this.sender_.init();
  263. this.eventManager_ = new shaka.util.EventManager();
  264. for (const name of shaka.cast.CastUtils.VideoEvents) {
  265. this.eventManager_.listen(this.localVideo_, name,
  266. (event) => this.videoProxyLocalEvent_(event));
  267. }
  268. for (const key in shaka.util.FakeEvent.EventName) {
  269. const name = shaka.util.FakeEvent.EventName[key];
  270. this.eventManager_.listen(this.localPlayer_, name,
  271. (event) => this.playerProxyLocalEvent_(event));
  272. }
  273. // We would like to use Proxy here, but it is not supported on Safari.
  274. this.videoProxy_ = {};
  275. for (const k in this.localVideo_) {
  276. Object.defineProperty(this.videoProxy_, k, {
  277. configurable: false,
  278. enumerable: true,
  279. get: () => this.videoProxyGet_(k),
  280. set: (value) => { this.videoProxySet_(k, value); },
  281. });
  282. }
  283. this.playerProxy_ = {};
  284. this.iterateOverPlayerMethods_((name, method) => {
  285. goog.asserts.assert(this.playerProxy_, 'Must have player proxy!');
  286. Object.defineProperty(this.playerProxy_, name, {
  287. configurable: false,
  288. enumerable: true,
  289. get: () => this.playerProxyGet_(name),
  290. });
  291. });
  292. if (COMPILED) {
  293. this.mapCompiledToUncompiledPlayerMethodNames_();
  294. }
  295. this.videoEventTarget_ = new shaka.util.FakeEventTarget();
  296. this.videoEventTarget_.dispatchTarget =
  297. /** @type {EventTarget} */(this.videoProxy_);
  298. this.playerEventTarget_ = new shaka.util.FakeEventTarget();
  299. this.playerEventTarget_.dispatchTarget =
  300. /** @type {EventTarget} */(this.playerProxy_);
  301. }
  302. /**
  303. * Maps compiled to uncompiled player names so we can figure out
  304. * which method to call in compiled build, while casting.
  305. * @private
  306. */
  307. mapCompiledToUncompiledPlayerMethodNames_() {
  308. // In compiled mode, UI tries to access player methods by their internal
  309. // renamed names, but the proxy object doesn't know about those. See
  310. // https://github.com/shaka-project/shaka-player/issues/2130 for details.
  311. const methodsToNames = new Map();
  312. this.iterateOverPlayerMethods_((name, method) => {
  313. if (methodsToNames.has(method)) {
  314. // If two method names, point to the same method, add them to the
  315. // map as aliases of each other.
  316. const name2 = methodsToNames.get(method);
  317. // Assumes that the compiled name is shorter
  318. if (name.length < name2.length) {
  319. this.compiledToExternNames_.set(name, name2);
  320. } else {
  321. this.compiledToExternNames_.set(name2, name);
  322. }
  323. } else {
  324. methodsToNames.set(method, name);
  325. }
  326. });
  327. }
  328. /**
  329. * Iterates over all of the methods of the player, including inherited methods
  330. * from FakeEventTarget.
  331. * @param {function(string, function())} operation
  332. * @private
  333. */
  334. iterateOverPlayerMethods_(operation) {
  335. goog.asserts.assert(this.localPlayer_, 'Must have player!');
  336. const player = /** @type {!Object} */ (this.localPlayer_);
  337. // Avoid accessing any over-written methods in the prototype chain.
  338. const seenNames = new Set();
  339. /**
  340. * @param {string} name
  341. * @return {boolean}
  342. */
  343. function shouldAddToTheMap(name) {
  344. if (name == 'constructor') {
  345. // Don't proxy the constructor.
  346. return false;
  347. }
  348. const method = /** @type {Object} */(player)[name];
  349. if (typeof method != 'function') {
  350. // Don't proxy non-methods.
  351. return false;
  352. }
  353. // Add if the map does not already have it
  354. return !seenNames.has(name);
  355. }
  356. // First, look at the methods on the object itself, so this can properly
  357. // proxy any methods not on the prototype (for example, in the mock player).
  358. for (const key in player) {
  359. if (shouldAddToTheMap(key)) {
  360. seenNames.add(key);
  361. operation(key, player[key]);
  362. }
  363. }
  364. // The exact length of the prototype chain might vary; for resiliency, this
  365. // will just look at the entire chain, rather than assuming a set length.
  366. let proto = /** @type {!Object} */ (Object.getPrototypeOf(player));
  367. const objProto = /** @type {!Object} */ (Object.getPrototypeOf({}));
  368. while (proto && proto != objProto) { // Don't proxy Object methods.
  369. for (const name of Object.getOwnPropertyNames(proto)) {
  370. if (shouldAddToTheMap(name)) {
  371. seenNames.add(name);
  372. operation(name, (player)[name]);
  373. }
  374. }
  375. proto = /** @type {!Object} */ (Object.getPrototypeOf(proto));
  376. }
  377. }
  378. /**
  379. * @return {shaka.cast.CastUtils.InitStateType} initState Video and player
  380. * state to be sent to the receiver.
  381. * @private
  382. */
  383. getInitState_() {
  384. const initState = {
  385. 'video': {},
  386. 'player': {},
  387. 'playerAfterLoad': {},
  388. 'manifest': this.localPlayer_.getAssetUri(),
  389. 'startTime': null,
  390. };
  391. // Pause local playback before capturing state.
  392. this.localVideo_.pause();
  393. for (const name of shaka.cast.CastUtils.VideoInitStateAttributes) {
  394. initState['video'][name] = this.localVideo_[name];
  395. }
  396. // If the video is still playing, set the startTime.
  397. // Has no effect if nothing is loaded.
  398. if (!this.localVideo_.ended) {
  399. initState['startTime'] = this.localVideo_.currentTime;
  400. }
  401. for (const pair of shaka.cast.CastUtils.PlayerInitState) {
  402. const getter = pair[0];
  403. const setter = pair[1];
  404. const value = /** @type {Object} */(this.localPlayer_)[getter]();
  405. initState['player'][setter] = value;
  406. }
  407. for (const pair of shaka.cast.CastUtils.PlayerInitAfterLoadState) {
  408. const getter = pair[0];
  409. const setter = pair[1];
  410. const value = /** @type {Object} */(this.localPlayer_)[getter]();
  411. initState['playerAfterLoad'][setter] = value;
  412. }
  413. return initState;
  414. }
  415. /**
  416. * Dispatch an event to notify the app that the status has changed.
  417. * @private
  418. */
  419. onCastStatusChanged_() {
  420. const event = new shaka.util.FakeEvent('caststatuschanged');
  421. this.dispatchEvent(event);
  422. }
  423. /**
  424. * Dispatch a synthetic play or pause event to ensure that the app correctly
  425. * knows that the player is playing, if joining an existing receiver.
  426. * @private
  427. */
  428. onFirstCastStateUpdate_() {
  429. const type = this.videoProxy_['paused'] ? 'pause' : 'play';
  430. const fakeEvent = new shaka.util.FakeEvent(type);
  431. this.videoEventTarget_.dispatchEvent(fakeEvent);
  432. }
  433. /**
  434. * Transfer remote state back and resume local playback.
  435. * @private
  436. */
  437. onResumeLocal_() {
  438. // Transfer back the player state.
  439. for (const pair of shaka.cast.CastUtils.PlayerInitState) {
  440. const getter = pair[0];
  441. const setter = pair[1];
  442. const value = this.sender_.get('player', getter)();
  443. /** @type {Object} */(this.localPlayer_)[setter](value);
  444. }
  445. // Get the most recent manifest URI and ended state.
  446. const assetUri = this.sender_.get('player', 'getAssetUri')();
  447. const ended = this.sender_.get('video', 'ended');
  448. let manifestReady = Promise.resolve();
  449. const autoplay = this.localVideo_.autoplay;
  450. let startTime = null;
  451. // If the video is still playing, set the startTime.
  452. // Has no effect if nothing is loaded.
  453. if (!ended) {
  454. startTime = this.sender_.get('video', 'currentTime');
  455. }
  456. let activeTextTrack;
  457. const textTracks = this.sender_.get('player', 'getTextTracks')();
  458. if (textTracks && textTracks.length) {
  459. activeTextTrack = textTracks.find((t) => t.active);
  460. }
  461. const isTextTrackVisible =
  462. this.sender_.get('player', 'isTextTrackVisible')();
  463. // Now load the manifest, if present.
  464. if (assetUri) {
  465. // Don't autoplay the content until we finish setting up initial state.
  466. this.localVideo_.autoplay = false;
  467. manifestReady = this.localPlayer_.load(assetUri, startTime);
  468. }
  469. // Get the video state into a temp variable since we will apply it async.
  470. const videoState = {};
  471. for (const name of shaka.cast.CastUtils.VideoInitStateAttributes) {
  472. videoState[name] = this.sender_.get('video', name);
  473. }
  474. // Finally, take on video state and player's "after load" state.
  475. manifestReady.then(() => {
  476. if (!this.localVideo_) {
  477. // We've already been destroyed.
  478. return;
  479. }
  480. for (const name of shaka.cast.CastUtils.VideoInitStateAttributes) {
  481. this.localVideo_[name] = videoState[name];
  482. }
  483. for (const pair of shaka.cast.CastUtils.PlayerInitAfterLoadState) {
  484. const getter = pair[0];
  485. const setter = pair[1];
  486. const value = this.sender_.get('player', getter)();
  487. /** @type {Object} */(this.localPlayer_)[setter](value);
  488. }
  489. this.localPlayer_.setTextTrackVisibility(isTextTrackVisible);
  490. if (activeTextTrack) {
  491. this.localPlayer_.selectTextLanguage(
  492. activeTextTrack.language,
  493. activeTextTrack.roles,
  494. activeTextTrack.forced);
  495. }
  496. // Restore the original autoplay setting.
  497. this.localVideo_.autoplay = autoplay;
  498. if (assetUri) {
  499. // Resume playback with transferred state.
  500. this.localVideo_.play();
  501. }
  502. }, (error) => {
  503. // Pass any errors through to the app.
  504. goog.asserts.assert(error instanceof shaka.util.Error,
  505. 'Wrong error type!');
  506. const eventType = shaka.util.FakeEvent.EventName.Error;
  507. const data = (new Map()).set('detail', error);
  508. const event = new shaka.util.FakeEvent(eventType, data);
  509. this.localPlayer_.dispatchEvent(event);
  510. });
  511. }
  512. /**
  513. * @param {string} name
  514. * @return {?}
  515. * @private
  516. */
  517. videoProxyGet_(name) {
  518. if (name == 'addEventListener') {
  519. return (type, listener, options) => {
  520. return this.videoEventTarget_.addEventListener(type, listener, options);
  521. };
  522. }
  523. if (name == 'removeEventListener') {
  524. return (type, listener, options) => {
  525. return this.videoEventTarget_.removeEventListener(
  526. type, listener, options);
  527. };
  528. }
  529. // If we are casting, but the first update has not come in yet, use local
  530. // values, but not local methods.
  531. if (this.sender_.isCasting() && !this.sender_.hasRemoteProperties()) {
  532. const value = this.localVideo_[name];
  533. if (typeof value != 'function') {
  534. return value;
  535. }
  536. }
  537. // Use local values and methods if we are not casting.
  538. if (!this.sender_.isCasting()) {
  539. let value = this.localVideo_[name];
  540. if (typeof value == 'function') {
  541. // eslint-disable-next-line no-restricted-syntax
  542. value = value.bind(this.localVideo_);
  543. }
  544. return value;
  545. }
  546. return this.sender_.get('video', name);
  547. }
  548. /**
  549. * @param {string} name
  550. * @param {?} value
  551. * @private
  552. */
  553. videoProxySet_(name, value) {
  554. if (!this.sender_.isCasting()) {
  555. this.localVideo_[name] = value;
  556. return;
  557. }
  558. this.sender_.set('video', name, value);
  559. }
  560. /**
  561. * @param {!Event} event
  562. * @private
  563. */
  564. videoProxyLocalEvent_(event) {
  565. if (this.sender_.isCasting()) {
  566. // Ignore any unexpected local events while casting. Events can still be
  567. // fired by the local video and Player when we unload() after the Cast
  568. // connection is complete.
  569. return;
  570. }
  571. // Convert this real Event into a FakeEvent for dispatch from our
  572. // FakeEventListener.
  573. const fakeEvent = shaka.util.FakeEvent.fromRealEvent(event);
  574. this.videoEventTarget_.dispatchEvent(fakeEvent);
  575. }
  576. /**
  577. * @param {string} name
  578. * @return {?}
  579. * @private
  580. */
  581. playerProxyGet_(name) {
  582. // If name is a shortened compiled name, get the original version
  583. // from our map.
  584. if (this.compiledToExternNames_.has(name)) {
  585. name = this.compiledToExternNames_.get(name);
  586. }
  587. if (name == 'addEventListener') {
  588. return (type, listener, options) => {
  589. return this.playerEventTarget_.addEventListener(
  590. type, listener, options);
  591. };
  592. }
  593. if (name == 'removeEventListener') {
  594. return (type, listener, options) => {
  595. return this.playerEventTarget_.removeEventListener(
  596. type, listener, options);
  597. };
  598. }
  599. if (name == 'getMediaElement') {
  600. return () => this.videoProxy_;
  601. }
  602. if (name == 'getSharedConfiguration') {
  603. shaka.log.warning(
  604. 'Can\'t share configuration across a network. Returning copy.');
  605. return this.sender_.get('player', 'getConfiguration');
  606. }
  607. if (name == 'getNetworkingEngine') {
  608. // Always returns a local instance, in case you need to make a request.
  609. // Issues a warning, in case you think you are making a remote request
  610. // or affecting remote filters.
  611. if (this.sender_.isCasting()) {
  612. shaka.log.warning('NOTE: getNetworkingEngine() is always local!');
  613. }
  614. return () => this.localPlayer_.getNetworkingEngine();
  615. }
  616. if (name == 'getDrmEngine') {
  617. // Always returns a local instance.
  618. if (this.sender_.isCasting()) {
  619. shaka.log.warning('NOTE: getDrmEngine() is always local!');
  620. }
  621. return () => this.localPlayer_.getDrmEngine();
  622. }
  623. if (name == 'getAdManager') {
  624. // Always returns a local instance.
  625. if (this.sender_.isCasting()) {
  626. shaka.log.warning('NOTE: getAdManager() is always local!');
  627. }
  628. return () => this.localPlayer_.getAdManager();
  629. }
  630. if (name == 'setVideoContainer') {
  631. // Always returns a local instance.
  632. if (this.sender_.isCasting()) {
  633. shaka.log.warning('NOTE: setVideoContainer() is always local!');
  634. }
  635. return (container) => this.localPlayer_.setVideoContainer(container);
  636. }
  637. if (this.sender_.isCasting()) {
  638. // These methods are unavailable or otherwise stubbed during casting.
  639. if (name == 'getManifest' || name == 'drmInfo') {
  640. return () => {
  641. shaka.log.alwaysWarn(name + '() does not work while casting!');
  642. return null;
  643. };
  644. }
  645. if (name == 'attach' || name == 'detach') {
  646. return () => {
  647. shaka.log.alwaysWarn(name + '() does not work while casting!');
  648. return Promise.resolve();
  649. };
  650. }
  651. } // if (this.sender_.isCasting())
  652. // If we are casting, but the first update has not come in yet, use local
  653. // getters, but not local methods.
  654. if (this.sender_.isCasting() && !this.sender_.hasRemoteProperties()) {
  655. if (shaka.cast.CastUtils.PlayerGetterMethods.has(name) ||
  656. shaka.cast.CastUtils.LargePlayerGetterMethods.has(name)) {
  657. const value = /** @type {Object} */(this.localPlayer_)[name];
  658. goog.asserts.assert(typeof value == 'function',
  659. 'only methods on Player');
  660. // eslint-disable-next-line no-restricted-syntax
  661. return value.bind(this.localPlayer_);
  662. }
  663. }
  664. // Use local getters and methods if we are not casting.
  665. if (!this.sender_.isCasting()) {
  666. const value = /** @type {Object} */(this.localPlayer_)[name];
  667. goog.asserts.assert(typeof value == 'function',
  668. 'only methods on Player');
  669. // eslint-disable-next-line no-restricted-syntax
  670. return value.bind(this.localPlayer_);
  671. }
  672. return this.sender_.get('player', name);
  673. }
  674. /**
  675. * @param {!Event} event
  676. * @private
  677. */
  678. playerProxyLocalEvent_(event) {
  679. if (this.sender_.isCasting()) {
  680. // Ignore any unexpected local events while casting.
  681. return;
  682. }
  683. this.playerEventTarget_.dispatchEvent(event);
  684. }
  685. /**
  686. * @param {string} targetName
  687. * @param {!shaka.util.FakeEvent} event
  688. * @private
  689. */
  690. onRemoteEvent_(targetName, event) {
  691. goog.asserts.assert(this.sender_.isCasting(),
  692. 'Should only receive remote events while casting');
  693. if (!this.sender_.isCasting()) {
  694. // Ignore any unexpected remote events.
  695. return;
  696. }
  697. if (targetName == 'video') {
  698. this.videoEventTarget_.dispatchEvent(event);
  699. } else if (targetName == 'player') {
  700. this.playerEventTarget_.dispatchEvent(event);
  701. }
  702. }
  703. };