Source: lib/cast/cast_receiver.js

  1. /**
  2. * @license
  3. * Copyright 2016 Google Inc.
  4. *
  5. * Licensed under the Apache License, Version 2.0 (the "License");
  6. * you may not use this file except in compliance with the License.
  7. * You may obtain a copy of the License at
  8. *
  9. * http://www.apache.org/licenses/LICENSE-2.0
  10. *
  11. * Unless required by applicable law or agreed to in writing, software
  12. * distributed under the License is distributed on an "AS IS" BASIS,
  13. * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
  14. * See the License for the specific language governing permissions and
  15. * limitations under the License.
  16. */
  17. goog.provide('shaka.cast.CastReceiver');
  18. goog.require('goog.asserts');
  19. goog.require('shaka.cast.CastUtils');
  20. goog.require('shaka.log');
  21. goog.require('shaka.util.Error');
  22. goog.require('shaka.util.EventManager');
  23. goog.require('shaka.util.FakeEvent');
  24. goog.require('shaka.util.FakeEventTarget');
  25. goog.require('shaka.util.IDestroyable');
  26. /**
  27. * A receiver to communicate between the Chromecast-hosted player and the
  28. * sender application.
  29. *
  30. * @constructor
  31. * @struct
  32. * @param {!HTMLMediaElement} video The local video element associated with the
  33. * local Player instance.
  34. * @param {!shaka.Player} player A local Player instance.
  35. * @param {function(Object)=} opt_appDataCallback A callback to handle
  36. * application-specific data passed from the sender.
  37. * @param {function(string):string=} opt_contentIdCallback A callback to
  38. * retrieve manifest URI from the provided content id.
  39. * @implements {shaka.util.IDestroyable}
  40. * @extends {shaka.util.FakeEventTarget}
  41. * @export
  42. */
  43. shaka.cast.CastReceiver =
  44. function(video, player, opt_appDataCallback, opt_contentIdCallback) {
  45. shaka.util.FakeEventTarget.call(this);
  46. /** @private {HTMLMediaElement} */
  47. this.video_ = video;
  48. /** @private {shaka.Player} */
  49. this.player_ = player;
  50. /** @private {shaka.util.EventManager} */
  51. this.eventManager_ = new shaka.util.EventManager();
  52. /** @private {Object} */
  53. this.targets_ = {
  54. 'video': video,
  55. 'player': player
  56. };
  57. /** @private {?function(Object)} */
  58. this.appDataCallback_ = opt_appDataCallback || function() {};
  59. /** @private {?function(string):string} */
  60. this.opt_contentIdCallback_ = opt_contentIdCallback ||
  61. /** @param {string} contentId
  62. @return {string} */
  63. function(contentId) { return contentId; };
  64. /** @private {boolean} */
  65. this.isConnected_ = false;
  66. /** @private {boolean} */
  67. this.isIdle_ = true;
  68. /** @private {number} */
  69. this.updateNumber_ = 0;
  70. /** @private {boolean} */
  71. this.startUpdatingUpdateNumber_ = false;
  72. /** @private {boolean} */
  73. this.initialStatusUpdatePending_ = true;
  74. /** @private {cast.receiver.CastMessageBus} */
  75. this.shakaBus_ = null;
  76. /** @private {cast.receiver.CastMessageBus} */
  77. this.genericBus_ = null;
  78. /** @private {?number} */
  79. this.pollTimerId_ = null;
  80. this.init_();
  81. };
  82. goog.inherits(shaka.cast.CastReceiver, shaka.util.FakeEventTarget);
  83. /**
  84. * @return {boolean} True if the cast API is available and there are receivers.
  85. * @export
  86. */
  87. shaka.cast.CastReceiver.prototype.isConnected = function() {
  88. return this.isConnected_;
  89. };
  90. /**
  91. * @return {boolean} True if the receiver is not currently doing loading or
  92. * playing anything.
  93. * @export
  94. */
  95. shaka.cast.CastReceiver.prototype.isIdle = function() {
  96. return this.isIdle_;
  97. };
  98. /**
  99. * Destroys the underlying Player, then terminates the cast receiver app.
  100. *
  101. * @override
  102. * @export
  103. */
  104. shaka.cast.CastReceiver.prototype.destroy = function() {
  105. const async = [
  106. this.eventManager_ ? this.eventManager_.destroy() : null,
  107. this.player_ ? this.player_.destroy() : null,
  108. ];
  109. if (this.pollTimerId_ != null) {
  110. window.clearTimeout(this.pollTimerId_);
  111. }
  112. this.video_ = null;
  113. this.player_ = null;
  114. this.eventManager_ = null;
  115. this.targets_ = null;
  116. this.appDataCallback_ = null;
  117. this.isConnected_ = false;
  118. this.isIdle_ = true;
  119. this.shakaBus_ = null;
  120. this.genericBus_ = null;
  121. this.pollTimerId_ = null;
  122. return Promise.all(async).then(function() {
  123. let manager = cast.receiver.CastReceiverManager.getInstance();
  124. manager.stop();
  125. });
  126. };
  127. /** @private */
  128. shaka.cast.CastReceiver.prototype.init_ = function() {
  129. let manager = cast.receiver.CastReceiverManager.getInstance();
  130. manager.onSenderConnected = this.onSendersChanged_.bind(this);
  131. manager.onSenderDisconnected = this.onSendersChanged_.bind(this);
  132. manager.onSystemVolumeChanged = this.fakeVolumeChangeEvent_.bind(this);
  133. this.genericBus_ = manager.getCastMessageBus(
  134. shaka.cast.CastUtils.GENERIC_MESSAGE_NAMESPACE);
  135. this.genericBus_.onMessage = this.onGenericMessage_.bind(this);
  136. this.shakaBus_ = manager.getCastMessageBus(
  137. shaka.cast.CastUtils.SHAKA_MESSAGE_NAMESPACE);
  138. this.shakaBus_.onMessage = this.onShakaMessage_.bind(this);
  139. if (goog.DEBUG) {
  140. // Sometimes it is useful to load the receiver app in Chrome to work on the
  141. // UI. To avoid log spam caused by the SDK trying to connect to web sockets
  142. // that don't exist, in uncompiled mode we check if the hosting browser is a
  143. // Chromecast before starting the receiver manager. We wouldn't do browser
  144. // detection except for debugging, so only do this in uncompiled mode.
  145. let isChromecast = navigator.userAgent.indexOf('CrKey') >= 0;
  146. if (isChromecast) {
  147. manager.start();
  148. }
  149. } else {
  150. manager.start();
  151. }
  152. shaka.cast.CastUtils.VideoEvents.forEach(function(name) {
  153. this.eventManager_.listen(
  154. this.video_, name, this.proxyEvent_.bind(this, 'video'));
  155. }.bind(this));
  156. shaka.cast.CastUtils.PlayerEvents.forEach(function(name) {
  157. this.eventManager_.listen(
  158. this.player_, name, this.proxyEvent_.bind(this, 'player'));
  159. }.bind(this));
  160. // In our tests, the original Chromecast seems to have trouble decoding above
  161. // 1080p. It would be a waste to select a higher res anyway, given that the
  162. // device only outputs 1080p to begin with.
  163. // Chromecast has an extension to query the device/display's resolution.
  164. if (cast.__platform__ && cast.__platform__.canDisplayType(
  165. 'video/mp4; codecs="avc1.640028"; width=3840; height=2160')) {
  166. // The device and display can both do 4k. Assume a 4k limit.
  167. this.player_.setMaxHardwareResolution(3840, 2160);
  168. } else {
  169. // Chromecast has always been able to do 1080p. Assume a 1080p limit.
  170. this.player_.setMaxHardwareResolution(1920, 1080);
  171. }
  172. // Do not start excluding values from update messages until the video is
  173. // fully loaded.
  174. this.eventManager_.listen(this.video_, 'loadeddata', function() {
  175. this.startUpdatingUpdateNumber_ = true;
  176. }.bind(this));
  177. // Maintain idle state.
  178. this.eventManager_.listen(this.player_, 'loading', function() {
  179. // No longer idle once loading. This allows us to show the spinner during
  180. // the initial buffering phase.
  181. this.isIdle_ = false;
  182. this.onCastStatusChanged_();
  183. }.bind(this));
  184. this.eventManager_.listen(this.video_, 'playing', function() {
  185. // No longer idle once playing. This allows us to replay a video without
  186. // reloading.
  187. this.isIdle_ = false;
  188. this.onCastStatusChanged_();
  189. }.bind(this));
  190. this.eventManager_.listen(this.video_, 'pause', function() {
  191. this.onCastStatusChanged_();
  192. }.bind(this));
  193. this.eventManager_.listen(this.player_, 'unloading', function() {
  194. // Go idle when unloading content.
  195. this.isIdle_ = true;
  196. this.onCastStatusChanged_();
  197. }.bind(this));
  198. this.eventManager_.listen(this.video_, 'ended', function() {
  199. // Go idle 5 seconds after 'ended', assuming we haven't started again or
  200. // been destroyed.
  201. window.setTimeout(function() {
  202. if (this.video_ && this.video_.ended) {
  203. this.isIdle_ = true;
  204. this.onCastStatusChanged_();
  205. }
  206. }.bind(this), 5000);
  207. }.bind(this));
  208. // Do not start polling until after the sender's 'init' message is handled.
  209. };
  210. /** @private */
  211. shaka.cast.CastReceiver.prototype.onSendersChanged_ = function() {
  212. // Reset update message frequency values, to make sure whomever joined
  213. // will get a full update message.
  214. this.updateNumber_ = 0;
  215. // Don't reset startUpdatingUpdateNumber_, because this operation does not
  216. // result in new data being loaded.
  217. this.initialStatusUpdatePending_ = true;
  218. let manager = cast.receiver.CastReceiverManager.getInstance();
  219. this.isConnected_ = manager.getSenders().length != 0;
  220. this.onCastStatusChanged_();
  221. };
  222. /**
  223. * Dispatch an event to notify the receiver app that the status has changed.
  224. * @private
  225. */
  226. shaka.cast.CastReceiver.prototype.onCastStatusChanged_ = function() {
  227. // Do this asynchronously so that synchronous changes to idle state (such as
  228. // Player calling unload() as part of load()) are coalesced before the event
  229. // goes out.
  230. Promise.resolve().then(function() {
  231. if (!this.player_) {
  232. // We've already been destroyed.
  233. return;
  234. }
  235. let event = new shaka.util.FakeEvent('caststatuschanged');
  236. this.dispatchEvent(event);
  237. // Send a media status message, with a media info message if appropriate.
  238. if (!this.maybeSendMediaInfoMessage_()) {
  239. this.sendMediaStatus_(0);
  240. }
  241. }.bind(this));
  242. };
  243. /**
  244. * Take on initial state from the sender.
  245. * @param {shaka.cast.CastUtils.InitStateType} initState
  246. * @param {Object} appData
  247. * @private
  248. */
  249. shaka.cast.CastReceiver.prototype.initState_ = function(initState, appData) {
  250. // Take on player state first.
  251. for (let k in initState['player']) {
  252. let v = initState['player'][k];
  253. // All player state vars are setters to be called.
  254. /** @type {Object} */(this.player_)[k](v);
  255. }
  256. // Now process custom app data, which may add additional player configs:
  257. this.appDataCallback_(appData);
  258. let manifestReady = Promise.resolve();
  259. let autoplay = this.video_.autoplay;
  260. // Now load the manifest, if present.
  261. if (initState['manifest']) {
  262. // Don't autoplay the content until we finish setting up initial state.
  263. this.video_.autoplay = false;
  264. manifestReady = this.player_.load(
  265. initState['manifest'], initState['startTime']);
  266. }
  267. // Finally, take on video state and player's "after load" state.
  268. manifestReady.then(() => {
  269. if (!this.player_) {
  270. // We've already been destroyed.
  271. return;
  272. }
  273. for (let k in initState['video']) {
  274. let v = initState['video'][k];
  275. this.video_[k] = v;
  276. }
  277. for (let k in initState['playerAfterLoad']) {
  278. let v = initState['playerAfterLoad'][k];
  279. // All player state vars are setters to be called.
  280. /** @type {Object} */(this.player_)[k](v);
  281. }
  282. // Restore original autoplay setting.
  283. this.video_.autoplay = autoplay;
  284. if (initState['manifest']) {
  285. // Resume playback with transferred state.
  286. this.video_.play();
  287. // Notify generic controllers of the state change.
  288. this.sendMediaStatus_(0);
  289. }
  290. }, (error) => {
  291. // Pass any errors through to the app.
  292. goog.asserts.assert(error instanceof shaka.util.Error,
  293. 'Wrong error type!');
  294. let event = new shaka.util.FakeEvent('error', {'detail': error});
  295. this.player_.dispatchEvent(event);
  296. });
  297. };
  298. /**
  299. * @param {string} targetName
  300. * @param {!Event} event
  301. * @private
  302. */
  303. shaka.cast.CastReceiver.prototype.proxyEvent_ = function(targetName, event) {
  304. if (!this.player_) {
  305. // The receiver is destroyed, so it should ignore further events.
  306. return;
  307. }
  308. // Poll and send an update right before we send the event. Some events
  309. // indicate an attribute change, so that change should be visible when the
  310. // event is handled.
  311. this.pollAttributes_();
  312. this.sendMessage_({
  313. 'type': 'event',
  314. 'targetName': targetName,
  315. 'event': event
  316. }, this.shakaBus_);
  317. };
  318. /** @private */
  319. shaka.cast.CastReceiver.prototype.pollAttributes_ = function() {
  320. // The poll timer may have been pre-empted by an event.
  321. // To avoid polling too often, we clear it here.
  322. if (this.pollTimerId_ != null) {
  323. window.clearTimeout(this.pollTimerId_);
  324. }
  325. // Since we know the timer has been cleared, start a new one now.
  326. // This will be preempted by events, including 'timeupdate'.
  327. this.pollTimerId_ = window.setTimeout(this.pollAttributes_.bind(this), 500);
  328. let update = {
  329. 'video': {},
  330. 'player': {}
  331. };
  332. shaka.cast.CastUtils.VideoAttributes.forEach(function(name) {
  333. update['video'][name] = this.video_[name];
  334. }.bind(this));
  335. // TODO: Instead of this variable frequency update system, instead cache the
  336. // previous player state and only send over changed values, with complete
  337. // updates every ~20 updates to account for dropped messages.
  338. if (this.player_.isLive()) {
  339. for (let name in shaka.cast.CastUtils.PlayerGetterMethodsThatRequireLive) {
  340. let frequency =
  341. shaka.cast.CastUtils.PlayerGetterMethodsThatRequireLive[name];
  342. if (this.updateNumber_ % frequency == 0) {
  343. update['player'][name] = /** @type {Object} */ (this.player_)[name]();
  344. }
  345. }
  346. }
  347. for (let name in shaka.cast.CastUtils.PlayerGetterMethods) {
  348. let frequency = shaka.cast.CastUtils.PlayerGetterMethods[name];
  349. if (this.updateNumber_ % frequency == 0) {
  350. update['player'][name] = /** @type {Object} */ (this.player_)[name]();
  351. }
  352. }
  353. // Volume attributes are tied to the system volume.
  354. let manager = cast.receiver.CastReceiverManager.getInstance();
  355. let systemVolume = manager.getSystemVolume();
  356. if (systemVolume) {
  357. update['video']['volume'] = systemVolume.level;
  358. update['video']['muted'] = systemVolume.muted;
  359. }
  360. // Only start progressing the update number once data is loaded,
  361. // just in case any of the "rarely changing" properties with less frequent
  362. // update messages changes significantly during the loading process.
  363. if (this.startUpdatingUpdateNumber_) {
  364. this.updateNumber_ += 1;
  365. }
  366. this.sendMessage_({
  367. 'type': 'update',
  368. 'update': update
  369. }, this.shakaBus_);
  370. this.maybeSendMediaInfoMessage_();
  371. };
  372. /**
  373. * Composes and sends a mediaStatus message if appropriate.
  374. * @return {boolean}
  375. * @private
  376. */
  377. shaka.cast.CastReceiver.prototype.maybeSendMediaInfoMessage_ = function() {
  378. if (this.initialStatusUpdatePending_ &&
  379. (this.video_.duration || this.player_.isLive())) {
  380. // Send over a media status message to set the duration of the cast
  381. // dialogue.
  382. this.sendMediaInfoMessage_();
  383. this.initialStatusUpdatePending_ = false;
  384. return true;
  385. }
  386. return false;
  387. };
  388. /**
  389. * Composes and sends a mediaStatus message with a mediaInfo component.
  390. * @private
  391. */
  392. shaka.cast.CastReceiver.prototype.sendMediaInfoMessage_ = function() {
  393. let media = {
  394. 'contentId': this.player_.getManifestUri(),
  395. 'streamType': this.player_.isLive() ? 'LIVE' : 'BUFFERED',
  396. 'duration': this.video_.duration,
  397. // TODO: Is there a use case when this would be required?
  398. // Sending an empty string for now since it's a mandatory
  399. // field.
  400. 'contentType': ''
  401. };
  402. this.sendMediaStatus_(0, media);
  403. };
  404. /**
  405. * Dispatch a fake 'volumechange' event to mimic the video element, since volume
  406. * changes are routed to the system volume on the receiver.
  407. * @private
  408. */
  409. shaka.cast.CastReceiver.prototype.fakeVolumeChangeEvent_ = function() {
  410. // Volume attributes are tied to the system volume.
  411. let manager = cast.receiver.CastReceiverManager.getInstance();
  412. let systemVolume = manager.getSystemVolume();
  413. goog.asserts.assert(systemVolume, 'System volume should not be null!');
  414. if (systemVolume) {
  415. // Send an update message with just the latest volume level and muted state.
  416. this.sendMessage_({
  417. 'type': 'update',
  418. 'update': {
  419. 'video': {
  420. 'volume': systemVolume.level,
  421. 'muted': systemVolume.muted
  422. }
  423. }
  424. }, this.shakaBus_);
  425. }
  426. // Send another message with a 'volumechange' event to update the sender's UI.
  427. this.sendMessage_({
  428. 'type': 'event',
  429. 'targetName': 'video',
  430. 'event': {'type': 'volumechange'}
  431. }, this.shakaBus_);
  432. };
  433. /**
  434. * Since this method is in the compiled library, make sure all messages are
  435. * read with quoted properties.
  436. * @param {!cast.receiver.CastMessageBus.Event} event
  437. * @private
  438. */
  439. shaka.cast.CastReceiver.prototype.onShakaMessage_ = function(event) {
  440. let message = shaka.cast.CastUtils.deserialize(event.data);
  441. shaka.log.debug('CastReceiver: message', message);
  442. switch (message['type']) {
  443. case 'init':
  444. // Reset update message frequency values after initialization.
  445. this.updateNumber_ = 0;
  446. this.startUpdatingUpdateNumber_ = false;
  447. this.initialStatusUpdatePending_ = true;
  448. this.initState_(message['initState'], message['appData']);
  449. // The sender is supposed to reflect the cast system volume after
  450. // connecting. Using fakeVolumeChangeEvent_() would create a race on the
  451. // sender side, since it would have volume properties, but no others.
  452. // This would lead to hasRemoteProperties() being true, even though a
  453. // complete set had never been sent.
  454. // Now that we have init state, this is a good time for the first update
  455. // message anyway.
  456. this.pollAttributes_();
  457. break;
  458. case 'appData':
  459. this.appDataCallback_(message['appData']);
  460. break;
  461. case 'set': {
  462. let targetName = message['targetName'];
  463. let property = message['property'];
  464. let value = message['value'];
  465. if (targetName == 'video') {
  466. // Volume attributes must be rerouted to the system.
  467. let manager = cast.receiver.CastReceiverManager.getInstance();
  468. if (property == 'volume') {
  469. manager.setSystemVolumeLevel(value);
  470. break;
  471. } else if (property == 'muted') {
  472. manager.setSystemVolumeMuted(value);
  473. break;
  474. }
  475. }
  476. this.targets_[targetName][property] = value;
  477. break;
  478. }
  479. case 'call': {
  480. let targetName = message['targetName'];
  481. let methodName = message['methodName'];
  482. let args = message['args'];
  483. let target = this.targets_[targetName];
  484. target[methodName].apply(target, args);
  485. break;
  486. }
  487. case 'asyncCall': {
  488. let targetName = message['targetName'];
  489. let methodName = message['methodName'];
  490. if (targetName == 'player' && methodName == 'load') {
  491. // Reset update message frequency values after a load.
  492. this.updateNumber_ = 0;
  493. this.startUpdatingUpdateNumber_ = false;
  494. }
  495. let args = message['args'];
  496. let id = message['id'];
  497. let senderId = event.senderId;
  498. let target = this.targets_[targetName];
  499. let p = target[methodName].apply(target, args);
  500. if (targetName == 'player' && methodName == 'load') {
  501. // Wait until the manifest has actually loaded to send another media
  502. // info message, so on a new load it doesn't send the old info over.
  503. p = p.then(function() {
  504. this.initialStatusUpdatePending_ = true;
  505. }.bind(this));
  506. }
  507. // Replies must go back to the specific sender who initiated, so that we
  508. // don't have to deal with conflicting IDs between senders.
  509. p.then(this.sendAsyncComplete_.bind(this, senderId, id, /* error */ null),
  510. this.sendAsyncComplete_.bind(this, senderId, id));
  511. break;
  512. }
  513. }
  514. };
  515. /**
  516. * @param {!cast.receiver.CastMessageBus.Event} event
  517. * @private
  518. */
  519. shaka.cast.CastReceiver.prototype.onGenericMessage_ = function(event) {
  520. let message = shaka.cast.CastUtils.deserialize(event.data);
  521. shaka.log.debug('CastReceiver: message', message);
  522. // TODO(ismena): error message on duplicate request id from the same sender
  523. switch (message['type']) {
  524. case 'PLAY':
  525. this.video_.play();
  526. // Notify generic controllers that the player state changed.
  527. // requestId=0 (the parameter) means that the message was not
  528. // triggered by a GET_STATUS request.
  529. this.sendMediaStatus_(0);
  530. break;
  531. case 'PAUSE':
  532. this.video_.pause();
  533. this.sendMediaStatus_(0);
  534. break;
  535. case 'SEEK': {
  536. let currentTime = message['currentTime'];
  537. let resumeState = message['resumeState'];
  538. if (currentTime != null) {
  539. this.video_.currentTime = Number(currentTime);
  540. }
  541. if (resumeState && resumeState == 'PLAYBACK_START') {
  542. this.video_.play();
  543. this.sendMediaStatus_(0);
  544. } else if (resumeState && resumeState == 'PLAYBACK_PAUSE') {
  545. this.video_.pause();
  546. this.sendMediaStatus_(0);
  547. }
  548. break;
  549. }
  550. case 'STOP':
  551. this.player_.unload().then(function() {
  552. if (!this.player_) {
  553. // We've already been destroyed.
  554. return;
  555. }
  556. this.sendMediaStatus_(0);
  557. }.bind(this));
  558. break;
  559. case 'GET_STATUS':
  560. // TODO(ismena): According to the SDK this is supposed to be a
  561. // unicast message to the sender that requested the status,
  562. // but it doesn't appear to be working.
  563. // Look into what's going on there and change this to be a
  564. // unicast.
  565. this.sendMediaStatus_(Number(message['requestId']));
  566. break;
  567. case 'VOLUME': {
  568. let volumeObject = message['volume'];
  569. let level = volumeObject['level'];
  570. let muted = volumeObject['muted'];
  571. let oldVolumeLevel = this.video_.volume;
  572. let oldVolumeMuted = this.video_.muted;
  573. if (level != null) {
  574. this.video_.volume = Number(level);
  575. }
  576. if (muted != null) {
  577. this.video_.muted = muted;
  578. }
  579. // Notify generic controllers if the volume changed.
  580. if (oldVolumeLevel != this.video_.volume ||
  581. oldVolumeMuted != this.video_.muted) {
  582. this.sendMediaStatus_(0);
  583. }
  584. break;
  585. }
  586. case 'LOAD': {
  587. // Reset update message frequency values after a load.
  588. this.updateNumber_ = 0;
  589. this.startUpdatingUpdateNumber_ = false;
  590. this.initialStatusUpdatePending_ = false; // This already sends an update.
  591. let mediaInfo = message['media'];
  592. let contentId = mediaInfo['contentId'];
  593. let currentTime = message['currentTime'];
  594. let manifestUri = this.opt_contentIdCallback_(contentId);
  595. let autoplay = message['autoplay'] || true;
  596. if (autoplay) {
  597. this.video_.autoplay = true;
  598. }
  599. this.player_.load(manifestUri, currentTime).then(function() {
  600. if (!this.player_) {
  601. // We've already been destroyed.
  602. return;
  603. }
  604. // Notify generic controllers that the media has changed.
  605. this.sendMediaInfoMessage_();
  606. }.bind(this)).catch(function(error) {
  607. // Load failed. Dispatch the error message to the sender.
  608. let type = 'LOAD_FAILED';
  609. if (error.category == shaka.util.Error.Category.PLAYER &&
  610. error.code == shaka.util.Error.Code.LOAD_INTERRUPTED) {
  611. type = 'LOAD_CANCELLED';
  612. }
  613. this.sendMessage_({
  614. 'requestId': Number(message['requestId']),
  615. 'type': type
  616. }, this.genericBus_);
  617. }.bind(this));
  618. break;
  619. }
  620. default:
  621. shaka.log.warning(
  622. 'Unrecognized message type from the generic Chromecast controller!',
  623. message['type']);
  624. // Dispatch an error to the sender.
  625. this.sendMessage_({
  626. 'requestId': Number(message['requestId']),
  627. 'type': 'INVALID_REQUEST',
  628. 'reason': 'INVALID_COMMAND'
  629. }, this.genericBus_);
  630. break;
  631. }
  632. };
  633. /**
  634. * Tell the sender that the async operation is complete.
  635. * @param {string} senderId
  636. * @param {string} id
  637. * @param {shaka.util.Error} error
  638. * @private
  639. */
  640. shaka.cast.CastReceiver.prototype.sendAsyncComplete_ =
  641. function(senderId, id, error) {
  642. if (!this.player_) {
  643. // We've already been destroyed.
  644. return;
  645. }
  646. this.sendMessage_({
  647. 'type': 'asyncComplete',
  648. 'id': id,
  649. 'error': error
  650. }, this.shakaBus_, senderId);
  651. };
  652. /**
  653. * Since this method is in the compiled library, make sure all messages passed
  654. * in here were created with quoted property names.
  655. * @param {!Object} message
  656. * @param {cast.receiver.CastMessageBus} bus
  657. * @param {string=} opt_senderId
  658. * @private
  659. */
  660. shaka.cast.CastReceiver.prototype.sendMessage_ =
  661. function(message, bus, opt_senderId) {
  662. // Cuts log spam when debugging the receiver UI in Chrome.
  663. if (!this.isConnected_) return;
  664. let serialized = shaka.cast.CastUtils.serialize(message);
  665. if (opt_senderId) {
  666. bus.getCastChannel(opt_senderId).send(serialized);
  667. } else {
  668. bus.broadcast(serialized);
  669. }
  670. };
  671. /**
  672. * @return {string}
  673. * @private
  674. */
  675. shaka.cast.CastReceiver.prototype.getPlayState_ = function() {
  676. let playState = shaka.cast.CastReceiver.PLAY_STATE;
  677. if (this.isIdle_) {
  678. return playState.IDLE;
  679. } else if (this.player_.isBuffering()) {
  680. return playState.BUFFERING;
  681. } else if (this.video_.paused) {
  682. return playState.PAUSED;
  683. } else {
  684. return playState.PLAYING;
  685. }
  686. };
  687. /**
  688. * @param {number} requestId
  689. * @param {Object=} opt_media
  690. * @private
  691. */
  692. shaka.cast.CastReceiver.prototype.sendMediaStatus_ =
  693. function(requestId, opt_media) {
  694. let mediaStatus = {
  695. // mediaSessionId is a unique ID for the playback of this specific session.
  696. // It's used to identify a specific instance of a playback.
  697. // We don't support multiple playbacks, so just return 0.
  698. 'mediaSessionId': 0,
  699. 'playbackRate': this.video_.playbackRate,
  700. 'playerState': this.getPlayState_(),
  701. 'currentTime': this.video_.currentTime,
  702. // supportedMediaCommands is a sum of all the flags of commands that the
  703. // player supports.
  704. // The list of comands with respective flags is:
  705. // 1 - Pause
  706. // 2 - Seek
  707. // 4 - Stream volume
  708. // 8 - Stream mute
  709. // 16 - Skip forward
  710. // 32 - Skip backward
  711. // We support pause, seek, volume and mute which gives a value of
  712. // 1+2+4+8=15
  713. 'supportedMediaCommands': 15,
  714. 'volume': {
  715. 'level': this.video_.volume,
  716. 'muted': this.video_.muted
  717. }
  718. };
  719. if (opt_media) {
  720. mediaStatus['media'] = opt_media;
  721. }
  722. let ret = {
  723. 'requestId': requestId,
  724. 'type': 'MEDIA_STATUS',
  725. 'status': [mediaStatus]
  726. };
  727. this.sendMessage_(ret, this.genericBus_);
  728. };
  729. /**
  730. * @enum {string}
  731. */
  732. shaka.cast.CastReceiver.PLAY_STATE = {
  733. IDLE: 'IDLE',
  734. PLAYING: 'PLAYING',
  735. BUFFERING: 'BUFFERING',
  736. PAUSED: 'PAUSED'
  737. };