Source: lib/player.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.Player');
  18. goog.require('goog.asserts');
  19. goog.require('shaka.abr.SimpleAbrManager');
  20. goog.require('shaka.log');
  21. goog.require('shaka.media.DrmEngine');
  22. goog.require('shaka.media.ManifestParser');
  23. goog.require('shaka.media.MediaSourceEngine');
  24. goog.require('shaka.media.Playhead');
  25. goog.require('shaka.media.SegmentReference');
  26. goog.require('shaka.media.StreamingEngine');
  27. goog.require('shaka.net.NetworkingEngine');
  28. goog.require('shaka.util.CancelableChain');
  29. goog.require('shaka.util.ConfigUtils');
  30. goog.require('shaka.util.Error');
  31. goog.require('shaka.util.EventManager');
  32. goog.require('shaka.util.FakeEvent');
  33. goog.require('shaka.util.FakeEventTarget');
  34. goog.require('shaka.util.IDestroyable');
  35. goog.require('shaka.util.MapUtils');
  36. goog.require('shaka.util.PublicPromise');
  37. goog.require('shaka.util.StreamUtils');
  38. /**
  39. * Construct a Player.
  40. *
  41. * @param {!HTMLMediaElement} video Any existing TextTracks attached to this
  42. * element that were not created by Shaka will be disabled. A new TextTrack
  43. * may be created to display captions or subtitles.
  44. * @param {function(shaka.Player)=} opt_dependencyInjector Optional callback
  45. * which is called to inject mocks into the Player. Used for testing.
  46. *
  47. * @constructor
  48. * @struct
  49. * @implements {shaka.util.IDestroyable}
  50. * @extends {shaka.util.FakeEventTarget}
  51. * @export
  52. */
  53. shaka.Player = function(video, opt_dependencyInjector) {
  54. shaka.util.FakeEventTarget.call(this);
  55. /** @private {boolean} */
  56. this.destroyed_ = false;
  57. /** @private {HTMLMediaElement} */
  58. this.video_ = video;
  59. /** @private {TextTrack} */
  60. this.textTrack_ = null;
  61. /** @private {shaka.util.EventManager} */
  62. this.eventManager_ = new shaka.util.EventManager();
  63. /** @private {shakaExtern.AbrManager} */
  64. this.defaultAbrManager_ = new shaka.abr.SimpleAbrManager();
  65. /** @private {shaka.net.NetworkingEngine} */
  66. this.networkingEngine_ = null;
  67. /** @private {shaka.media.DrmEngine} */
  68. this.drmEngine_ = null;
  69. /** @private {MediaSource} */
  70. this.mediaSource_ = null;
  71. /** @private {shaka.media.MediaSourceEngine} */
  72. this.mediaSourceEngine_ = null;
  73. /** @private {Promise} */
  74. this.mediaSourceOpen_ = null;
  75. /** @private {shaka.media.Playhead} */
  76. this.playhead_ = null;
  77. /** @private {shaka.media.StreamingEngine} */
  78. this.streamingEngine_ = null;
  79. /** @private {shakaExtern.ManifestParser} */
  80. this.parser_ = null;
  81. /** @private {?shakaExtern.Manifest} */
  82. this.manifest_ = null;
  83. /** @private {?string} */
  84. this.manifestUri_ = null;
  85. /**
  86. * Contains an ID for use with creating streams. The manifest parser should
  87. * start with small IDs, so this starts with a large one.
  88. * @private {number}
  89. */
  90. this.nextExternalStreamId_ = 1e9;
  91. /** @private {!Array.<number>} */
  92. this.loadingTextStreamIds_ = [];
  93. /** @private {boolean} */
  94. this.buffering_ = false;
  95. /** @private {boolean} */
  96. this.switchingPeriods_ = true;
  97. /** @private {shaka.util.CancelableChain} */
  98. this.loadChain_ = null;
  99. /**
  100. * @private {!Object.<string, {stream: shakaExtern.Stream, clear: boolean}>}
  101. */
  102. this.deferredSwitches_ = {};
  103. /** @private {?shakaExtern.PlayerConfiguration} */
  104. this.config_ = this.defaultConfig_();
  105. /** @private {{width: number, height: number}} */
  106. this.maxHwRes_ = { width: Infinity, height: Infinity };
  107. /** @private {!Array.<shakaExtern.StreamChoice>} */
  108. this.switchHistory_ = [];
  109. /** @private {number} */
  110. this.playTime_ = 0;
  111. /** @private {number} */
  112. this.bufferingTime_ = 0;
  113. /** @private {number} */
  114. this.lastStatUpdateTimestamp_ = 0;
  115. if (opt_dependencyInjector)
  116. opt_dependencyInjector(this);
  117. this.networkingEngine_ = this.createNetworkingEngine();
  118. this.initialize_();
  119. };
  120. goog.inherits(shaka.Player, shaka.util.FakeEventTarget);
  121. /**
  122. * After destruction, a Player object cannot be used again.
  123. *
  124. * @override
  125. * @export
  126. */
  127. shaka.Player.prototype.destroy = function() {
  128. this.destroyed_ = true;
  129. var cancelation = Promise.resolve();
  130. if (this.loadChain_) {
  131. // A load is in progress. Cancel it.
  132. cancelation = this.loadChain_.cancel(new shaka.util.Error(
  133. shaka.util.Error.Category.PLAYER,
  134. shaka.util.Error.Code.LOAD_INTERRUPTED));
  135. }
  136. return cancelation.then(function() {
  137. var p = Promise.all([
  138. this.destroyStreaming_(),
  139. this.eventManager_ ? this.eventManager_.destroy() : null,
  140. this.networkingEngine_ ? this.networkingEngine_.destroy() : null
  141. ]);
  142. this.video_ = null;
  143. this.textTrack_ = null;
  144. this.eventManager_ = null;
  145. this.defaultAbrManager_ = null;
  146. this.networkingEngine_ = null;
  147. this.config_ = null;
  148. return p;
  149. }.bind(this));
  150. };
  151. /**
  152. * @define {string} A version number taken from git at compile time.
  153. */
  154. goog.define('GIT_VERSION', 'v2.0.0-debug');
  155. /**
  156. * @const {string}
  157. * @export
  158. */
  159. shaka.Player.version = GIT_VERSION;
  160. /**
  161. * @event shaka.Player.ErrorEvent
  162. * @description Fired when a playback error occurs.
  163. * @property {string} type
  164. * 'error'
  165. * @property {!shaka.util.Error} detail
  166. * An object which contains details on the error. The error's 'category' and
  167. * 'code' properties will identify the specific error that occured. In an
  168. * uncompiled build, you can also use the 'message' and 'stack' properties
  169. * to debug.
  170. * @exportDoc
  171. */
  172. /**
  173. * @event shaka.Player.EmsgEvent
  174. * @description Fired when a non-typical emsg is found in a segment.
  175. * @property {string} type
  176. * 'emsg'
  177. * @property {!shaka.dash.DashParser.EmsgInfo} detail
  178. * An object which contains the content of the emsg box.
  179. * @exportDoc
  180. */
  181. /**
  182. * @event shaka.Player.BufferingEvent
  183. * @description Fired when the player's buffering state changes.
  184. * @property {string} type
  185. * 'buffering'
  186. * @property {boolean} buffering
  187. * True when the Player enters the buffering state.
  188. * False when the Player leaves the buffering state.
  189. * @exportDoc
  190. */
  191. /**
  192. * @event shaka.Player.LoadingEvent
  193. * @description Fired when the player begins loading.
  194. * Used by the Cast receiver to determine idle state.
  195. * @property {string} type
  196. * 'loading'
  197. * @exportDoc
  198. */
  199. /**
  200. * @event shaka.Player.UnloadingEvent
  201. * @description Fired when the player unloads or fails to load.
  202. * Used by the Cast receiver to determine idle state.
  203. * @property {string} type
  204. * 'unloading'
  205. * @exportDoc
  206. */
  207. /**
  208. * @event shaka.Player.TextTrackVisibilityEvent
  209. * @description Fired when text track visibility changes.
  210. * @property {string} type
  211. * 'texttrackvisibility'
  212. * @exportDoc
  213. */
  214. /**
  215. * @event shaka.Player.TracksChangedEvent
  216. * @description Fired when the list of tracks changes. For example, this will
  217. * happen when changing periods or when track restrictions change.
  218. * @property {string} type
  219. * 'trackschanged'
  220. * @exportDoc
  221. */
  222. /**
  223. * @event shaka.Player.AdaptationEvent
  224. * @description Fired when an automatic adaptation causes the active tracks
  225. * to change. Does not fire when the application calls selectTrack().
  226. * @property {string} type
  227. * 'adaptation'
  228. * @exportDoc
  229. */
  230. /** @private {!Object.<string, function():*>} */
  231. shaka.Player.supportPlugins_ = {};
  232. /**
  233. * Registers a plugin callback that will be called with support(). The
  234. * callback will return the value that will be stored in the return value from
  235. * support().
  236. *
  237. * @param {string} name
  238. * @param {function():*} callback
  239. * @export
  240. */
  241. shaka.Player.registerSupportPlugin = function(name, callback) {
  242. shaka.Player.supportPlugins_[name] = callback;
  243. };
  244. /**
  245. * Return whether the browser provides basic support. If this returns false,
  246. * Shaka Player cannot be used at all. In this case, do not construct a Player
  247. * instance and do not use the library.
  248. *
  249. * @return {boolean}
  250. * @export
  251. */
  252. shaka.Player.isBrowserSupported = function() {
  253. // Basic features needed for the library to be usable.
  254. var basic = !!window.Promise && !!window.Uint8Array &&
  255. !!Array.prototype.forEach;
  256. return basic &&
  257. shaka.media.MediaSourceEngine.isBrowserSupported() &&
  258. shaka.media.DrmEngine.isBrowserSupported();
  259. };
  260. /**
  261. * Probes the browser to determine what features are supported. This makes a
  262. * number of requests to EME/MSE/etc which may result in user prompts. This
  263. * should only be used for diagnostics.
  264. *
  265. * NOTE: This may show a request to the user for permission.
  266. *
  267. * @see https://goo.gl/ovYLvl
  268. * @return {!Promise.<shakaExtern.SupportType>}
  269. * @export
  270. */
  271. shaka.Player.probeSupport = function() {
  272. goog.asserts.assert(shaka.Player.isBrowserSupported(),
  273. 'Must have basic support');
  274. return shaka.media.DrmEngine.probeSupport().then(function(drm) {
  275. var manifest = shaka.media.ManifestParser.probeSupport();
  276. var media = shaka.media.MediaSourceEngine.probeSupport();
  277. var ret = {
  278. manifest: manifest,
  279. media: media,
  280. drm: drm
  281. };
  282. var plugins = shaka.Player.supportPlugins_;
  283. for (var name in plugins) {
  284. ret[name] = plugins[name]();
  285. }
  286. return ret;
  287. });
  288. };
  289. /**
  290. * Load a manifest.
  291. *
  292. * @param {string} manifestUri
  293. * @param {number=} opt_startTime Optional start time, in seconds, to begin
  294. * playback. Defaults to 0 for VOD and to the live edge for live.
  295. * @param {shakaExtern.ManifestParser.Factory=} opt_manifestParserFactory
  296. * Optional manifest parser factory to override auto-detection or use an
  297. * unregistered parser.
  298. * @return {!Promise} Resolved when the manifest has been loaded and playback
  299. * has begun; rejected when an error occurs or the call was interrupted by
  300. * destroy(), unload() or another call to load().
  301. * @export
  302. */
  303. shaka.Player.prototype.load = function(manifestUri, opt_startTime,
  304. opt_manifestParserFactory) {
  305. var unloadPromise = this.unload();
  306. var loadChain = new shaka.util.CancelableChain();
  307. this.loadChain_ = loadChain;
  308. this.dispatchEvent(new shaka.util.FakeEvent('loading'));
  309. return loadChain.then(function() {
  310. return unloadPromise;
  311. }).then(function() {
  312. goog.asserts.assert(this.networkingEngine_, 'Must not be destroyed');
  313. return shaka.media.ManifestParser.getFactory(
  314. manifestUri,
  315. this.networkingEngine_,
  316. this.config_.manifest.retryParameters,
  317. opt_manifestParserFactory);
  318. }.bind(this)).then(function(factory) {
  319. this.parser_ = new factory();
  320. this.parser_.configure(this.config_.manifest);
  321. goog.asserts.assert(this.networkingEngine_, 'Must not be destroyed');
  322. return this.parser_.start(
  323. manifestUri,
  324. this.networkingEngine_,
  325. this.filterPeriod_.bind(this),
  326. this.onError_.bind(this),
  327. this.onEvent_.bind(this));
  328. }.bind(this)).then(function(manifest) {
  329. this.manifest_ = manifest;
  330. this.manifestUri_ = manifestUri;
  331. this.drmEngine_ = this.createDrmEngine();
  332. this.drmEngine_.configure(this.config_.drm);
  333. return this.drmEngine_.init(manifest, false /* isOffline */);
  334. }.bind(this)).then(function() {
  335. // Re-filter the manifest after DRM has been initialized.
  336. this.manifest_.periods.forEach(this.filterPeriod_.bind(this));
  337. this.lastStatUpdateTimestamp_ = Date.now() / 1000;
  338. // Wait for MediaSource to open before continuing.
  339. return Promise.all([
  340. this.drmEngine_.attach(this.video_),
  341. this.mediaSourceOpen_
  342. ]);
  343. }.bind(this)).then(function() {
  344. // MediaSource is open, so create the Playhead, MediaSourceEngine, and
  345. // StreamingEngine.
  346. this.playhead_ = this.createPlayhead(opt_startTime);
  347. this.mediaSourceEngine_ = this.createMediaSourceEngine();
  348. this.streamingEngine_ = this.createStreamingEngine();
  349. this.streamingEngine_.configure(this.config_.streaming);
  350. return this.streamingEngine_.init();
  351. }.bind(this)).then(function() {
  352. // Re-filter the manifest after streams have been chosen.
  353. this.manifest_.periods.forEach(this.filterPeriod_.bind(this));
  354. // Dispatch a 'trackschanged' event now that all initial filtering is done.
  355. this.onTracksChanged_();
  356. // Since the first streams just became active, send an adaptation event.
  357. this.onAdaptation_();
  358. this.config_.abr.manager.init(this.switch_.bind(this));
  359. this.loadChain_ = null;
  360. }.bind(this)).finalize().catch(function(error) {
  361. goog.asserts.assert(error instanceof shaka.util.Error,
  362. 'Wrong error type!');
  363. shaka.log.debug('load() failed:', error);
  364. // If we haven't started another load, clear the loadChain_ member.
  365. if (this.loadChain_ == loadChain) {
  366. this.loadChain_ = null;
  367. this.dispatchEvent(new shaka.util.FakeEvent('unloading'));
  368. }
  369. return Promise.reject(error);
  370. }.bind(this));
  371. };
  372. /**
  373. * Creates a new instance of DrmEngine. This can be replaced by tests to
  374. * create fake instances instead.
  375. *
  376. * @return {!shaka.media.DrmEngine}
  377. */
  378. shaka.Player.prototype.createDrmEngine = function() {
  379. goog.asserts.assert(this.networkingEngine_, 'Must not be destroyed');
  380. return new shaka.media.DrmEngine(
  381. this.networkingEngine_,
  382. this.onError_.bind(this),
  383. this.onKeyStatus_.bind(this));
  384. };
  385. /**
  386. * Creates a new instance of NetworkingEngine. This can be replaced by tests
  387. * to create fake instances instead.
  388. *
  389. * @return {!shaka.net.NetworkingEngine}
  390. */
  391. shaka.Player.prototype.createNetworkingEngine = function() {
  392. return new shaka.net.NetworkingEngine(this.onSegmentDownloaded_.bind(this));
  393. };
  394. /**
  395. * Creates a new instance of Playhead. This can be replaced by tests to create
  396. * fake instances instead.
  397. *
  398. * @param {number=} opt_startTime
  399. * @return {!shaka.media.Playhead}
  400. */
  401. shaka.Player.prototype.createPlayhead = function(opt_startTime) {
  402. var timeline = this.manifest_.presentationTimeline;
  403. var rebufferingGoal = shaka.media.StreamingEngine.getRebufferingGoal(
  404. this.manifest_, this.config_.streaming, 1 /* scaleFactor */);
  405. return new shaka.media.Playhead(
  406. this.video_, timeline, rebufferingGoal, opt_startTime || null,
  407. this.onBuffering_.bind(this), this.onSeek_.bind(this));
  408. };
  409. /**
  410. * Create and open MediaSource. Potentially slow.
  411. *
  412. * @return {!Promise}
  413. */
  414. shaka.Player.prototype.createMediaSource = function() {
  415. this.mediaSource_ = new MediaSource();
  416. var ret = new shaka.util.PublicPromise();
  417. this.eventManager_.listen(this.mediaSource_, 'sourceopen', ret.resolve);
  418. this.video_.src = window.URL.createObjectURL(this.mediaSource_);
  419. return ret;
  420. };
  421. /**
  422. * Creates a new instance of MediaSourceEngine. This can be replaced by tests
  423. * to create fake instances instead.
  424. *
  425. * @return {!shaka.media.MediaSourceEngine}
  426. */
  427. shaka.Player.prototype.createMediaSourceEngine = function() {
  428. return new shaka.media.MediaSourceEngine(
  429. this.video_, this.mediaSource_, this.textTrack_);
  430. };
  431. /**
  432. * Creates a new instance of StreamingEngine. This can be replaced by tests
  433. * to create fake instances instead.
  434. *
  435. * @return {!shaka.media.StreamingEngine}
  436. */
  437. shaka.Player.prototype.createStreamingEngine = function() {
  438. goog.asserts.assert(this.playhead_, 'Must not be destroyed');
  439. goog.asserts.assert(this.mediaSourceEngine_, 'Must not be destroyed');
  440. goog.asserts.assert(this.manifest_, 'Must not be destroyed');
  441. return new shaka.media.StreamingEngine(
  442. this.playhead_, this.mediaSourceEngine_, this.networkingEngine_,
  443. this.manifest_, this.onChooseStreams_.bind(this),
  444. this.canSwitch_.bind(this), this.onError_.bind(this));
  445. };
  446. /**
  447. * Configure the Player instance.
  448. *
  449. * The config object passed in need not be complete. It will be merged with
  450. * the existing Player configuration.
  451. *
  452. * Config keys and types will be checked. If any problems with the config
  453. * object are found, errors will be reported through logs.
  454. *
  455. * @param {shakaExtern.PlayerConfiguration} config
  456. * @export
  457. */
  458. shaka.Player.prototype.configure = function(config) {
  459. goog.asserts.assert(this.config_, 'Config must not be null!');
  460. if (config.abr && config.abr.manager &&
  461. config.abr.manager != this.config_.abr.manager) {
  462. this.config_.abr.manager.stop();
  463. config.abr.manager.init(this.switch_.bind(this));
  464. }
  465. shaka.util.ConfigUtils.mergeConfigObjects(
  466. this.config_, config, this.defaultConfig_(), this.configOverrides_(), '');
  467. this.applyConfig_();
  468. };
  469. /**
  470. * Apply config changes.
  471. * @private
  472. */
  473. shaka.Player.prototype.applyConfig_ = function() {
  474. if (this.parser_) {
  475. this.parser_.configure(this.config_.manifest);
  476. }
  477. if (this.drmEngine_) {
  478. this.drmEngine_.configure(this.config_.drm);
  479. }
  480. if (this.streamingEngine_) {
  481. this.streamingEngine_.configure(this.config_.streaming);
  482. // Need to apply the restrictions to every period.
  483. this.manifest_.periods.forEach(this.filterPeriod_.bind(this));
  484. // May need to choose new streams.
  485. shaka.log.debug('Choosing new streams after changing configuration');
  486. var period = this.streamingEngine_.getCurrentPeriod();
  487. this.chooseStreamsAndSwitch_(period);
  488. }
  489. // Simply enable/disable ABR with each call, since multiple calls to these
  490. // methods have no effect.
  491. if (this.config_.abr.enabled && !this.switchingPeriods_) {
  492. this.config_.abr.manager.enable();
  493. } else {
  494. this.config_.abr.manager.disable();
  495. }
  496. this.config_.abr.manager.setDefaultEstimate(
  497. this.config_.abr.defaultBandwidthEstimate);
  498. };
  499. /**
  500. * Return a copy of the current configuration. Modifications of the returned
  501. * value will not affect the Player's active configuration. You must call
  502. * player.configure() to make changes.
  503. *
  504. * @return {shakaExtern.PlayerConfiguration}
  505. * @export
  506. */
  507. shaka.Player.prototype.getConfiguration = function() {
  508. goog.asserts.assert(this.config_, 'Config must not be null!');
  509. var ret = this.defaultConfig_();
  510. shaka.util.ConfigUtils.mergeConfigObjects(
  511. ret, this.config_, this.defaultConfig_(), this.configOverrides_(), '');
  512. return ret;
  513. };
  514. /**
  515. * Reset configuration to default.
  516. * @export
  517. */
  518. shaka.Player.prototype.resetConfiguration = function() {
  519. var config = this.defaultConfig_();
  520. if (config.abr && config.abr.manager &&
  521. config.abr.manager != this.config_.abr.manager) {
  522. this.config_.abr.manager.stop();
  523. config.abr.manager.init(this.switch_.bind(this));
  524. }
  525. // Don't call mergeConfigObjects_(), since that would not reset open-ended
  526. // dictionaries like drm.servers.
  527. this.config_ = this.defaultConfig_();
  528. this.applyConfig_();
  529. };
  530. /**
  531. * @return {shaka.net.NetworkingEngine} A reference to the Player's networking
  532. * engine. Applications may use this to make requests through Shaka's
  533. * networking plugins.
  534. * @export
  535. */
  536. shaka.Player.prototype.getNetworkingEngine = function() {
  537. return this.networkingEngine_;
  538. };
  539. /**
  540. * @return {?string} If a manifest is loaded, returns the manifest URI given in
  541. * the last call to load(). Otherwise, returns null.
  542. * @export
  543. */
  544. shaka.Player.prototype.getManifestUri = function() {
  545. return this.manifestUri_;
  546. };
  547. /**
  548. * @return {boolean} True if the current stream is live. False otherwise.
  549. * @export
  550. */
  551. shaka.Player.prototype.isLive = function() {
  552. return this.manifest_ ?
  553. this.manifest_.presentationTimeline.isLive() :
  554. false;
  555. };
  556. /**
  557. * @return {boolean} True if the current stream is in-progress VOD.
  558. * False otherwise.
  559. * @export
  560. */
  561. shaka.Player.prototype.isInProgress = function() {
  562. return this.manifest_ ?
  563. this.manifest_.presentationTimeline.isInProgress() :
  564. false;
  565. };
  566. /**
  567. * Get the seekable range for the current stream.
  568. * @return {{start: number, end: number}}
  569. * @export
  570. */
  571. shaka.Player.prototype.seekRange = function() {
  572. var start = 0;
  573. var end = 0;
  574. if (this.manifest_) {
  575. var timeline = this.manifest_.presentationTimeline;
  576. start = timeline.getSegmentAvailabilityStart();
  577. end = timeline.getSeekRangeEnd();
  578. }
  579. return {'start': start, 'end': end};
  580. };
  581. /**
  582. * Get the key system currently being used by EME. This returns the empty
  583. * string if not using EME.
  584. *
  585. * @return {string}
  586. * @export
  587. */
  588. shaka.Player.prototype.keySystem = function() {
  589. return this.drmEngine_ ? this.drmEngine_.keySystem() : '';
  590. };
  591. /**
  592. * Get the DrmInfo used to initialize EME. This returns null when not using
  593. * EME.
  594. *
  595. * @return {?shakaExtern.DrmInfo}
  596. * @export
  597. */
  598. shaka.Player.prototype.drmInfo = function() {
  599. return this.drmEngine_ ? this.drmEngine_.getDrmInfo() : null;
  600. };
  601. /**
  602. * @return {boolean} True if the Player is in a buffering state.
  603. * @export
  604. */
  605. shaka.Player.prototype.isBuffering = function() {
  606. return this.buffering_;
  607. };
  608. /**
  609. * Unload the current manifest and make the Player available for re-use.
  610. *
  611. * @return {!Promise} Resolved when streaming has stopped and the previous
  612. * content, if any, has been unloaded.
  613. * @export
  614. */
  615. shaka.Player.prototype.unload = function() {
  616. if (this.destroyed_) return Promise.resolve();
  617. this.dispatchEvent(new shaka.util.FakeEvent('unloading'));
  618. if (this.loadChain_) {
  619. // A load is in progress. Cancel it, then reset the streaming system.
  620. var interrupt = new shaka.util.Error(
  621. shaka.util.Error.Category.PLAYER,
  622. shaka.util.Error.Code.LOAD_INTERRUPTED);
  623. return this.loadChain_.cancel(interrupt)
  624. .then(this.resetStreaming_.bind(this));
  625. } else {
  626. // No loads or unloads are in progress.
  627. // Just reset the streaming system if needed.
  628. return this.resetStreaming_();
  629. }
  630. };
  631. /**
  632. * Gets the current effective playback rate. If using trick play, it will
  633. * return the current trick play rate; otherwise, it will return the video
  634. * playback rate.
  635. * @return {number}
  636. * @export
  637. */
  638. shaka.Player.prototype.getPlaybackRate = function() {
  639. return this.playhead_ ? this.playhead_.getPlaybackRate() : 0;
  640. };
  641. /**
  642. * Skip through the content without playing. Simulated using repeated seeks.
  643. *
  644. * Trick play will be canceled automatically if the playhead hits the beginning
  645. * or end of the seekable range for the content.
  646. *
  647. * @param {number} rate The playback rate to simulate. For example, a rate of
  648. * 2.5 would result in 2.5 seconds of content being skipped every second.
  649. * To trick-play backward, use a negative rate.
  650. * @export
  651. */
  652. shaka.Player.prototype.trickPlay = function(rate) {
  653. if (this.playhead_)
  654. this.playhead_.setPlaybackRate(rate);
  655. };
  656. /**
  657. * Cancel trick-play.
  658. * @export
  659. */
  660. shaka.Player.prototype.cancelTrickPlay = function() {
  661. if (this.playhead_)
  662. this.playhead_.setPlaybackRate(1);
  663. };
  664. /**
  665. * Return a list of audio, video, and text tracks available for the current
  666. * Period. If there are multiple Periods, then you must seek to the Period
  667. * before being able to switch.
  668. *
  669. * @return {!Array.<shakaExtern.Track>}
  670. * @export
  671. */
  672. shaka.Player.prototype.getTracks = function() {
  673. if (!this.streamingEngine_)
  674. return [];
  675. var activeStreams = this.streamingEngine_.getActiveStreams();
  676. var period = this.streamingEngine_.getCurrentPeriod();
  677. return shaka.util.StreamUtils.getTracks(period, activeStreams)
  678. .filter(function(track) {
  679. // Don't show any tracks that are being loaded still.
  680. return this.loadingTextStreamIds_.indexOf(track.id) < 0;
  681. }.bind(this));
  682. };
  683. /**
  684. * Select a specific track. For audio or video, this disables adaptation.
  685. * Note that AdaptationEvents are not fired for manual track selections.
  686. *
  687. * @param {shakaExtern.Track} track
  688. * @param {boolean=} opt_clearBuffer
  689. * @export
  690. */
  691. shaka.Player.prototype.selectTrack = function(track, opt_clearBuffer) {
  692. if (!this.streamingEngine_)
  693. return;
  694. var period = this.streamingEngine_.getCurrentPeriod();
  695. var data = shaka.util.StreamUtils.findStreamForTrack(period, track);
  696. if (!data) {
  697. shaka.log.error('Unable to find the track with id "' + track.id +
  698. '"; did we change Periods?');
  699. return;
  700. }
  701. var stream = data.stream;
  702. // Double check that the track is allowed to be played.
  703. if (!stream.allowedByApplication || !stream.allowedByKeySystem) {
  704. shaka.log.error('Unable to switch to track with id "' + track.id +
  705. '" because it is restricted.');
  706. return;
  707. }
  708. // Add an entry to the history.
  709. this.switchHistory_.push({
  710. timestamp: Date.now() / 1000,
  711. id: stream.id,
  712. type: track.type,
  713. fromAdaptation: false
  714. });
  715. if (track.type != 'text') {
  716. // Disable ABR for anything other than text track changes.
  717. var config = /** @type {shakaExtern.PlayerConfiguration} */ (
  718. {abr: {enabled: false}});
  719. this.configure(config);
  720. }
  721. var streamsToSwitch = {};
  722. streamsToSwitch[track.type] = stream;
  723. this.deferredSwitch_(streamsToSwitch, opt_clearBuffer);
  724. };
  725. /**
  726. * @return {boolean} True if the current text track is visible.
  727. * @export
  728. */
  729. shaka.Player.prototype.isTextTrackVisible = function() {
  730. return this.textTrack_.mode == 'showing';
  731. };
  732. /**
  733. * Set the visibility of the current text track, if any.
  734. *
  735. * @param {boolean} on
  736. * @export
  737. */
  738. shaka.Player.prototype.setTextTrackVisibility = function(on) {
  739. this.textTrack_.mode = on ? 'showing' : 'hidden';
  740. this.onTextTrackVisibility_();
  741. };
  742. /**
  743. * Return playback and adaptation stats.
  744. *
  745. * @return {shakaExtern.Stats}
  746. * @export
  747. */
  748. shaka.Player.prototype.getStats = function() {
  749. this.updateStats_();
  750. var video = {};
  751. var audio = {};
  752. var videoInfo = this.video_ && this.video_.getVideoPlaybackQuality ?
  753. this.video_.getVideoPlaybackQuality() :
  754. {};
  755. if (this.streamingEngine_) {
  756. var activeStreams = this.streamingEngine_.getActiveStreams();
  757. video = activeStreams['video'] || {};
  758. audio = activeStreams['audio'] || {};
  759. }
  760. return {
  761. width: video.width || 0,
  762. height: video.height || 0,
  763. streamBandwidth: (video.bandwidth + audio.bandwidth) || 0,
  764. decodedFrames: Number(videoInfo.totalVideoFrames),
  765. droppedFrames: Number(videoInfo.droppedVideoFrames),
  766. estimatedBandwidth: this.config_.abr.manager.getBandwidthEstimate(),
  767. playTime: this.playTime_,
  768. bufferingTime: this.bufferingTime_,
  769. switchHistory: this.switchHistory_.slice(0)
  770. };
  771. };
  772. /**
  773. * Adds the given text track to the current Period. Load() must resolve before
  774. * calling. The current Period or the presentation must have a duration. This
  775. * returns a Promise that will resolve when the track can be switched to and
  776. * will resolve with the track that was created.
  777. *
  778. * @param {string} uri
  779. * @param {string} language
  780. * @param {string} kind
  781. * @param {string} mime
  782. * @param {string=} opt_codec
  783. * @return {!Promise.<shakaExtern.Track>}
  784. * @export
  785. */
  786. shaka.Player.prototype.addTextTrack = function(
  787. uri, language, kind, mime, opt_codec) {
  788. if (!this.streamingEngine_) {
  789. shaka.log.error(
  790. 'Must call load() and wait for it to resolve before adding text ' +
  791. 'tracks.');
  792. return Promise.reject();
  793. }
  794. // Get the Period duration.
  795. var period = this.streamingEngine_.getCurrentPeriod();
  796. /** @type {number} */
  797. var periodDuration;
  798. for (var i = 0; i < this.manifest_.periods.length; i++) {
  799. if (this.manifest_.periods[i] == period) {
  800. if (i == this.manifest_.periods.length - 1) {
  801. periodDuration = this.manifest_.presentationTimeline.getDuration() -
  802. period.startTime;
  803. if (periodDuration == Infinity) {
  804. shaka.log.error(
  805. 'The current Period or the presentation must have a duration ' +
  806. 'to add external text tracks.');
  807. return Promise.reject();
  808. }
  809. } else {
  810. var nextPeriod = this.manifest_.periods[i + 1];
  811. periodDuration = nextPeriod.startTime - period.startTime;
  812. }
  813. break;
  814. }
  815. }
  816. /** @type {shakaExtern.Stream} */
  817. var stream = {
  818. id: this.nextExternalStreamId_++,
  819. createSegmentIndex: Promise.resolve.bind(Promise),
  820. findSegmentPosition: function(time) { return 1; },
  821. getSegmentReference: function(ref) {
  822. if (ref != 1) return null;
  823. return new shaka.media.SegmentReference(
  824. 1, 0, periodDuration, function() { return [uri]; }, 0, null);
  825. },
  826. initSegmentReference: null,
  827. presentationTimeOffset: 0,
  828. mimeType: mime,
  829. codecs: opt_codec || '',
  830. bandwidth: 0,
  831. kind: kind,
  832. encrypted: false,
  833. keyId: null,
  834. language: language,
  835. allowedByApplication: true,
  836. allowedByKeySystem: true
  837. };
  838. /** @type {shakaExtern.StreamSet} */
  839. var streamSet = {
  840. language: language,
  841. type: 'text',
  842. primary: false,
  843. drmInfos: [],
  844. streams: [stream]
  845. };
  846. // Add the stream to the loading list to ensure it isn't switched to while it
  847. // is initializing.
  848. this.loadingTextStreamIds_.push(stream.id);
  849. period.streamSets.push(streamSet);
  850. return this.streamingEngine_.notifyNewStream('text', stream).then(function() {
  851. if (this.destroyed_) return;
  852. // Remove the stream from the loading list.
  853. this.loadingTextStreamIds_.splice(
  854. this.loadingTextStreamIds_.indexOf(stream.id), 1);
  855. shaka.log.debug('Choosing new streams after adding a text stream');
  856. this.chooseStreamsAndSwitch_(period);
  857. this.onTracksChanged_();
  858. return {
  859. id: stream.id,
  860. active: false,
  861. type: 'text',
  862. bandwidth: 0,
  863. language: language,
  864. kind: kind,
  865. width: null,
  866. height: null
  867. };
  868. }.bind(this));
  869. };
  870. /**
  871. * Set the maximum resolution that the platform's hardware can handle.
  872. * This will be called automatically by shaka.cast.CastReceiver to enforce
  873. * limitations of the Chromecast hardware.
  874. *
  875. * @param {number} width
  876. * @param {number} height
  877. * @export
  878. */
  879. shaka.Player.prototype.setMaxHardwareResolution = function(width, height) {
  880. this.maxHwRes_.width = width;
  881. this.maxHwRes_.height = height;
  882. };
  883. /**
  884. * Initialize the Player.
  885. * @private
  886. */
  887. shaka.Player.prototype.initialize_ = function() {
  888. // Start the (potentially slow) process of opening MediaSource now.
  889. this.mediaSourceOpen_ = this.createMediaSource();
  890. // If the video element has TextTracks, disable them. If we see one that
  891. // was created by a previous instance of Shaka Player, reuse it.
  892. for (var i = 0; i < this.video_.textTracks.length; ++i) {
  893. var track = this.video_.textTracks[i];
  894. track.mode = 'disabled';
  895. if (track.label == shaka.Player.TextTrackLabel_) {
  896. this.textTrack_ = track;
  897. }
  898. }
  899. if (!this.textTrack_) {
  900. // As far as I can tell, there is no observable difference between setting
  901. // kind to 'subtitles' or 'captions' when creating the TextTrack object.
  902. // The individual text tracks from the manifest will still have their own
  903. // kinds which can be displayed in the app's UI.
  904. this.textTrack_ = this.video_.addTextTrack(
  905. 'subtitles', shaka.Player.TextTrackLabel_);
  906. }
  907. this.textTrack_.mode = 'hidden';
  908. // TODO: test that in all cases, the built-in CC controls in the video element
  909. // are toggling our TextTrack.
  910. // Listen for video errors.
  911. this.eventManager_.listen(this.video_, 'error',
  912. this.onVideoError_.bind(this));
  913. };
  914. /**
  915. * Destroy members responsible for streaming.
  916. *
  917. * @return {!Promise}
  918. * @private
  919. */
  920. shaka.Player.prototype.destroyStreaming_ = function() {
  921. if (this.eventManager_) {
  922. this.eventManager_.unlisten(this.mediaSource_, 'sourceopen');
  923. }
  924. if (this.video_) {
  925. this.video_.removeAttribute('src');
  926. this.video_.load();
  927. }
  928. var p = Promise.all([
  929. this.config_ ? this.config_.abr.manager.stop() : null,
  930. this.drmEngine_ ? this.drmEngine_.destroy() : null,
  931. this.mediaSourceEngine_ ? this.mediaSourceEngine_.destroy() : null,
  932. this.playhead_ ? this.playhead_.destroy() : null,
  933. this.streamingEngine_ ? this.streamingEngine_.destroy() : null,
  934. this.parser_ ? this.parser_.stop() : null
  935. ]);
  936. this.drmEngine_ = null;
  937. this.mediaSourceEngine_ = null;
  938. this.playhead_ = null;
  939. this.streamingEngine_ = null;
  940. this.parser_ = null;
  941. this.manifest_ = null;
  942. this.manifestUri_ = null;
  943. this.mediaSourceOpen_ = null;
  944. this.mediaSource_ = null;
  945. this.deferredSwitches_ = {};
  946. this.switchHistory_ = [];
  947. this.playTime_ = 0;
  948. this.bufferingTime_ = 0;
  949. return p;
  950. };
  951. /**
  952. * Reset the streaming system.
  953. * @return {!Promise}
  954. * @private
  955. */
  956. shaka.Player.prototype.resetStreaming_ = function() {
  957. if (!this.parser_) {
  958. // Nothing is playing, so this is effectively a no-op.
  959. return Promise.resolve();
  960. }
  961. // Destroy the streaming system before we recreate everything.
  962. return this.destroyStreaming_().then(function() {
  963. if (this.destroyed_) return;
  964. // Force an exit from the buffering state.
  965. this.onBuffering_(false);
  966. // Start the (potentially slow) process of opening MediaSource now.
  967. this.mediaSourceOpen_ = this.createMediaSource();
  968. }.bind(this));
  969. };
  970. /**
  971. * @const {string}
  972. * @private
  973. */
  974. shaka.Player.TextTrackLabel_ = 'Shaka Player TextTrack';
  975. /**
  976. * @return {!Object}
  977. * @private
  978. */
  979. shaka.Player.prototype.configOverrides_ = function() {
  980. return {
  981. '.drm.servers': '',
  982. '.drm.clearKeys': '',
  983. '.drm.advanced': {
  984. distinctiveIdentifierRequired: false,
  985. persistentStateRequired: false,
  986. videoRobustness: '',
  987. audioRobustness: '',
  988. serverCertificate: null
  989. }
  990. };
  991. };
  992. /**
  993. * @return {shakaExtern.PlayerConfiguration}
  994. * @private
  995. */
  996. shaka.Player.prototype.defaultConfig_ = function() {
  997. return {
  998. drm: {
  999. retryParameters: shaka.net.NetworkingEngine.defaultRetryParameters(),
  1000. // These will all be verified by special cases in mergeConfigObjects_():
  1001. servers: {}, // key is arbitrary key system ID, value must be string
  1002. clearKeys: {}, // key is arbitrary key system ID, value must be string
  1003. advanced: {} // key is arbitrary key system ID, value is a record type
  1004. },
  1005. manifest: {
  1006. retryParameters: shaka.net.NetworkingEngine.defaultRetryParameters(),
  1007. dash: {
  1008. customScheme: function(node) {
  1009. // Reference node to keep closure from removing it.
  1010. // If the argument is removed, it breaks our function length check
  1011. // in mergeConfigObjects_().
  1012. // TODO: Find a better solution if possible.
  1013. // NOTE: Chrome App Content Security Policy prohibits usage of new
  1014. // Function()
  1015. if (node) return null;
  1016. },
  1017. clockSyncUri: ''
  1018. }
  1019. },
  1020. streaming: {
  1021. retryParameters: shaka.net.NetworkingEngine.defaultRetryParameters(),
  1022. rebufferingGoal: 2,
  1023. bufferingGoal: 30,
  1024. bufferBehind: 30,
  1025. ignoreTextStreamFailures: false
  1026. },
  1027. abr: {
  1028. manager: this.defaultAbrManager_,
  1029. enabled: true,
  1030. defaultBandwidthEstimate:
  1031. shaka.abr.EwmaBandwidthEstimator.DEFAULT_ESTIMATE
  1032. },
  1033. preferredAudioLanguage: '',
  1034. preferredTextLanguage: '',
  1035. restrictions: {
  1036. minWidth: 0,
  1037. maxWidth: Infinity,
  1038. minHeight: 0,
  1039. maxHeight: Infinity,
  1040. minPixels: 0,
  1041. maxPixels: Infinity,
  1042. minAudioBandwidth: 0,
  1043. maxAudioBandwidth: Infinity,
  1044. minVideoBandwidth: 0,
  1045. maxVideoBandwidth: Infinity
  1046. }
  1047. };
  1048. };
  1049. /**
  1050. * @param {shakaExtern.Period} period
  1051. * @private
  1052. */
  1053. shaka.Player.prototype.filterPeriod_ = function(period) {
  1054. goog.asserts.assert(this.video_, 'Must not be destroyed');
  1055. var activeStreams =
  1056. this.streamingEngine_ ? this.streamingEngine_.getActiveStreams() : {};
  1057. shaka.util.StreamUtils.filterPeriod(this.drmEngine_, activeStreams, period);
  1058. // Check for playable streams before restrictions to give a different error
  1059. // if we have restricted all the tracks rather than there being none.
  1060. var hasPlayableStreamSets =
  1061. period.streamSets.some(shaka.util.StreamUtils.hasPlayableStreams);
  1062. var tracksChanged = shaka.util.StreamUtils.applyRestrictions(
  1063. period, this.config_.restrictions, this.maxHwRes_);
  1064. if (tracksChanged && !this.loadChain_)
  1065. this.onTracksChanged_();
  1066. var allStreamsRestricted =
  1067. !period.streamSets.some(shaka.util.StreamUtils.hasPlayableStreams);
  1068. if (!hasPlayableStreamSets) {
  1069. this.onError_(new shaka.util.Error(
  1070. shaka.util.Error.Category.MANIFEST,
  1071. shaka.util.Error.Code.UNPLAYABLE_PERIOD));
  1072. } else if (allStreamsRestricted) {
  1073. this.onError_(new shaka.util.Error(
  1074. shaka.util.Error.Category.MANIFEST,
  1075. shaka.util.Error.Code.RESTRICTIONS_CANNOT_BE_MET));
  1076. }
  1077. };
  1078. /**
  1079. * Switches to the given streams, deferring switches if needed.
  1080. * @param {!Object.<string, shakaExtern.Stream>} streamsByType
  1081. * @param {boolean=} opt_clearBuffer
  1082. * @private
  1083. */
  1084. shaka.Player.prototype.deferredSwitch_ = function(
  1085. streamsByType, opt_clearBuffer) {
  1086. for (var type in streamsByType) {
  1087. var stream = streamsByType[type];
  1088. var clear = opt_clearBuffer || type == 'text';
  1089. if (this.switchingPeriods_) {
  1090. this.deferredSwitches_[type] = {stream: stream, clear: clear};
  1091. } else {
  1092. var opt_leaveInBuffer = clear ? 0 : undefined;
  1093. this.streamingEngine_.switch(type, stream, opt_leaveInBuffer);
  1094. }
  1095. }
  1096. };
  1097. /** @private */
  1098. shaka.Player.prototype.updateStats_ = function() {
  1099. // Only count while we're loaded.
  1100. if (!this.manifest_)
  1101. return;
  1102. var now = Date.now() / 1000;
  1103. if (this.buffering_)
  1104. this.bufferingTime_ += (now - this.lastStatUpdateTimestamp_);
  1105. else
  1106. this.playTime_ += (now - this.lastStatUpdateTimestamp_);
  1107. this.lastStatUpdateTimestamp_ = now;
  1108. };
  1109. /**
  1110. * Callback from NetworkingEngine.
  1111. *
  1112. * @param {number} startTimeMs
  1113. * @param {number} endTimeMs
  1114. * @param {number} numBytes
  1115. * @private
  1116. */
  1117. shaka.Player.prototype.onSegmentDownloaded_ = function(
  1118. startTimeMs, endTimeMs, numBytes) {
  1119. this.config_.abr.manager.segmentDownloaded(startTimeMs, endTimeMs, numBytes);
  1120. };
  1121. /**
  1122. * Callback from Playhead.
  1123. *
  1124. * @param {boolean} buffering
  1125. * @private
  1126. */
  1127. shaka.Player.prototype.onBuffering_ = function(buffering) {
  1128. // Before setting |buffering_|, update the time spent in the previous state.
  1129. this.updateStats_();
  1130. this.buffering_ = buffering;
  1131. var event = new shaka.util.FakeEvent('buffering', { 'buffering': buffering });
  1132. this.dispatchEvent(event);
  1133. };
  1134. /**
  1135. * Callback from Playhead.
  1136. *
  1137. * @private
  1138. */
  1139. shaka.Player.prototype.onSeek_ = function() {
  1140. if (this.streamingEngine_) {
  1141. this.streamingEngine_.seeked();
  1142. }
  1143. };
  1144. /**
  1145. * Chooses streams from the given Period.
  1146. *
  1147. * @param {!shakaExtern.Period} period
  1148. * @param {!Object.<string, shakaExtern.StreamSet>} streamSetsByType
  1149. * @param {boolean=} opt_chooseAll If true, choose streams from all stream sets.
  1150. * @return {!Object.<string, !shakaExtern.Stream>} A map of stream types to
  1151. * chosen streams.
  1152. * @private
  1153. */
  1154. shaka.Player.prototype.chooseStreams_ =
  1155. function(period, streamSetsByType, opt_chooseAll) {
  1156. goog.asserts.assert(this.config_, 'Must not be destroyed');
  1157. var hasPlayableStreams = shaka.util.StreamUtils.hasPlayableStreams;
  1158. // If there are no unrestricted streams, issue an error.
  1159. var manifestIsPlayable =
  1160. shaka.util.MapUtils.values(streamSetsByType).some(hasPlayableStreams);
  1161. if (!manifestIsPlayable) {
  1162. this.onError_(new shaka.util.Error(
  1163. shaka.util.Error.Category.MANIFEST,
  1164. shaka.util.Error.Code.RESTRICTIONS_CANNOT_BE_MET));
  1165. return {};
  1166. }
  1167. // Which StreamSets need to have their chosen stream updated.
  1168. var needsUpdate = {};
  1169. if (opt_chooseAll) {
  1170. // Choose new streams for all types.
  1171. needsUpdate = streamSetsByType;
  1172. } else {
  1173. // Check if any of the active streams is no longer available
  1174. // or is using the wrong language.
  1175. var activeStreams = this.streamingEngine_.getActiveStreams();
  1176. for (var type in activeStreams) {
  1177. var stream = activeStreams[type];
  1178. if (!stream.allowedByApplication ||
  1179. !stream.allowedByKeySystem ||
  1180. streamSetsByType[type].language != stream.language) {
  1181. needsUpdate[type] = streamSetsByType[type];
  1182. }
  1183. }
  1184. }
  1185. if (!shaka.util.MapUtils.empty(needsUpdate)) {
  1186. shaka.log.debug('Choosing new streams for', Object.keys(needsUpdate));
  1187. var chosen = this.config_.abr.manager.chooseStreams(needsUpdate);
  1188. if (!shaka.util.MapUtils.every(needsUpdate,
  1189. function(type, set) { return !!chosen[type]; })) {
  1190. // Not every type was chosen! This should only happen when output
  1191. // restrictions prevent playback of a certain type and there are no
  1192. // usable streams for that type.
  1193. this.onError_(new shaka.util.Error(
  1194. shaka.util.Error.Category.MANIFEST,
  1195. shaka.util.Error.Code.RESTRICTIONS_CANNOT_BE_MET));
  1196. return {};
  1197. }
  1198. return chosen;
  1199. } else {
  1200. shaka.log.debug('No new streams need to be chosen.');
  1201. return {};
  1202. }
  1203. };
  1204. /**
  1205. * Chooses streams from the given Period and switches to them.
  1206. *
  1207. * @param {!shakaExtern.Period} period
  1208. * @private
  1209. */
  1210. shaka.Player.prototype.chooseStreamsAndSwitch_ = function(period) {
  1211. goog.asserts.assert(this.config_, 'Must not be destroyed');
  1212. var languageMatches = { 'audio': false, 'text': false };
  1213. var streamSetsByType = shaka.util.StreamUtils.chooseStreamSets(
  1214. period, this.config_, languageMatches);
  1215. var chosen = this.chooseStreams_(period, streamSetsByType);
  1216. for (var type in chosen) {
  1217. var stream = chosen[type];
  1218. this.switchHistory_.push({
  1219. timestamp: Date.now() / 1000,
  1220. id: stream.id,
  1221. type: type,
  1222. fromAdaptation: true
  1223. });
  1224. }
  1225. // TODO: are these cases where we should avoid clearBuffer at this point?
  1226. this.deferredSwitch_(chosen, /* clearBuffer */ true);
  1227. // Send an adaptation event so that the UI can show the new language/tracks.
  1228. this.onAdaptation_();
  1229. if (streamSetsByType['text']) {
  1230. // If audio and text tracks have different languages, and the text track
  1231. // matches the user's preference, then show the captions.
  1232. if (streamSetsByType['audio'] &&
  1233. languageMatches['text'] &&
  1234. streamSetsByType['text'].language !=
  1235. streamSetsByType['audio'].language) {
  1236. this.textTrack_.mode = 'showing';
  1237. this.onTextTrackVisibility_();
  1238. }
  1239. }
  1240. };
  1241. /**
  1242. * Callback from StreamingEngine.
  1243. *
  1244. * @param {!shakaExtern.Period} period
  1245. * @return {!Object.<string, !shakaExtern.Stream>} A map of stream types to
  1246. * chosen streams.
  1247. * @private
  1248. */
  1249. shaka.Player.prototype.onChooseStreams_ = function(period) {
  1250. shaka.log.debug('onChooseStreams_', period);
  1251. goog.asserts.assert(this.config_, 'Must not be destroyed');
  1252. // We are switching Periods, so the AbrManager will be disabled. But if we
  1253. // want to abr.enabled, we do not want to call AbrManager.enable before
  1254. // canSwitch_ is called.
  1255. this.switchingPeriods_ = true;
  1256. this.config_.abr.manager.disable();
  1257. shaka.log.debug('Choosing new streams after period changed');
  1258. var streamSetsByType = shaka.util.StreamUtils.chooseStreamSets(
  1259. period, this.config_);
  1260. shaka.log.v2('onChooseStreams_, streamSetsByType=', streamSetsByType);
  1261. var chosen = this.chooseStreams_(
  1262. period, streamSetsByType, /* opt_chooseAll */ true);
  1263. shaka.log.v2('onChooseStreams_, chosen=', chosen);
  1264. // Override the chosen streams with the ones picked in selectTrack.
  1265. // NOTE: The apparent race between selectTrack and period transition is
  1266. // handled by StreamingEngine, which will re-request tracks for the
  1267. // transition if any of these deferred selections are from the wrong period.
  1268. for (var type in this.deferredSwitches_) {
  1269. // We are choosing initial tracks, so no segments from this Period have
  1270. // been downloaded yet.
  1271. chosen[type] = this.deferredSwitches_[type].stream;
  1272. }
  1273. this.deferredSwitches_ = {};
  1274. for (var type in chosen) {
  1275. var stream = chosen[type];
  1276. this.switchHistory_.push({
  1277. timestamp: Date.now() / 1000,
  1278. id: stream.id,
  1279. type: type,
  1280. fromAdaptation: true
  1281. });
  1282. }
  1283. // If we are presently loading, we aren't done filtering streams just yet.
  1284. // Wait to send a 'trackschanged' event.
  1285. if (!this.loadChain_) {
  1286. this.onTracksChanged_();
  1287. }
  1288. return chosen;
  1289. };
  1290. /**
  1291. * Callback from StreamingEngine.
  1292. *
  1293. * @private
  1294. */
  1295. shaka.Player.prototype.canSwitch_ = function() {
  1296. shaka.log.debug('canSwitch_');
  1297. this.switchingPeriods_ = false;
  1298. if (this.config_.abr.enabled)
  1299. this.config_.abr.manager.enable();
  1300. // If we still have deferred switches, switch now.
  1301. for (var type in this.deferredSwitches_) {
  1302. var info = this.deferredSwitches_[type];
  1303. var opt_leaveInBuffer = info.clear ? 0 : undefined;
  1304. this.streamingEngine_.switch(type, info.stream, opt_leaveInBuffer);
  1305. }
  1306. this.deferredSwitches_ = {};
  1307. };
  1308. /**
  1309. * Callback from AbrManager.
  1310. *
  1311. * @param {!Object.<string, !shakaExtern.Stream>} streamsByType
  1312. * @param {number=} opt_leaveInBuffer
  1313. * @private
  1314. */
  1315. shaka.Player.prototype.switch_ = function(streamsByType, opt_leaveInBuffer) {
  1316. shaka.log.debug('switch_');
  1317. goog.asserts.assert(this.config_.abr.enabled,
  1318. 'AbrManager should not call switch while disabled!');
  1319. goog.asserts.assert(!this.switchingPeriods_,
  1320. 'AbrManager should not call switch while transitioning between Periods!');
  1321. // We have adapted to a new stream, record it in the history. Only add if
  1322. // we are actually switching the stream.
  1323. var oldActive = this.streamingEngine_.getActiveStreams();
  1324. for (var type in streamsByType) {
  1325. var stream = streamsByType[type];
  1326. if (oldActive[type] != stream) {
  1327. this.switchHistory_.push({
  1328. timestamp: Date.now() / 1000,
  1329. id: stream.id,
  1330. type: type,
  1331. fromAdaptation: true
  1332. });
  1333. } else {
  1334. // If it's the same, remove it from the map.
  1335. // This allows us to avoid onAdaptation_() when nothing has changed.
  1336. delete streamsByType[type];
  1337. }
  1338. }
  1339. if (shaka.util.MapUtils.empty(streamsByType)) {
  1340. // There's nothing to change.
  1341. return;
  1342. }
  1343. if (!this.streamingEngine_) {
  1344. // There's no way to change it.
  1345. return;
  1346. }
  1347. for (var type in streamsByType) {
  1348. this.streamingEngine_.switch(type, streamsByType[type],
  1349. // Only apply opt_leaveInBuffer to video streams.
  1350. type == 'video' ? opt_leaveInBuffer : undefined);
  1351. }
  1352. this.onAdaptation_();
  1353. };
  1354. /**
  1355. * Dispatches a 'adaptation' event.
  1356. * @private
  1357. */
  1358. shaka.Player.prototype.onAdaptation_ = function() {
  1359. // In the next frame, dispatch a 'adaptation' event.
  1360. // This gives StreamingEngine time to absorb the changes before the user
  1361. // tries to query them.
  1362. Promise.resolve().then(function() {
  1363. if (this.destroyed_) return;
  1364. var event = new shaka.util.FakeEvent('adaptation');
  1365. this.dispatchEvent(event);
  1366. }.bind(this));
  1367. };
  1368. /**
  1369. * Dispatches a 'trackschanged' event.
  1370. * @private
  1371. */
  1372. shaka.Player.prototype.onTracksChanged_ = function() {
  1373. // In the next frame, dispatch a 'trackschanged' event.
  1374. // This gives StreamingEngine time to absorb the changes before the user
  1375. // tries to query them.
  1376. Promise.resolve().then(function() {
  1377. if (this.destroyed_) return;
  1378. var event = new shaka.util.FakeEvent('trackschanged');
  1379. this.dispatchEvent(event);
  1380. }.bind(this));
  1381. };
  1382. /** @private */
  1383. shaka.Player.prototype.onTextTrackVisibility_ = function() {
  1384. var event = new shaka.util.FakeEvent('texttrackvisibility');
  1385. this.dispatchEvent(event);
  1386. };
  1387. /**
  1388. * @param {!shaka.util.Error} error
  1389. * @private
  1390. */
  1391. shaka.Player.prototype.onError_ = function(error) {
  1392. goog.asserts.assert(error instanceof shaka.util.Error, 'Wrong error type!');
  1393. var event = new shaka.util.FakeEvent('error', { 'detail': error });
  1394. this.dispatchEvent(event);
  1395. };
  1396. /**
  1397. * @param {!shaka.util.FakeEvent} event
  1398. * @private
  1399. */
  1400. shaka.Player.prototype.onEvent_ = function(event) {
  1401. this.dispatchEvent(event);
  1402. };
  1403. /**
  1404. * @param {!Event} event
  1405. * @private
  1406. */
  1407. shaka.Player.prototype.onVideoError_ = function(event) {
  1408. if (!this.video_.error) return;
  1409. var code = this.video_.error.code;
  1410. if (code == 1 /* MEDIA_ERR_ABORTED */) {
  1411. // Ignore this error code, which should only occur when navigating away or
  1412. // deliberately stopping playback of HTTP content.
  1413. return;
  1414. }
  1415. // Extra error information from MS Edge and IE11:
  1416. var extended = this.video_.error.msExtendedCode;
  1417. if (extended) {
  1418. // Convert to unsigned:
  1419. if (extended < 0) {
  1420. extended += Math.pow(2, 32);
  1421. }
  1422. // Format as hex:
  1423. extended = extended.toString(16);
  1424. }
  1425. this.onError_(new shaka.util.Error(
  1426. shaka.util.Error.Category.MEDIA,
  1427. shaka.util.Error.Code.VIDEO_ERROR,
  1428. code, extended));
  1429. };
  1430. /**
  1431. * @param {!Object.<string, string>} keyStatusMap A map of hex key IDs to
  1432. * statuses.
  1433. * @private
  1434. */
  1435. shaka.Player.prototype.onKeyStatus_ = function(keyStatusMap) {
  1436. goog.asserts.assert(this.streamingEngine_, 'Should have been initialized.');
  1437. // 'usable', 'released', 'output-downscaled', 'status-pending' are statuses
  1438. // of the usable keys.
  1439. // 'expired' and 'internal-error' are error statuses which are being handled
  1440. // separately in DrmEngine.
  1441. var restrictedStatus = 'output-restricted';
  1442. var period = this.streamingEngine_.getCurrentPeriod();
  1443. var tracksChanged = false;
  1444. period.streamSets.forEach(function(streamSet) {
  1445. streamSet.streams.forEach(function(stream) {
  1446. var originalAllowed = stream.allowedByKeySystem;
  1447. // Only update the status if it is in the map.
  1448. if (stream.keyId && stream.keyId in keyStatusMap) {
  1449. var keyStatus = keyStatusMap[stream.keyId];
  1450. stream.allowedByKeySystem = keyStatus != restrictedStatus;
  1451. }
  1452. if (originalAllowed != stream.allowedByKeySystem) {
  1453. tracksChanged = true;
  1454. }
  1455. });
  1456. });
  1457. shaka.log.debug('Choosing new streams after key status changed');
  1458. this.chooseStreamsAndSwitch_(period);
  1459. if (tracksChanged)
  1460. this.onTracksChanged_();
  1461. };