Source: lib/player.js

  1. /*! @license
  2. * Shaka Player
  3. * Copyright 2016 Google LLC
  4. * SPDX-License-Identifier: Apache-2.0
  5. */
  6. goog.provide('shaka.Player');
  7. goog.require('goog.asserts');
  8. goog.require('shaka.config.AutoShowText');
  9. goog.require('shaka.Deprecate');
  10. goog.require('shaka.log');
  11. goog.require('shaka.media.AdaptationSetCriteria');
  12. goog.require('shaka.media.BufferingObserver');
  13. goog.require('shaka.media.DrmEngine');
  14. goog.require('shaka.media.ExampleBasedCriteria');
  15. goog.require('shaka.media.ManifestFilterer');
  16. goog.require('shaka.media.ManifestParser');
  17. goog.require('shaka.media.MediaSourceEngine');
  18. goog.require('shaka.media.MediaSourcePlayhead');
  19. goog.require('shaka.media.MetaSegmentIndex');
  20. goog.require('shaka.media.PlayRateController');
  21. goog.require('shaka.media.Playhead');
  22. goog.require('shaka.media.PlayheadObserverManager');
  23. goog.require('shaka.media.PreferenceBasedCriteria');
  24. goog.require('shaka.media.PreloadManager');
  25. goog.require('shaka.media.QualityObserver');
  26. goog.require('shaka.media.RegionObserver');
  27. goog.require('shaka.media.RegionTimeline');
  28. goog.require('shaka.media.SegmentIndex');
  29. goog.require('shaka.media.SegmentPrefetch');
  30. goog.require('shaka.media.SegmentReference');
  31. goog.require('shaka.media.SrcEqualsPlayhead');
  32. goog.require('shaka.media.StreamingEngine');
  33. goog.require('shaka.media.TimeRangesUtils');
  34. goog.require('shaka.net.NetworkingEngine');
  35. goog.require('shaka.net.NetworkingUtils');
  36. goog.require('shaka.text.SimpleTextDisplayer');
  37. goog.require('shaka.text.StubTextDisplayer');
  38. goog.require('shaka.text.TextEngine');
  39. goog.require('shaka.text.UITextDisplayer');
  40. goog.require('shaka.text.WebVttGenerator');
  41. goog.require('shaka.util.BufferUtils');
  42. goog.require('shaka.util.CmcdManager');
  43. goog.require('shaka.util.CmsdManager');
  44. goog.require('shaka.util.ConfigUtils');
  45. goog.require('shaka.util.Dom');
  46. goog.require('shaka.util.DrmUtils');
  47. goog.require('shaka.util.Error');
  48. goog.require('shaka.util.EventManager');
  49. goog.require('shaka.util.FakeEvent');
  50. goog.require('shaka.util.FakeEventTarget');
  51. goog.require('shaka.util.IDestroyable');
  52. goog.require('shaka.util.LanguageUtils');
  53. goog.require('shaka.util.ManifestParserUtils');
  54. goog.require('shaka.util.MediaReadyState');
  55. goog.require('shaka.util.MimeUtils');
  56. goog.require('shaka.util.Mutex');
  57. goog.require('shaka.util.ObjectUtils');
  58. goog.require('shaka.util.Platform');
  59. goog.require('shaka.util.PlayerConfiguration');
  60. goog.require('shaka.util.PublicPromise');
  61. goog.require('shaka.util.Stats');
  62. goog.require('shaka.util.StreamUtils');
  63. goog.require('shaka.util.Timer');
  64. goog.require('shaka.lcevc.Dec');
  65. goog.requireType('shaka.media.PresentationTimeline');
  66. /**
  67. * @event shaka.Player.ErrorEvent
  68. * @description Fired when a playback error occurs.
  69. * @property {string} type
  70. * 'error'
  71. * @property {!shaka.util.Error} detail
  72. * An object which contains details on the error. The error's
  73. * <code>category</code> and <code>code</code> properties will identify the
  74. * specific error that occurred. In an uncompiled build, you can also use the
  75. * <code>message</code> and <code>stack</code> properties to debug.
  76. * @exportDoc
  77. */
  78. /**
  79. * @event shaka.Player.StateChangeEvent
  80. * @description Fired when the player changes load states.
  81. * @property {string} type
  82. * 'onstatechange'
  83. * @property {string} state
  84. * The name of the state that the player just entered.
  85. * @exportDoc
  86. */
  87. /**
  88. * @event shaka.Player.EmsgEvent
  89. * @description Fired when an emsg box is found in a segment.
  90. * If the application calls preventDefault() on this event, further parsing
  91. * will not happen, and no 'metadata' event will be raised for ID3 payloads.
  92. * @property {string} type
  93. * 'emsg'
  94. * @property {shaka.extern.EmsgInfo} detail
  95. * An object which contains the content of the emsg box.
  96. * @exportDoc
  97. */
  98. /**
  99. * @event shaka.Player.DownloadFailed
  100. * @description Fired when a download has failed, for any reason.
  101. * 'downloadfailed'
  102. * @property {!shaka.extern.Request} request
  103. * @property {?shaka.util.Error} error
  104. * @property {number} httpResponseCode
  105. * @property {boolean} aborted
  106. * @exportDoc
  107. */
  108. /**
  109. * @event shaka.Player.DownloadHeadersReceived
  110. * @description Fired when the networking engine has received the headers for
  111. * a download, but before the body has been downloaded.
  112. * If the HTTP plugin being used does not track this information, this event
  113. * will default to being fired when the body is received, instead.
  114. * @property {!Object.<string, string>} headers
  115. * @property {!shaka.extern.Request} request
  116. * @property {!shaka.net.NetworkingEngine.RequestType} type
  117. * 'downloadheadersreceived'
  118. * @exportDoc
  119. */
  120. /**
  121. * @event shaka.Player.DrmSessionUpdateEvent
  122. * @description Fired when the CDM has accepted the license response.
  123. * @property {string} type
  124. * 'drmsessionupdate'
  125. * @exportDoc
  126. */
  127. /**
  128. * @event shaka.Player.TimelineRegionAddedEvent
  129. * @description Fired when a media timeline region is added.
  130. * @property {string} type
  131. * 'timelineregionadded'
  132. * @property {shaka.extern.TimelineRegionInfo} detail
  133. * An object which contains a description of the region.
  134. * @exportDoc
  135. */
  136. /**
  137. * @event shaka.Player.TimelineRegionEnterEvent
  138. * @description Fired when the playhead enters a timeline region.
  139. * @property {string} type
  140. * 'timelineregionenter'
  141. * @property {shaka.extern.TimelineRegionInfo} detail
  142. * An object which contains a description of the region.
  143. * @exportDoc
  144. */
  145. /**
  146. * @event shaka.Player.TimelineRegionExitEvent
  147. * @description Fired when the playhead exits a timeline region.
  148. * @property {string} type
  149. * 'timelineregionexit'
  150. * @property {shaka.extern.TimelineRegionInfo} detail
  151. * An object which contains a description of the region.
  152. * @exportDoc
  153. */
  154. /**
  155. * @event shaka.Player.MediaQualityChangedEvent
  156. * @description Fired when the media quality changes at the playhead.
  157. * That may be caused by an adaptation change or a DASH period transition.
  158. * Separate events are emitted for audio and video contentTypes.
  159. * @property {string} type
  160. * 'mediaqualitychanged'
  161. * @property {shaka.extern.MediaQualityInfo} mediaQuality
  162. * Information about media quality at the playhead position.
  163. * @property {number} position
  164. * The playhead position.
  165. * @exportDoc
  166. */
  167. /**
  168. * @event shaka.Player.AudioTrackChangedEvent
  169. * @description Fired when the audio track changes at the playhead.
  170. * That may be caused by a user requesting to chang audio tracks.
  171. * @property {string} type
  172. * 'audiotrackchanged'
  173. * @property {shaka.extern.MediaQualityInfo} mediaQuality
  174. * Information about media quality at the playhead position.
  175. * @property {number} position
  176. * The playhead position.
  177. * @exportDoc
  178. */
  179. /**
  180. * @event shaka.Player.BufferingEvent
  181. * @description Fired when the player's buffering state changes.
  182. * @property {string} type
  183. * 'buffering'
  184. * @property {boolean} buffering
  185. * True when the Player enters the buffering state.
  186. * False when the Player leaves the buffering state.
  187. * @exportDoc
  188. */
  189. /**
  190. * @event shaka.Player.LoadingEvent
  191. * @description Fired when the player begins loading. The start of loading is
  192. * defined as when the user has communicated intent to load content (i.e.
  193. * <code>Player.load</code> has been called).
  194. * @property {string} type
  195. * 'loading'
  196. * @exportDoc
  197. */
  198. /**
  199. * @event shaka.Player.LoadedEvent
  200. * @description Fired when the player ends the load.
  201. * @property {string} type
  202. * 'loaded'
  203. * @exportDoc
  204. */
  205. /**
  206. * @event shaka.Player.UnloadingEvent
  207. * @description Fired when the player unloads or fails to load.
  208. * Used by the Cast receiver to determine idle state.
  209. * @property {string} type
  210. * 'unloading'
  211. * @exportDoc
  212. */
  213. /**
  214. * @event shaka.Player.TextTrackVisibilityEvent
  215. * @description Fired when text track visibility changes.
  216. * @property {string} type
  217. * 'texttrackvisibility'
  218. * @exportDoc
  219. */
  220. /**
  221. * @event shaka.Player.TracksChangedEvent
  222. * @description Fired when the list of tracks changes. For example, this will
  223. * happen when new tracks are added/removed or when track restrictions change.
  224. * @property {string} type
  225. * 'trackschanged'
  226. * @exportDoc
  227. */
  228. /**
  229. * @event shaka.Player.AdaptationEvent
  230. * @description Fired when an automatic adaptation causes the active tracks
  231. * to change. Does not fire when the application calls
  232. * <code>selectVariantTrack()</code>, <code>selectTextTrack()</code>,
  233. * <code>selectAudioLanguage()</code>, or <code>selectTextLanguage()</code>.
  234. * @property {string} type
  235. * 'adaptation'
  236. * @property {shaka.extern.Track} oldTrack
  237. * @property {shaka.extern.Track} newTrack
  238. * @exportDoc
  239. */
  240. /**
  241. * @event shaka.Player.VariantChangedEvent
  242. * @description Fired when a call from the application caused a variant change.
  243. * Can be triggered by calls to <code>selectVariantTrack()</code> or
  244. * <code>selectAudioLanguage()</code>. Does not fire when an automatic
  245. * adaptation causes a variant change.
  246. * @property {string} type
  247. * 'variantchanged'
  248. * @property {shaka.extern.Track} oldTrack
  249. * @property {shaka.extern.Track} newTrack
  250. * @exportDoc
  251. */
  252. /**
  253. * @event shaka.Player.TextChangedEvent
  254. * @description Fired when a call from the application caused a text stream
  255. * change. Can be triggered by calls to <code>selectTextTrack()</code> or
  256. * <code>selectTextLanguage()</code>.
  257. * @property {string} type
  258. * 'textchanged'
  259. * @exportDoc
  260. */
  261. /**
  262. * @event shaka.Player.ExpirationUpdatedEvent
  263. * @description Fired when there is a change in the expiration times of an
  264. * EME session.
  265. * @property {string} type
  266. * 'expirationupdated'
  267. * @exportDoc
  268. */
  269. /**
  270. * @event shaka.Player.ManifestParsedEvent
  271. * @description Fired after the manifest has been parsed, but before anything
  272. * else happens. The manifest may contain streams that will be filtered out,
  273. * at this stage of the loading process.
  274. * @property {string} type
  275. * 'manifestparsed'
  276. * @exportDoc
  277. */
  278. /**
  279. * @event shaka.Player.ManifestUpdatedEvent
  280. * @description Fired after the manifest has been updated (live streams).
  281. * @property {string} type
  282. * 'manifestupdated'
  283. * @property {boolean} isLive
  284. * True when the playlist is live. Useful to detect transition from live
  285. * to static playlist..
  286. * @exportDoc
  287. */
  288. /**
  289. * @event shaka.Player.MetadataEvent
  290. * @description Triggers after metadata associated with the stream is found.
  291. * Usually they are metadata of type ID3.
  292. * @property {string} type
  293. * 'metadata'
  294. * @property {number} startTime
  295. * The time that describes the beginning of the range of the metadata to
  296. * which the cue applies.
  297. * @property {?number} endTime
  298. * The time that describes the end of the range of the metadata to which
  299. * the cue applies.
  300. * @property {string} metadataType
  301. * Type of metadata. Eg: 'org.id3' or 'com.apple.quicktime.HLS'
  302. * @property {shaka.extern.MetadataFrame} payload
  303. * The metadata itself
  304. * @exportDoc
  305. */
  306. /**
  307. * @event shaka.Player.StreamingEvent
  308. * @description Fired after the manifest has been parsed and track information
  309. * is available, but before streams have been chosen and before any segments
  310. * have been fetched. You may use this event to configure the player based on
  311. * information found in the manifest.
  312. * @property {string} type
  313. * 'streaming'
  314. * @exportDoc
  315. */
  316. /**
  317. * @event shaka.Player.AbrStatusChangedEvent
  318. * @description Fired when the state of abr has been changed.
  319. * (Enabled or disabled).
  320. * @property {string} type
  321. * 'abrstatuschanged'
  322. * @property {boolean} newStatus
  323. * The new status of the application. True for 'is enabled' and
  324. * false otherwise.
  325. * @exportDoc
  326. */
  327. /**
  328. * @event shaka.Player.RateChangeEvent
  329. * @description Fired when the video's playback rate changes.
  330. * This allows the PlayRateController to update it's internal rate field,
  331. * before the UI updates playback button with the newest playback rate.
  332. * @property {string} type
  333. * 'ratechange'
  334. * @exportDoc
  335. */
  336. /**
  337. * @event shaka.Player.SegmentAppended
  338. * @description Fired when a segment is appended to the media element.
  339. * @property {string} type
  340. * 'segmentappended'
  341. * @property {number} start
  342. * The start time of the segment.
  343. * @property {number} end
  344. * The end time of the segment.
  345. * @property {string} contentType
  346. * The content type of the segment. E.g. 'video', 'audio', or 'text'.
  347. * @property {boolean} isMuxed
  348. * Indicates if the segment is muxed (audio + video).
  349. * @exportDoc
  350. */
  351. /**
  352. * @event shaka.Player.SessionDataEvent
  353. * @description Fired when the manifest parser find info about session data.
  354. * Specification: https://tools.ietf.org/html/rfc8216#section-4.3.4.4
  355. * @property {string} type
  356. * 'sessiondata'
  357. * @property {string} id
  358. * The id of the session data.
  359. * @property {string} uri
  360. * The uri with the session data info.
  361. * @property {string} language
  362. * The language of the session data.
  363. * @property {string} value
  364. * The value of the session data.
  365. * @exportDoc
  366. */
  367. /**
  368. * @event shaka.Player.StallDetectedEvent
  369. * @description Fired when a stall in playback is detected by the StallDetector.
  370. * Not all stalls are caused by gaps in the buffered ranges.
  371. * @property {string} type
  372. * 'stalldetected'
  373. * @exportDoc
  374. */
  375. /**
  376. * @event shaka.Player.GapJumpedEvent
  377. * @description Fired when the GapJumpingController jumps over a gap in the
  378. * buffered ranges.
  379. * @property {string} type
  380. * 'gapjumped'
  381. * @exportDoc
  382. */
  383. /**
  384. * @event shaka.Player.KeyStatusChanged
  385. * @description Fired when the key status changed.
  386. * @property {string} type
  387. * 'keystatuschanged'
  388. * @exportDoc
  389. */
  390. /**
  391. * @event shaka.Player.StateChanged
  392. * @description Fired when player state is changed.
  393. * @property {string} type
  394. * 'statechanged'
  395. * @property {string} newstate
  396. * The new state.
  397. * @exportDoc
  398. */
  399. /**
  400. * @event shaka.Player.Started
  401. * @description Fires when the content starts playing.
  402. * Only for VoD.
  403. * @property {string} type
  404. * 'started'
  405. * @exportDoc
  406. */
  407. /**
  408. * @event shaka.Player.FirstQuartile
  409. * @description Fires when the content playhead crosses first quartile.
  410. * Only for VoD.
  411. * @property {string} type
  412. * 'firstquartile'
  413. * @exportDoc
  414. */
  415. /**
  416. * @event shaka.Player.Midpoint
  417. * @description Fires when the content playhead crosses midpoint.
  418. * Only for VoD.
  419. * @property {string} type
  420. * 'midpoint'
  421. * @exportDoc
  422. */
  423. /**
  424. * @event shaka.Player.ThirdQuartile
  425. * @description Fires when the content playhead crosses third quartile.
  426. * Only for VoD.
  427. * @property {string} type
  428. * 'thirdquartile'
  429. * @exportDoc
  430. */
  431. /**
  432. * @event shaka.Player.Complete
  433. * @description Fires when the content completes playing.
  434. * Only for VoD.
  435. * @property {string} type
  436. * 'complete'
  437. * @exportDoc
  438. */
  439. /**
  440. * @event shaka.Player.SpatialVideoInfoEvent
  441. * @description Fired when the video has spatial video info. If a previous
  442. * event was fired, this include the new info.
  443. * @property {string} type
  444. * 'spatialvideoinfo'
  445. * @property {shaka.extern.SpatialVideoInfo} detail
  446. * An object which contains the content of the emsg box.
  447. * @exportDoc
  448. */
  449. /**
  450. * @event shaka.Player.NoSpatialVideoInfoEvent
  451. * @description Fired when the video no longer has spatial video information.
  452. * For it to be fired, the shaka.Player.SpatialVideoInfoEvent event must
  453. * have been previously fired.
  454. * @property {string} type
  455. * 'nospatialvideoinfo'
  456. * @exportDoc
  457. */
  458. /**
  459. * @summary The main player object for Shaka Player.
  460. *
  461. * @implements {shaka.util.IDestroyable}
  462. * @export
  463. */
  464. shaka.Player = class extends shaka.util.FakeEventTarget {
  465. /**
  466. * @param {HTMLMediaElement=} mediaElement
  467. * When provided, the player will attach to <code>mediaElement</code>,
  468. * similar to calling <code>attach</code>. When not provided, the player
  469. * will remain detached.
  470. * @param {function(shaka.Player)=} dependencyInjector Optional callback
  471. * which is called to inject mocks into the Player. Used for testing.
  472. */
  473. constructor(mediaElement, dependencyInjector) {
  474. super();
  475. /** @private {shaka.Player.LoadMode} */
  476. this.loadMode_ = shaka.Player.LoadMode.NOT_LOADED;
  477. /** @private {HTMLMediaElement} */
  478. this.video_ = null;
  479. /** @private {HTMLElement} */
  480. this.videoContainer_ = null;
  481. /**
  482. * Since we may not always have a text displayer created (e.g. before |load|
  483. * is called), we need to track what text visibility SHOULD be so that we
  484. * can ensure that when we create the text displayer. When we create our
  485. * text displayer, we will use this to show (or not show) text as per the
  486. * user's requests.
  487. *
  488. * @private {boolean}
  489. */
  490. this.isTextVisible_ = false;
  491. /**
  492. * For listeners scoped to the lifetime of the Player instance.
  493. * @private {shaka.util.EventManager}
  494. */
  495. this.globalEventManager_ = new shaka.util.EventManager();
  496. /**
  497. * For listeners scoped to the lifetime of the media element attachment.
  498. * @private {shaka.util.EventManager}
  499. */
  500. this.attachEventManager_ = new shaka.util.EventManager();
  501. /**
  502. * For listeners scoped to the lifetime of the loaded content.
  503. * @private {shaka.util.EventManager}
  504. */
  505. this.loadEventManager_ = new shaka.util.EventManager();
  506. /**
  507. * For listeners scoped to the lifetime of the loaded content.
  508. * @private {shaka.util.EventManager}
  509. */
  510. this.trickPlayEventManager_ = new shaka.util.EventManager();
  511. /**
  512. * For listeners scoped to the lifetime of the ad manager.
  513. * @private {shaka.util.EventManager}
  514. */
  515. this.adManagerEventManager_ = new shaka.util.EventManager();
  516. /** @private {shaka.net.NetworkingEngine} */
  517. this.networkingEngine_ = null;
  518. /** @private {shaka.media.DrmEngine} */
  519. this.drmEngine_ = null;
  520. /** @private {shaka.media.MediaSourceEngine} */
  521. this.mediaSourceEngine_ = null;
  522. /** @private {shaka.media.Playhead} */
  523. this.playhead_ = null;
  524. /**
  525. * Incremented whenever a top-level operation (load, attach, etc) is
  526. * performed.
  527. * Used to determine if a load operation has been interrupted.
  528. * @private {number}
  529. */
  530. this.operationId_ = 0;
  531. /** @private {!shaka.util.Mutex} */
  532. this.mutex_ = new shaka.util.Mutex();
  533. /**
  534. * The playhead observers are used to monitor the position of the playhead
  535. * and some other source of data (e.g. buffered content), and raise events.
  536. *
  537. * @private {shaka.media.PlayheadObserverManager}
  538. */
  539. this.playheadObservers_ = null;
  540. /**
  541. * This is our control over the playback rate of the media element. This
  542. * provides the missing functionality that we need to provide trick play,
  543. * for example a negative playback rate.
  544. *
  545. * @private {shaka.media.PlayRateController}
  546. */
  547. this.playRateController_ = null;
  548. // We use the buffering observer and timer to track when we move from having
  549. // enough buffered content to not enough. They only exist when content has
  550. // been loaded and are not re-used between loads.
  551. /** @private {shaka.util.Timer} */
  552. this.bufferPoller_ = null;
  553. /** @private {shaka.media.BufferingObserver} */
  554. this.bufferObserver_ = null;
  555. /** @private {shaka.media.RegionTimeline} */
  556. this.regionTimeline_ = null;
  557. /** @private {shaka.util.CmcdManager} */
  558. this.cmcdManager_ = null;
  559. /** @private {shaka.util.CmsdManager} */
  560. this.cmsdManager_ = null;
  561. // This is the canvas element that will be used for rendering LCEVC
  562. // enhanced frames.
  563. /** @private {?HTMLCanvasElement} */
  564. this.lcevcCanvas_ = null;
  565. // This is the LCEVC Decoder object to decode LCEVC.
  566. /** @private {?shaka.lcevc.Dec} */
  567. this.lcevcDec_ = null;
  568. /** @private {shaka.media.QualityObserver} */
  569. this.qualityObserver_ = null;
  570. /** @private {shaka.media.StreamingEngine} */
  571. this.streamingEngine_ = null;
  572. /** @private {shaka.extern.ManifestParser} */
  573. this.parser_ = null;
  574. /** @private {?shaka.extern.ManifestParser.Factory} */
  575. this.parserFactory_ = null;
  576. /** @private {?shaka.extern.Manifest} */
  577. this.manifest_ = null;
  578. /** @private {?string} */
  579. this.assetUri_ = null;
  580. /** @private {?string} */
  581. this.mimeType_ = null;
  582. /** @private {?number} */
  583. this.startTime_ = null;
  584. /** @private {boolean} */
  585. this.fullyLoaded_ = false;
  586. /** @private {shaka.extern.AbrManager} */
  587. this.abrManager_ = null;
  588. /**
  589. * The factory that was used to create the abrManager_ instance.
  590. * @private {?shaka.extern.AbrManager.Factory}
  591. */
  592. this.abrManagerFactory_ = null;
  593. /**
  594. * Contains an ID for use with creating streams. The manifest parser should
  595. * start with small IDs, so this starts with a large one.
  596. * @private {number}
  597. */
  598. this.nextExternalStreamId_ = 1e9;
  599. /** @private {!Array.<shaka.extern.Stream>} */
  600. this.externalSrcEqualsThumbnailsStreams_ = [];
  601. /** @private {number} */
  602. this.completionPercent_ = NaN;
  603. /** @private {?shaka.extern.PlayerConfiguration} */
  604. this.config_ = this.defaultConfig_();
  605. /** @private {?number} */
  606. this.currentTargetLatency_ = null;
  607. /** @private {number} */
  608. this.rebufferingCount_ = -1;
  609. /** @private {?number} */
  610. this.targetLatencyReached_ = null;
  611. /**
  612. * The TextDisplayerFactory that was last used to make a text displayer.
  613. * Stored so that we can tell if a new type of text displayer is desired.
  614. * @private {?shaka.extern.TextDisplayer.Factory}
  615. */
  616. this.lastTextFactory_;
  617. /** @private {shaka.extern.Resolution} */
  618. this.maxHwRes_ = {width: Infinity, height: Infinity};
  619. /** @private {!shaka.media.ManifestFilterer} */
  620. this.manifestFilterer_ = new shaka.media.ManifestFilterer(
  621. this.config_, this.maxHwRes_, null);
  622. /** @private {!Array.<shaka.media.PreloadManager>} */
  623. this.createdPreloadManagers_ = [];
  624. /** @private {shaka.util.Stats} */
  625. this.stats_ = null;
  626. /** @private {!shaka.media.AdaptationSetCriteria} */
  627. this.currentAdaptationSetCriteria_ =
  628. new shaka.media.PreferenceBasedCriteria(
  629. this.config_.preferredAudioLanguage,
  630. this.config_.preferredVariantRole,
  631. this.config_.preferredAudioChannelCount,
  632. this.config_.preferredVideoHdrLevel,
  633. this.config_.preferSpatialAudio,
  634. this.config_.preferredVideoLayout,
  635. this.config_.preferredAudioLabel,
  636. this.config_.preferredVideoLabel,
  637. this.config_.mediaSource.codecSwitchingStrategy,
  638. this.config_.manifest.dash.enableAudioGroups);
  639. /** @private {string} */
  640. this.currentTextLanguage_ = this.config_.preferredTextLanguage;
  641. /** @private {string} */
  642. this.currentTextRole_ = this.config_.preferredTextRole;
  643. /** @private {boolean} */
  644. this.currentTextForced_ = this.config_.preferForcedSubs;
  645. /** @private {!Array.<function():(!Promise|undefined)>} */
  646. this.cleanupOnUnload_ = [];
  647. if (dependencyInjector) {
  648. dependencyInjector(this);
  649. }
  650. // Create the CMCD manager so client data can be attached to all requests
  651. this.cmcdManager_ = this.createCmcd_();
  652. this.cmsdManager_ = this.createCmsd_();
  653. this.networkingEngine_ = this.createNetworkingEngine();
  654. this.networkingEngine_.setForceHTTP(this.config_.streaming.forceHTTP);
  655. this.networkingEngine_.setForceHTTPS(this.config_.streaming.forceHTTPS);
  656. /** @private {shaka.extern.IAdManager} */
  657. this.adManager_ = null;
  658. /** @private {?shaka.media.PreloadManager} */
  659. this.preloadDueAdManager_ = null;
  660. /** @private {HTMLMediaElement} */
  661. this.preloadDueAdManagerVideo_ = null;
  662. /** @private {boolean} */
  663. this.preloadDueAdManagerVideoEnded_ = false;
  664. /** @private {shaka.util.Timer} */
  665. this.preloadDueAdManagerTimer_ = new shaka.util.Timer(async () => {
  666. if (this.preloadDueAdManager_) {
  667. goog.asserts.assert(this.preloadDueAdManagerVideo_, 'Must have video');
  668. await this.attach(
  669. this.preloadDueAdManagerVideo_, /* initializeMediaSource= */ true);
  670. await this.load(this.preloadDueAdManager_);
  671. if (!this.preloadDueAdManagerVideoEnded_) {
  672. this.preloadDueAdManagerVideo_.play();
  673. } else {
  674. this.preloadDueAdManagerVideo_.pause();
  675. }
  676. this.preloadDueAdManager_ = null;
  677. this.preloadDueAdManagerVideoEnded_ = false;
  678. }
  679. });
  680. if (shaka.Player.adManagerFactory_) {
  681. this.adManager_ = shaka.Player.adManagerFactory_();
  682. this.adManager_.configure(this.config_.ads);
  683. // Note: we don't use shaka.ads.Utils.AD_CONTENT_PAUSE_REQUESTED to
  684. // avoid add a optional module in the player.
  685. this.adManagerEventManager_.listen(
  686. this.adManager_, 'ad-content-pause-requested', async (e) => {
  687. this.preloadDueAdManagerTimer_.stop();
  688. if (!this.preloadDueAdManager_) {
  689. this.preloadDueAdManagerVideo_ = this.video_;
  690. this.preloadDueAdManagerVideoEnded_ = this.video_.ended;
  691. const saveLivePosition = /** @type {boolean} */(
  692. e['saveLivePosition']) || false;
  693. this.preloadDueAdManager_ = await this.detachAndSavePreload(
  694. /* keepAdManager= */ true, saveLivePosition);
  695. }
  696. });
  697. // Note: we don't use shaka.ads.Utils.AD_CONTENT_RESUME_REQUESTED to
  698. // avoid add a optional module in the player.
  699. this.adManagerEventManager_.listen(
  700. this.adManager_, 'ad-content-resume-requested', (e) => {
  701. const offset = /** @type {number} */(e['offset']) || 0;
  702. if (this.preloadDueAdManager_) {
  703. this.preloadDueAdManager_.setOffsetToStartTime(offset);
  704. }
  705. this.preloadDueAdManagerTimer_.tickAfter(0.1);
  706. });
  707. // Note: we don't use shaka.ads.Utils.AD_CONTENT_ATTACH_REQUESTED to
  708. // avoid add a optional module in the player.
  709. this.adManagerEventManager_.listen(
  710. this.adManager_, 'ad-content-attach-requested', async (e) => {
  711. if (!this.video_ && this.preloadDueAdManagerVideo_) {
  712. goog.asserts.assert(this.preloadDueAdManagerVideo_,
  713. 'Must have video');
  714. await this.attach(this.preloadDueAdManagerVideo_,
  715. /* initializeMediaSource= */ true);
  716. }
  717. });
  718. }
  719. // If the browser comes back online after being offline, then try to play
  720. // again.
  721. this.globalEventManager_.listen(window, 'online', () => {
  722. this.restoreDisabledVariants_();
  723. this.retryStreaming();
  724. });
  725. /** @private {shaka.util.Timer} */
  726. this.checkVariantsTimer_ =
  727. new shaka.util.Timer(() => this.checkVariants_());
  728. /** @private {?shaka.media.PreloadManager} */
  729. this.preloadNextUrl_ = null;
  730. // Even though |attach| will start in later interpreter cycles, it should be
  731. // the LAST thing we do in the constructor because conceptually it relies on
  732. // player having been initialized.
  733. if (mediaElement) {
  734. shaka.Deprecate.deprecateFeature(5,
  735. 'Player w/ mediaElement',
  736. 'Please migrate from initializing Player with a mediaElement; ' +
  737. 'use the attach method instead.');
  738. this.attach(mediaElement, /* initializeMediaSource= */ true);
  739. }
  740. }
  741. /**
  742. * Create a shaka.lcevc.Dec object
  743. * @param {shaka.extern.LcevcConfiguration} config
  744. * @private
  745. */
  746. createLcevcDec_(config) {
  747. if (this.lcevcDec_ == null) {
  748. this.lcevcDec_ = new shaka.lcevc.Dec(
  749. /** @type {HTMLVideoElement} */ (this.video_),
  750. this.lcevcCanvas_,
  751. config,
  752. );
  753. if (this.mediaSourceEngine_) {
  754. this.mediaSourceEngine_.updateLcevcDec(this.lcevcDec_);
  755. }
  756. }
  757. }
  758. /**
  759. * Close a shaka.lcevc.Dec object if present and hide the canvas.
  760. * @private
  761. */
  762. closeLcevcDec_() {
  763. if (this.lcevcDec_ != null) {
  764. this.lcevcDec_.hideCanvas();
  765. this.lcevcDec_.release();
  766. this.lcevcDec_ = null;
  767. }
  768. }
  769. /**
  770. * Setup shaka.lcevc.Dec object
  771. * @param {?shaka.extern.PlayerConfiguration} config
  772. * @private
  773. */
  774. setupLcevc_(config) {
  775. if (config.lcevc.enabled) {
  776. this.closeLcevcDec_();
  777. this.createLcevcDec_(config.lcevc);
  778. } else {
  779. this.closeLcevcDec_();
  780. }
  781. }
  782. /**
  783. * @param {!shaka.util.FakeEvent.EventName} name
  784. * @param {Map.<string, Object>=} data
  785. * @return {!shaka.util.FakeEvent}
  786. * @private
  787. */
  788. static makeEvent_(name, data) {
  789. return new shaka.util.FakeEvent(name, data);
  790. }
  791. /**
  792. * After destruction, a Player object cannot be used again.
  793. *
  794. * @override
  795. * @export
  796. */
  797. async destroy() {
  798. // Make sure we only execute the destroy logic once.
  799. if (this.loadMode_ == shaka.Player.LoadMode.DESTROYED) {
  800. return;
  801. }
  802. // If LCEVC Decoder exists close it.
  803. this.closeLcevcDec_();
  804. const detachPromise = this.detach();
  805. // Mark as "dead". This should stop external-facing calls from changing our
  806. // internal state any more. This will stop calls to |attach|, |detach|, etc.
  807. // from interrupting our final move to the detached state.
  808. this.loadMode_ = shaka.Player.LoadMode.DESTROYED;
  809. await detachPromise;
  810. // A PreloadManager can only be used with the Player instance that created
  811. // it, so all PreloadManagers this Player has created are now useless.
  812. // Destroy any remaining managers now, to help prevent memory leaks.
  813. await this.destroyAllPreloads();
  814. // Tear-down the event managers to ensure handlers stop firing.
  815. if (this.globalEventManager_) {
  816. this.globalEventManager_.release();
  817. this.globalEventManager_ = null;
  818. }
  819. if (this.attachEventManager_) {
  820. this.attachEventManager_.release();
  821. this.attachEventManager_ = null;
  822. }
  823. if (this.loadEventManager_) {
  824. this.loadEventManager_.release();
  825. this.loadEventManager_ = null;
  826. }
  827. if (this.trickPlayEventManager_) {
  828. this.trickPlayEventManager_.release();
  829. this.trickPlayEventManager_ = null;
  830. }
  831. if (this.adManagerEventManager_) {
  832. this.adManagerEventManager_.release();
  833. this.adManagerEventManager_ = null;
  834. }
  835. this.abrManagerFactory_ = null;
  836. this.config_ = null;
  837. this.stats_ = null;
  838. this.videoContainer_ = null;
  839. this.cmcdManager_ = null;
  840. this.cmsdManager_ = null;
  841. if (this.networkingEngine_) {
  842. await this.networkingEngine_.destroy();
  843. this.networkingEngine_ = null;
  844. }
  845. if (this.abrManager_) {
  846. this.abrManager_.release();
  847. this.abrManager_ = null;
  848. }
  849. // FakeEventTarget implements IReleasable
  850. super.release();
  851. }
  852. /**
  853. * Registers a plugin callback that will be called with
  854. * <code>support()</code>. The callback will return the value that will be
  855. * stored in the return value from <code>support()</code>.
  856. *
  857. * @param {string} name
  858. * @param {function():*} callback
  859. * @export
  860. */
  861. static registerSupportPlugin(name, callback) {
  862. shaka.Player.supportPlugins_[name] = callback;
  863. }
  864. /**
  865. * Set a factory to create an ad manager during player construction time.
  866. * This method needs to be called bafore instantiating the Player class.
  867. *
  868. * @param {!shaka.extern.IAdManager.Factory} factory
  869. * @export
  870. */
  871. static setAdManagerFactory(factory) {
  872. shaka.Player.adManagerFactory_ = factory;
  873. }
  874. /**
  875. * Return whether the browser provides basic support. If this returns false,
  876. * Shaka Player cannot be used at all. In this case, do not construct a
  877. * Player instance and do not use the library.
  878. *
  879. * @return {boolean}
  880. * @export
  881. */
  882. static isBrowserSupported() {
  883. if (!window.Promise) {
  884. shaka.log.alwaysWarn('A Promise implementation or polyfill is required');
  885. }
  886. // Basic features needed for the library to be usable.
  887. const basicSupport = !!window.Promise && !!window.Uint8Array &&
  888. // eslint-disable-next-line no-restricted-syntax
  889. !!Array.prototype.forEach;
  890. if (!basicSupport) {
  891. return false;
  892. }
  893. // We do not support IE
  894. if (shaka.util.Platform.isIE()) {
  895. return false;
  896. }
  897. const safariVersion = shaka.util.Platform.safariVersion();
  898. if (safariVersion && safariVersion < 9) {
  899. return false;
  900. }
  901. // DRM support is not strictly necessary, but the APIs at least need to be
  902. // there. Our no-op DRM polyfill should handle that.
  903. // TODO(#1017): Consider making even DrmEngine optional.
  904. const drmSupport = shaka.util.DrmUtils.isBrowserSupported();
  905. if (!drmSupport) {
  906. return false;
  907. }
  908. // If we have MediaSource (MSE) support, we should be able to use Shaka.
  909. if (shaka.util.Platform.supportsMediaSource()) {
  910. return true;
  911. }
  912. // If we don't have MSE, we _may_ be able to use Shaka. Look for native HLS
  913. // support, and call this platform usable if we have it.
  914. return shaka.util.Platform.supportsMediaType('application/x-mpegurl');
  915. }
  916. /**
  917. * Probes the browser to determine what features are supported. This makes a
  918. * number of requests to EME/MSE/etc which may result in user prompts. This
  919. * should only be used for diagnostics.
  920. *
  921. * <p>
  922. * NOTE: This may show a request to the user for permission.
  923. *
  924. * @see https://bit.ly/2ywccmH
  925. * @param {boolean=} promptsOkay
  926. * @return {!Promise.<shaka.extern.SupportType>}
  927. * @export
  928. */
  929. static async probeSupport(promptsOkay=true) {
  930. goog.asserts.assert(shaka.Player.isBrowserSupported(),
  931. 'Must have basic support');
  932. let drm = {};
  933. if (promptsOkay) {
  934. drm = await shaka.media.DrmEngine.probeSupport();
  935. }
  936. const manifest = shaka.media.ManifestParser.probeSupport();
  937. const media = shaka.media.MediaSourceEngine.probeSupport();
  938. const hardwareResolution =
  939. await shaka.util.Platform.detectMaxHardwareResolution();
  940. /** @type {shaka.extern.SupportType} */
  941. const ret = {
  942. manifest,
  943. media,
  944. drm,
  945. hardwareResolution,
  946. };
  947. const plugins = shaka.Player.supportPlugins_;
  948. for (const name in plugins) {
  949. ret[name] = plugins[name]();
  950. }
  951. return ret;
  952. }
  953. /**
  954. * Makes a fires an event corresponding to entering a state of the loading
  955. * process.
  956. * @param {string} nodeName
  957. * @private
  958. */
  959. makeStateChangeEvent_(nodeName) {
  960. this.dispatchEvent(shaka.Player.makeEvent_(
  961. /* name= */ shaka.util.FakeEvent.EventName.OnStateChange,
  962. /* data= */ (new Map()).set('state', nodeName)));
  963. }
  964. /**
  965. * Attaches the player to a media element.
  966. * If the player was already attached to a media element, first detaches from
  967. * that media element.
  968. *
  969. * @param {!HTMLMediaElement} mediaElement
  970. * @param {boolean=} initializeMediaSource
  971. * @return {!Promise}
  972. * @export
  973. */
  974. async attach(mediaElement, initializeMediaSource = true) {
  975. // Do not allow the player to be used after |destroy| is called.
  976. if (this.loadMode_ == shaka.Player.LoadMode.DESTROYED) {
  977. throw this.createAbortLoadError_();
  978. }
  979. const noop = this.video_ && this.video_ == mediaElement;
  980. if (this.video_ && this.video_ != mediaElement) {
  981. await this.detach();
  982. }
  983. if (await this.atomicOperationAcquireMutex_('attach')) {
  984. return;
  985. }
  986. try {
  987. if (!noop) {
  988. this.makeStateChangeEvent_('attach');
  989. const onError = (error) => this.onVideoError_(error);
  990. this.attachEventManager_.listen(mediaElement, 'error', onError);
  991. this.video_ = mediaElement;
  992. }
  993. // Only initialize media source if the platform supports it.
  994. if (initializeMediaSource &&
  995. shaka.util.Platform.supportsMediaSource() &&
  996. !this.mediaSourceEngine_) {
  997. await this.initializeMediaSourceEngineInner_();
  998. }
  999. } catch (error) {
  1000. await this.detach();
  1001. throw error;
  1002. } finally {
  1003. this.mutex_.release();
  1004. }
  1005. }
  1006. /**
  1007. * Calling <code>attachCanvas</code> will tell the player to set canvas
  1008. * element for LCEVC decoding.
  1009. *
  1010. * @param {HTMLCanvasElement} canvas
  1011. * @export
  1012. */
  1013. attachCanvas(canvas) {
  1014. this.lcevcCanvas_ = canvas;
  1015. }
  1016. /**
  1017. * Detach the player from the current media element. Leaves the player in a
  1018. * state where it cannot play media, until it has been attached to something
  1019. * else.
  1020. *
  1021. * @param {boolean=} keepAdManager
  1022. *
  1023. * @return {!Promise}
  1024. * @export
  1025. */
  1026. async detach(keepAdManager = false) {
  1027. // Do not allow the player to be used after |destroy| is called.
  1028. if (this.loadMode_ == shaka.Player.LoadMode.DESTROYED) {
  1029. throw this.createAbortLoadError_();
  1030. }
  1031. await this.unload(/* initializeMediaSource= */ false, keepAdManager);
  1032. if (await this.atomicOperationAcquireMutex_('detach')) {
  1033. return;
  1034. }
  1035. try {
  1036. // If we were going from "detached" to "detached" we wouldn't have
  1037. // a media element to detach from.
  1038. if (this.video_) {
  1039. this.attachEventManager_.removeAll();
  1040. this.video_ = null;
  1041. }
  1042. this.makeStateChangeEvent_('detach');
  1043. if (this.adManager_ && !keepAdManager) {
  1044. // The ad manager is specific to the video, so detach it too.
  1045. this.adManager_.release();
  1046. }
  1047. } finally {
  1048. this.mutex_.release();
  1049. }
  1050. }
  1051. /**
  1052. * Tries to acquire the mutex, and then returns if the operation should end
  1053. * early due to someone else starting a mutex-acquiring operation.
  1054. * Meant for operations that can't be interrupted midway through (e.g.
  1055. * everything but load).
  1056. * @param {string} mutexIdentifier
  1057. * @return {!Promise.<boolean>} endEarly If false, the calling context will
  1058. * need to release the mutex.
  1059. * @private
  1060. */
  1061. async atomicOperationAcquireMutex_(mutexIdentifier) {
  1062. const operationId = ++this.operationId_;
  1063. await this.mutex_.acquire(mutexIdentifier);
  1064. if (operationId != this.operationId_) {
  1065. this.mutex_.release();
  1066. return true;
  1067. }
  1068. return false;
  1069. }
  1070. /**
  1071. * Unloads the currently playing stream, if any.
  1072. *
  1073. * @param {boolean=} initializeMediaSource
  1074. * @param {boolean=} keepAdManager
  1075. * @return {!Promise}
  1076. * @export
  1077. */
  1078. async unload(initializeMediaSource = true, keepAdManager = false) {
  1079. // Set the load mode to unload right away so that all the public methods
  1080. // will stop using the internal components. We need to make sure that we
  1081. // are not overriding the destroyed state because we will unload when we are
  1082. // destroying the player.
  1083. if (this.loadMode_ != shaka.Player.LoadMode.DESTROYED) {
  1084. this.loadMode_ = shaka.Player.LoadMode.NOT_LOADED;
  1085. }
  1086. if (await this.atomicOperationAcquireMutex_('unload')) {
  1087. return;
  1088. }
  1089. try {
  1090. this.fullyLoaded_ = false;
  1091. this.makeStateChangeEvent_('unload');
  1092. // If the platform does not support media source, we will never want to
  1093. // initialize media source.
  1094. if (initializeMediaSource && !shaka.util.Platform.supportsMediaSource()) {
  1095. initializeMediaSource = false;
  1096. }
  1097. // If LCEVC Decoder exists close it.
  1098. this.closeLcevcDec_();
  1099. // Run any general cleanup tasks now. This should be here at the top,
  1100. // right after setting loadMode_, so that internal components still exist
  1101. // as they did when the cleanup tasks were registered in the array.
  1102. const cleanupTasks = this.cleanupOnUnload_.map((cb) => cb());
  1103. this.cleanupOnUnload_ = [];
  1104. await Promise.all(cleanupTasks);
  1105. // Dispatch the unloading event.
  1106. this.dispatchEvent(
  1107. shaka.Player.makeEvent_(shaka.util.FakeEvent.EventName.Unloading));
  1108. // Release the region timeline, which is created when parsing the
  1109. // manifest.
  1110. if (this.regionTimeline_) {
  1111. this.regionTimeline_.release();
  1112. this.regionTimeline_ = null;
  1113. }
  1114. // In most cases we should have a media element. The one exception would
  1115. // be if there was an error and we, by chance, did not have a media
  1116. // element.
  1117. if (this.video_) {
  1118. this.loadEventManager_.removeAll();
  1119. this.trickPlayEventManager_.removeAll();
  1120. }
  1121. // Stop the variant checker timer
  1122. this.checkVariantsTimer_.stop();
  1123. // Some observers use some playback components, shutting down the
  1124. // observers first ensures that they don't try to use the playback
  1125. // components mid-destroy.
  1126. if (this.playheadObservers_) {
  1127. this.playheadObservers_.release();
  1128. this.playheadObservers_ = null;
  1129. }
  1130. if (this.bufferPoller_) {
  1131. this.bufferPoller_.stop();
  1132. this.bufferPoller_ = null;
  1133. }
  1134. // Stop the parser early. Since it is at the start of the pipeline, it
  1135. // should be start early to avoid is pushing new data downstream.
  1136. if (this.parser_) {
  1137. await this.parser_.stop();
  1138. this.parser_ = null;
  1139. this.parserFactory_ = null;
  1140. }
  1141. // Abr Manager will tell streaming engine what to do, so we need to stop
  1142. // it before we destroy streaming engine. Unlike with the other
  1143. // components, we do not release the instance, we will reuse it in later
  1144. // loads.
  1145. if (this.abrManager_) {
  1146. await this.abrManager_.stop();
  1147. }
  1148. // Streaming engine will push new data to media source engine, so we need
  1149. // to shut it down before destroy media source engine.
  1150. if (this.streamingEngine_) {
  1151. await this.streamingEngine_.destroy();
  1152. this.streamingEngine_ = null;
  1153. }
  1154. if (this.playRateController_) {
  1155. this.playRateController_.release();
  1156. this.playRateController_ = null;
  1157. }
  1158. // Playhead is used by StreamingEngine, so we can't destroy this until
  1159. // after StreamingEngine has stopped.
  1160. if (this.playhead_) {
  1161. this.playhead_.release();
  1162. this.playhead_ = null;
  1163. }
  1164. // EME v0.1b requires the media element to clear the MediaKeys
  1165. if (shaka.util.Platform.isMediaKeysPolyfilled('webkit') &&
  1166. this.drmEngine_) {
  1167. await this.drmEngine_.destroy();
  1168. this.drmEngine_ = null;
  1169. }
  1170. // Media source engine holds onto the media element, and in order to
  1171. // detach the media keys (with drm engine), we need to break the
  1172. // connection between media source engine and the media element.
  1173. if (this.mediaSourceEngine_) {
  1174. await this.mediaSourceEngine_.destroy();
  1175. this.mediaSourceEngine_ = null;
  1176. }
  1177. if (this.adManager_ && !keepAdManager) {
  1178. this.adManager_.onAssetUnload();
  1179. }
  1180. if (this.preloadDueAdManager_ && !keepAdManager) {
  1181. this.preloadDueAdManager_.destroy();
  1182. this.preloadDueAdManager_ = null;
  1183. }
  1184. if (!keepAdManager) {
  1185. this.preloadDueAdManagerTimer_.stop();
  1186. }
  1187. if (this.cmcdManager_) {
  1188. this.cmcdManager_.reset();
  1189. }
  1190. if (this.cmsdManager_) {
  1191. this.cmsdManager_.reset();
  1192. }
  1193. if (this.video_) {
  1194. // Remove all track nodes
  1195. shaka.util.Dom.removeAllChildren(this.video_);
  1196. }
  1197. // In order to unload a media element, we need to remove the src attribute
  1198. // and then load again. When we destroy media source engine, this will be
  1199. // done for us, but for src=, we need to do it here.
  1200. //
  1201. // DrmEngine requires this to be done before we destroy DrmEngine itself.
  1202. if (this.video_ && this.video_.src) {
  1203. // TODO: Investigate this more. Only reproduces on Firefox 69.
  1204. // Introduce a delay before detaching the video source. We are seeing
  1205. // spurious Promise rejections involving an AbortError in our tests
  1206. // otherwise.
  1207. await new Promise(
  1208. (resolve) => new shaka.util.Timer(resolve).tickAfter(0.1));
  1209. this.video_.removeAttribute('src');
  1210. this.video_.load();
  1211. }
  1212. if (this.drmEngine_) {
  1213. await this.drmEngine_.destroy();
  1214. this.drmEngine_ = null;
  1215. }
  1216. if (this.preloadNextUrl_ &&
  1217. this.assetUri_ != this.preloadNextUrl_.getAssetUri()) {
  1218. if (!this.preloadNextUrl_.isDestroyed()) {
  1219. this.preloadNextUrl_.destroy();
  1220. }
  1221. this.preloadNextUrl_ = null;
  1222. }
  1223. this.assetUri_ = null;
  1224. this.mimeType_ = null;
  1225. this.bufferObserver_ = null;
  1226. if (this.manifest_) {
  1227. for (const variant of this.manifest_.variants) {
  1228. for (const stream of [variant.audio, variant.video]) {
  1229. if (stream && stream.segmentIndex) {
  1230. stream.segmentIndex.release();
  1231. }
  1232. }
  1233. }
  1234. for (const stream of this.manifest_.textStreams) {
  1235. if (stream.segmentIndex) {
  1236. stream.segmentIndex.release();
  1237. }
  1238. }
  1239. }
  1240. // On some devices, cached MediaKeySystemAccess objects may corrupt
  1241. // after several playbacks, and they are not able anymore to properly
  1242. // create MediaKeys objects. To prevent it, clear the cache after
  1243. // each playback.
  1244. if (this.config_.streaming.clearDecodingCache) {
  1245. shaka.util.StreamUtils.clearDecodingConfigCache();
  1246. shaka.util.DrmUtils.clearMediaKeySystemAccessMap();
  1247. }
  1248. this.manifest_ = null;
  1249. this.stats_ = new shaka.util.Stats(); // Replace with a clean object.
  1250. this.lastTextFactory_ = null;
  1251. this.targetLatencyReached_ = null;
  1252. this.currentTargetLatency_ = null;
  1253. this.rebufferingCount_ = -1;
  1254. this.externalSrcEqualsThumbnailsStreams_ = [];
  1255. this.completionPercent_ = NaN;
  1256. // Make sure that the app knows of the new buffering state.
  1257. this.updateBufferState_();
  1258. } finally {
  1259. this.mutex_.release();
  1260. }
  1261. if (initializeMediaSource && shaka.util.Platform.supportsMediaSource() &&
  1262. !this.mediaSourceEngine_ && this.video_) {
  1263. await this.initializeMediaSourceEngineInner_();
  1264. }
  1265. }
  1266. /**
  1267. * Provides a way to update the stream start position during the media loading
  1268. * process. Can for example be called from the <code>manifestparsed</code>
  1269. * event handler to update the start position based on information in the
  1270. * manifest.
  1271. *
  1272. * @param {number} startTime
  1273. * @export
  1274. */
  1275. updateStartTime(startTime) {
  1276. this.startTime_ = startTime;
  1277. }
  1278. /**
  1279. * Loads a new stream.
  1280. * If another stream was already playing, first unloads that stream.
  1281. *
  1282. * @param {string|shaka.media.PreloadManager} assetUriOrPreloader
  1283. * @param {?number=} startTime
  1284. * When <code>startTime</code> is <code>null</code> or
  1285. * <code>undefined</code>, playback will start at the default start time (0
  1286. * for VOD and liveEdge for LIVE).
  1287. * @param {?string=} mimeType
  1288. * @return {!Promise}
  1289. * @export
  1290. */
  1291. async load(assetUriOrPreloader, startTime = null, mimeType) {
  1292. // Do not allow the player to be used after |destroy| is called.
  1293. if (this.loadMode_ == shaka.Player.LoadMode.DESTROYED) {
  1294. throw this.createAbortLoadError_();
  1295. }
  1296. /** @type {?shaka.media.PreloadManager} */
  1297. let preloadManager = null;
  1298. let assetUri = '';
  1299. if (assetUriOrPreloader instanceof shaka.media.PreloadManager) {
  1300. preloadManager = assetUriOrPreloader;
  1301. assetUri = preloadManager.getAssetUri() || '';
  1302. } else {
  1303. assetUri = assetUriOrPreloader || '';
  1304. }
  1305. // Quickly acquire the mutex, so this will wait for other top-level
  1306. // operations.
  1307. await this.mutex_.acquire('load');
  1308. this.mutex_.release();
  1309. if (!this.video_) {
  1310. throw new shaka.util.Error(
  1311. shaka.util.Error.Severity.CRITICAL,
  1312. shaka.util.Error.Category.PLAYER,
  1313. shaka.util.Error.Code.NO_VIDEO_ELEMENT);
  1314. }
  1315. if (this.assetUri_) {
  1316. // Note: This is used to avoid the destruction of the nextUrl
  1317. // preloadManager that can be the current one.
  1318. this.assetUri_ = assetUri;
  1319. await this.unload(/* initializeMediaSource= */ false);
  1320. }
  1321. // Add a mechanism to detect if the load process has been interrupted by a
  1322. // call to another top-level operation (unload, load, etc).
  1323. const operationId = ++this.operationId_;
  1324. const detectInterruption = async () => {
  1325. if (this.operationId_ != operationId) {
  1326. if (preloadManager) {
  1327. await preloadManager.destroy();
  1328. }
  1329. throw this.createAbortLoadError_();
  1330. }
  1331. };
  1332. /**
  1333. * Wraps a given operation with mutex.acquire and mutex.release, along with
  1334. * calls to detectInterruption, to catch any other top-level calls happening
  1335. * while waiting for the mutex.
  1336. * @param {function():!Promise} operation
  1337. * @param {string} mutexIdentifier
  1338. * @return {!Promise}
  1339. */
  1340. const mutexWrapOperation = async (operation, mutexIdentifier) => {
  1341. try {
  1342. await this.mutex_.acquire(mutexIdentifier);
  1343. await detectInterruption();
  1344. await operation();
  1345. await detectInterruption();
  1346. if (preloadManager && this.config_) {
  1347. preloadManager.reconfigure(this.config_);
  1348. }
  1349. } finally {
  1350. this.mutex_.release();
  1351. }
  1352. };
  1353. try {
  1354. if (startTime == null && preloadManager) {
  1355. startTime = preloadManager.getStartTime();
  1356. }
  1357. this.startTime_ = startTime;
  1358. this.fullyLoaded_ = false;
  1359. // We dispatch the loading event when someone calls |load| because we want
  1360. // to surface the user intent.
  1361. this.dispatchEvent(shaka.Player.makeEvent_(
  1362. shaka.util.FakeEvent.EventName.Loading));
  1363. if (preloadManager) {
  1364. mimeType = preloadManager.getMimeType();
  1365. } else if (!mimeType) {
  1366. await mutexWrapOperation(async () => {
  1367. mimeType = await this.guessMimeType_(assetUri);
  1368. }, 'guessMimeType_');
  1369. }
  1370. const wasPreloaded = !!preloadManager;
  1371. if (!preloadManager) {
  1372. // For simplicity, if an asset is NOT preloaded, start an internal
  1373. // "preload" here without prefetch.
  1374. // That way, both a preload and normal load can follow the same code
  1375. // paths.
  1376. // NOTE: await preloadInner_ can be outside the mutex because it should
  1377. // not mutate "this".
  1378. preloadManager = await this.preloadInner_(
  1379. assetUri, startTime, mimeType, /* standardLoad= */ true);
  1380. if (preloadManager) {
  1381. preloadManager.setEventHandoffTarget(this);
  1382. this.stats_ = preloadManager.getStats();
  1383. preloadManager.start();
  1384. // Silence "uncaught error" warnings from this. Unless we are
  1385. // interrupted, we will check the result of this process and respond
  1386. // appropriately. If we are interrupted, we can ignore any error
  1387. // there.
  1388. preloadManager.waitForFinish().catch(() => {});
  1389. } else {
  1390. this.stats_ = new shaka.util.Stats();
  1391. }
  1392. } else {
  1393. // Hook up events, so any events emitted by the preloadManager will
  1394. // instead be emitted by the player.
  1395. preloadManager.setEventHandoffTarget(this);
  1396. this.stats_ = preloadManager.getStats();
  1397. }
  1398. // Now, if there is no preload manager, that means that this is a src=
  1399. // asset.
  1400. const shouldUseSrcEquals = !preloadManager;
  1401. const startTimeOfLoad = Date.now() / 1000;
  1402. // Stats are for a single playback/load session. Stats must be initialized
  1403. // before we allow calls to |updateStateHistory|.
  1404. this.stats_ =
  1405. preloadManager ? preloadManager.getStats() : new shaka.util.Stats();
  1406. this.assetUri_ = assetUri;
  1407. this.mimeType_ = mimeType || null;
  1408. if (shouldUseSrcEquals) {
  1409. await mutexWrapOperation(async () => {
  1410. goog.asserts.assert(mimeType, 'We should know the mimeType by now!');
  1411. await this.initializeSrcEqualsDrmInner_(mimeType);
  1412. }, 'initializeSrcEqualsDrmInner_');
  1413. await mutexWrapOperation(async () => {
  1414. goog.asserts.assert(mimeType, 'We should know the mimeType by now!');
  1415. await this.srcEqualsInner_(startTimeOfLoad, mimeType);
  1416. }, 'srcEqualsInner_');
  1417. } else {
  1418. if (!this.mediaSourceEngine_) {
  1419. await mutexWrapOperation(async () => {
  1420. await this.initializeMediaSourceEngineInner_();
  1421. }, 'initializeMediaSourceEngineInner_');
  1422. }
  1423. // Wait for the preload manager to do all of the loading it can do.
  1424. await mutexWrapOperation(async () => {
  1425. await preloadManager.waitForFinish();
  1426. }, 'waitForFinish');
  1427. // Get manifest and associated values from preloader.
  1428. this.config_ = preloadManager.getConfiguration();
  1429. this.manifestFilterer_ = preloadManager.getManifestFilterer();
  1430. this.parserFactory_ = preloadManager.getParserFactory();
  1431. this.parser_ = preloadManager.receiveParser();
  1432. if (this.parser_ && this.parser_.setMediaElement && this.video_) {
  1433. this.parser_.setMediaElement(this.video_);
  1434. }
  1435. this.regionTimeline_ = preloadManager.receiveRegionTimeline();
  1436. this.qualityObserver_ = preloadManager.getQualityObserver();
  1437. this.manifest_ = preloadManager.getManifest();
  1438. const currentAdaptationSetCriteria =
  1439. preloadManager.getCurrentAdaptationSetCriteria();
  1440. if (currentAdaptationSetCriteria) {
  1441. this.currentAdaptationSetCriteria_ = currentAdaptationSetCriteria;
  1442. }
  1443. if (wasPreloaded && this.video_ && this.video_.nodeName === 'AUDIO') {
  1444. // Filter the variants to be audio-only after the fact.
  1445. // As, when preloading, we don't know if we are going to be attached
  1446. // to a video or audio element when we load, we have to do the auto
  1447. // audio-only filtering here, post-facto.
  1448. this.makeManifestAudioOnly_();
  1449. // And continue to do so in the future.
  1450. this.configure('manifest.disableVideo', true);
  1451. }
  1452. // Get drm engine from preloader, then finalize it.
  1453. this.drmEngine_ = preloadManager.receiveDrmEngine();
  1454. await mutexWrapOperation(async () => {
  1455. await this.drmEngine_.attach(this.video_);
  1456. }, 'drmEngine_.attach');
  1457. // Also get the ABR manager, which has special logic related to being
  1458. // received.
  1459. const abrManagerFactory = preloadManager.getAbrManagerFactory();
  1460. if (abrManagerFactory) {
  1461. if (!this.abrManagerFactory_ ||
  1462. this.abrManagerFactory_ != abrManagerFactory) {
  1463. this.abrManager_ = preloadManager.receiveAbrManager();
  1464. this.abrManagerFactory_ = preloadManager.getAbrManagerFactory();
  1465. if (typeof this.abrManager_.setMediaElement != 'function') {
  1466. shaka.Deprecate.deprecateFeature(5,
  1467. 'AbrManager w/o setMediaElement',
  1468. 'Please use an AbrManager with setMediaElement function.');
  1469. this.abrManager_.setMediaElement = () => {};
  1470. }
  1471. if (typeof this.abrManager_.setCmsdManager != 'function') {
  1472. shaka.Deprecate.deprecateFeature(5,
  1473. 'AbrManager w/o setCmsdManager',
  1474. 'Please use an AbrManager with setCmsdManager function.');
  1475. this.abrManager_.setCmsdManager = () => {};
  1476. }
  1477. if (typeof this.abrManager_.trySuggestStreams != 'function') {
  1478. shaka.Deprecate.deprecateFeature(5,
  1479. 'AbrManager w/o trySuggestStreams',
  1480. 'Please use an AbrManager with trySuggestStreams function.');
  1481. this.abrManager_.trySuggestStreams = () => {};
  1482. }
  1483. }
  1484. }
  1485. // Load the asset.
  1486. const segmentPrefetchById =
  1487. preloadManager.receiveSegmentPrefetchesById();
  1488. const prefetchedVariant = preloadManager.getPrefetchedVariant();
  1489. await mutexWrapOperation(async () => {
  1490. await this.loadInner_(
  1491. startTimeOfLoad, prefetchedVariant, segmentPrefetchById);
  1492. }, 'loadInner_');
  1493. preloadManager.stopQueuingLatePhaseQueuedOperations();
  1494. }
  1495. this.dispatchEvent(shaka.Player.makeEvent_(
  1496. shaka.util.FakeEvent.EventName.Loaded));
  1497. } catch (error) {
  1498. if (error && error.code != shaka.util.Error.Code.LOAD_INTERRUPTED) {
  1499. await this.unload(/* initializeMediaSource= */ false);
  1500. }
  1501. throw error;
  1502. } finally {
  1503. if (preloadManager) {
  1504. // This will cause any resources that were generated but not used to be
  1505. // properly destroyed or released.
  1506. await preloadManager.destroy();
  1507. }
  1508. this.preloadNextUrl_ = null;
  1509. }
  1510. }
  1511. /**
  1512. * Modifies the current manifest so that it is audio-only.
  1513. * @private
  1514. */
  1515. makeManifestAudioOnly_() {
  1516. for (const variant of this.manifest_.variants) {
  1517. if (variant.video) {
  1518. variant.video.closeSegmentIndex();
  1519. variant.video = null;
  1520. }
  1521. if (variant.audio && variant.audio.bandwidth) {
  1522. variant.bandwidth = variant.audio.bandwidth;
  1523. } else {
  1524. variant.bandwidth = 0;
  1525. }
  1526. }
  1527. this.manifest_.variants = this.manifest_.variants.filter((v) => {
  1528. return v.audio;
  1529. });
  1530. }
  1531. /**
  1532. * Unloads the currently playing stream, if any, and returns a PreloadManager
  1533. * that contains the loaded manifest of that asset, if any.
  1534. * Allows for the asset to be re-loaded by this player faster, in the future.
  1535. * When in src= mode, this unloads but does not make a PreloadManager.
  1536. *
  1537. * @param {boolean=} initializeMediaSource
  1538. * @param {boolean=} keepAdManager
  1539. * @return {!Promise.<?shaka.media.PreloadManager>}
  1540. * @export
  1541. */
  1542. async unloadAndSavePreload(
  1543. initializeMediaSource = true, keepAdManager = false) {
  1544. const preloadManager = await this.savePreload_();
  1545. await this.unload(initializeMediaSource, keepAdManager);
  1546. return preloadManager;
  1547. }
  1548. /**
  1549. * Detach the player from the current media element, if any, and returns a
  1550. * PreloadManager that contains the loaded manifest of that asset, if any.
  1551. * Allows for the asset to be re-loaded by this player faster, in the future.
  1552. * When in src= mode, this detach but does not make a PreloadManager.
  1553. * Leaves the player in a state where it cannot play media, until it has been
  1554. * attached to something else.
  1555. *
  1556. * @param {boolean=} keepAdManager
  1557. * @param {boolean=} saveLivePosition
  1558. * @return {!Promise.<?shaka.media.PreloadManager>}
  1559. * @export
  1560. */
  1561. async detachAndSavePreload(keepAdManager = false, saveLivePosition = false) {
  1562. const preloadManager = await this.savePreload_(saveLivePosition);
  1563. await this.detach(keepAdManager);
  1564. return preloadManager;
  1565. }
  1566. /**
  1567. * @param {boolean=} saveLivePosition
  1568. * @return {!Promise.<?shaka.media.PreloadManager>}
  1569. * @private
  1570. */
  1571. async savePreload_(saveLivePosition = false) {
  1572. let preloadManager = null;
  1573. if (this.manifest_ && this.parser_ && this.parserFactory_ &&
  1574. this.assetUri_) {
  1575. let startTime = this.video_.currentTime;
  1576. if (this.isLive() && !saveLivePosition) {
  1577. startTime = null;
  1578. }
  1579. // We have enough information to make a PreloadManager!
  1580. preloadManager = await this.makePreloadManager_(
  1581. this.assetUri_,
  1582. startTime,
  1583. this.mimeType_,
  1584. /* allowPrefetch= */ true,
  1585. /* disableVideo= */ false,
  1586. /* allowMakeAbrManager= */ false);
  1587. this.createdPreloadManagers_.push(preloadManager);
  1588. if (this.parser_ && this.parser_.setMediaElement) {
  1589. this.parser_.setMediaElement(/* mediaElement= */ null);
  1590. }
  1591. preloadManager.attachManifest(
  1592. this.manifest_, this.parser_, this.parserFactory_);
  1593. preloadManager.attachAbrManager(
  1594. this.abrManager_, this.abrManagerFactory_);
  1595. preloadManager.attachAdaptationSetCriteria(
  1596. this.currentAdaptationSetCriteria_);
  1597. preloadManager.start();
  1598. // Null the manifest and manifestParser, so that they won't be shut down
  1599. // during unload and will continue to live inside the preloadManager.
  1600. this.manifest_ = null;
  1601. this.parser_ = null;
  1602. this.parserFactory_ = null;
  1603. // Null the abrManager and abrManagerFactory, so that they won't be shut
  1604. // down during unload and will continue to live inside the preloadManager.
  1605. this.abrManager_ = null;
  1606. this.abrManagerFactory_ = null;
  1607. }
  1608. return preloadManager;
  1609. }
  1610. /**
  1611. * Starts to preload a given asset, and returns a PreloadManager object that
  1612. * represents that preloading process.
  1613. * The PreloadManager will load the manifest for that asset, as well as the
  1614. * initialization segment. It will not preload anything more than that;
  1615. * this feature is intended for reducing start-time latency, not for fully
  1616. * downloading assets before playing them (for that, use
  1617. * |shaka.offline.Storage|).
  1618. * You can pass that PreloadManager object in to the |load| method on this
  1619. * Player instance to finish loading that particular asset, or you can call
  1620. * the |destroy| method on the manager if the preload is no longer necessary.
  1621. * If this returns null rather than a PreloadManager, that indicates that the
  1622. * asset must be played with src=, which cannot be preloaded.
  1623. *
  1624. * @param {string} assetUri
  1625. * @param {?number=} startTime
  1626. * When <code>startTime</code> is <code>null</code> or
  1627. * <code>undefined</code>, playback will start at the default start time (0
  1628. * for VOD and liveEdge for LIVE).
  1629. * @param {?string=} mimeType
  1630. * @return {!Promise.<?shaka.media.PreloadManager>}
  1631. * @export
  1632. */
  1633. async preload(assetUri, startTime = null, mimeType) {
  1634. const preloadManager = await this.preloadInner_(
  1635. assetUri, startTime, mimeType);
  1636. if (!preloadManager) {
  1637. this.onError_(new shaka.util.Error(
  1638. shaka.util.Error.Severity.CRITICAL,
  1639. shaka.util.Error.Category.PLAYER,
  1640. shaka.util.Error.Code.SRC_EQUALS_PRELOAD_NOT_SUPPORTED));
  1641. } else {
  1642. preloadManager.start();
  1643. }
  1644. return preloadManager;
  1645. }
  1646. /**
  1647. * Calls |destroy| on each PreloadManager object this player has created.
  1648. * @export
  1649. */
  1650. async destroyAllPreloads() {
  1651. const preloadManagerDestroys = [];
  1652. for (const preloadManager of this.createdPreloadManagers_) {
  1653. if (!preloadManager.isDestroyed()) {
  1654. preloadManagerDestroys.push(preloadManager.destroy());
  1655. }
  1656. }
  1657. this.createdPreloadManagers_ = [];
  1658. await Promise.all(preloadManagerDestroys);
  1659. }
  1660. /**
  1661. * @param {string} assetUri
  1662. * @param {?number} startTime
  1663. * @param {?string=} mimeType
  1664. * @param {boolean=} standardLoad
  1665. * @return {!Promise.<?shaka.media.PreloadManager>}
  1666. * @private
  1667. */
  1668. async preloadInner_(assetUri, startTime, mimeType, standardLoad = false) {
  1669. goog.asserts.assert(this.networkingEngine_, 'Should have a net engine!');
  1670. goog.asserts.assert(this.config_, 'Config must not be null!');
  1671. if (!mimeType) {
  1672. mimeType = await this.guessMimeType_(assetUri);
  1673. }
  1674. const shouldUseSrcEquals = this.shouldUseSrcEquals_(assetUri, mimeType);
  1675. if (shouldUseSrcEquals) {
  1676. // We cannot preload src= content.
  1677. return null;
  1678. }
  1679. let disableVideo = false;
  1680. let allowMakeAbrManager = true;
  1681. if (standardLoad) {
  1682. if (this.abrManager_ &&
  1683. this.abrManagerFactory_ == this.config_.abrFactory) {
  1684. // If there's already an abr manager, don't make a new abr manager at
  1685. // all.
  1686. // In standardLoad mode, the abr manager isn't used for anything anyway,
  1687. // so it should only be created to create an abr manager for the player
  1688. // to use... which is unnecessary if we already have one of the right
  1689. // type.
  1690. allowMakeAbrManager = false;
  1691. }
  1692. if (this.video_ && this.video_.nodeName === 'AUDIO') {
  1693. disableVideo = true;
  1694. }
  1695. }
  1696. let preloadManagerPromise = this.makePreloadManager_(
  1697. assetUri, startTime, mimeType || null,
  1698. /* allowPrefetch= */ !standardLoad, disableVideo, allowMakeAbrManager);
  1699. if (!standardLoad) {
  1700. // We only need to track the PreloadManager if it is not part of a
  1701. // standard load. If it is, the load() method will handle destroying it.
  1702. // Adding a standard load PreloadManager to the createdPreloadManagers_
  1703. // array runs the risk that the user will call destroyAllPreloads and
  1704. // destroy that PreloadManager mid-load.
  1705. preloadManagerPromise = preloadManagerPromise.then((preloadManager) => {
  1706. this.createdPreloadManagers_.push(preloadManager);
  1707. return preloadManager;
  1708. });
  1709. }
  1710. return preloadManagerPromise;
  1711. }
  1712. /**
  1713. * @param {string} assetUri
  1714. * @param {?number} startTime
  1715. * @param {?string} mimeType
  1716. * @param {boolean=} allowPrefetch
  1717. * @param {boolean=} disableVideo
  1718. * @param {boolean=} allowMakeAbrManager
  1719. * @return {!Promise.<!shaka.media.PreloadManager>}
  1720. * @private
  1721. */
  1722. async makePreloadManager_(assetUri, startTime, mimeType,
  1723. allowPrefetch = true, disableVideo = false, allowMakeAbrManager = true) {
  1724. goog.asserts.assert(this.networkingEngine_, 'Must have net engine');
  1725. /** @type {?shaka.media.PreloadManager} */
  1726. let preloadManager = null;
  1727. const config = shaka.util.ObjectUtils.cloneObject(this.config_);
  1728. if (disableVideo) {
  1729. config.manifest.disableVideo = true;
  1730. }
  1731. const getPreloadManager = () => {
  1732. goog.asserts.assert(preloadManager, 'Must have preload manager');
  1733. if (preloadManager.hasBeenAttached() && preloadManager.isDestroyed()) {
  1734. return null;
  1735. }
  1736. return preloadManager;
  1737. };
  1738. const getConfig = () => {
  1739. if (getPreloadManager()) {
  1740. return getPreloadManager().getConfiguration();
  1741. } else {
  1742. return this.config_;
  1743. }
  1744. };
  1745. const setConfig = (name, value) => {
  1746. if (getPreloadManager()) {
  1747. preloadManager.configure(name, value);
  1748. } else {
  1749. this.configure(name, value);
  1750. }
  1751. };
  1752. // Avoid having to detect the resolution again if it has already been
  1753. // detected or set
  1754. if (this.maxHwRes_.width == Infinity &&
  1755. this.maxHwRes_.height == Infinity) {
  1756. const maxResolution =
  1757. await shaka.util.Platform.detectMaxHardwareResolution();
  1758. this.maxHwRes_.width = maxResolution.width;
  1759. this.maxHwRes_.height = maxResolution.height;
  1760. }
  1761. const manifestFilterer = new shaka.media.ManifestFilterer(
  1762. config, this.maxHwRes_, null);
  1763. const manifestPlayerInterface = {
  1764. networkingEngine: this.networkingEngine_,
  1765. filter: async (manifest) => {
  1766. const tracksChanged = await manifestFilterer.filterManifest(manifest);
  1767. if (tracksChanged) {
  1768. // Delay the 'trackschanged' event so StreamingEngine has time to
  1769. // absorb the changes before the user tries to query it.
  1770. const event = shaka.Player.makeEvent_(
  1771. shaka.util.FakeEvent.EventName.TracksChanged);
  1772. await Promise.resolve();
  1773. preloadManager.dispatchEvent(event);
  1774. }
  1775. },
  1776. makeTextStreamsForClosedCaptions: (manifest) => {
  1777. return this.makeTextStreamsForClosedCaptions_(manifest);
  1778. },
  1779. // Called when the parser finds a timeline region. This can be called
  1780. // before we start playback or during playback (live/in-progress
  1781. // manifest).
  1782. onTimelineRegionAdded: (region) => {
  1783. preloadManager.getRegionTimeline().addRegion(region);
  1784. },
  1785. onEvent: (event) => preloadManager.dispatchEvent(event),
  1786. onError: (error) => preloadManager.onError(error),
  1787. isLowLatencyMode: () => getConfig().streaming.lowLatencyMode,
  1788. isAutoLowLatencyMode: () => getConfig().streaming.autoLowLatencyMode,
  1789. enableLowLatencyMode: () => {
  1790. setConfig('streaming.lowLatencyMode', true);
  1791. },
  1792. updateDuration: () => {
  1793. if (this.streamingEngine_ && preloadManager.hasBeenAttached()) {
  1794. this.streamingEngine_.updateDuration();
  1795. }
  1796. },
  1797. newDrmInfo: (stream) => {
  1798. // We may need to create new sessions for any new init data.
  1799. const drmEngine = preloadManager.getDrmEngine();
  1800. const currentDrmInfo = drmEngine ? drmEngine.getDrmInfo() : null;
  1801. // DrmEngine.newInitData() requires mediaKeys to be available.
  1802. if (currentDrmInfo && drmEngine.getMediaKeys()) {
  1803. manifestFilterer.processDrmInfos(currentDrmInfo.keySystem, stream);
  1804. }
  1805. },
  1806. onManifestUpdated: () => {
  1807. const eventName = shaka.util.FakeEvent.EventName.ManifestUpdated;
  1808. const data = (new Map()).set('isLive', this.isLive());
  1809. preloadManager.dispatchEvent(shaka.Player.makeEvent_(eventName, data));
  1810. preloadManager.addQueuedOperation(false, () => {
  1811. if (this.adManager_) {
  1812. this.adManager_.onManifestUpdated(this.isLive());
  1813. }
  1814. });
  1815. },
  1816. getBandwidthEstimate: () => this.abrManager_.getBandwidthEstimate(),
  1817. onMetadata: (type, startTime, endTime, values) => {
  1818. let metadataType = type;
  1819. if (type == 'com.apple.hls.interstitial') {
  1820. metadataType = 'com.apple.quicktime.HLS';
  1821. /** @type {shaka.extern.Interstitial} */
  1822. const interstitial = {
  1823. startTime,
  1824. endTime,
  1825. values,
  1826. };
  1827. if (this.adManager_) {
  1828. goog.asserts.assert(this.video_, 'Must have video');
  1829. this.adManager_.onInterstitialMetadata(
  1830. this, this.video_, interstitial);
  1831. }
  1832. }
  1833. for (const payload of values) {
  1834. preloadManager.addQueuedOperation(false, () => {
  1835. this.dispatchMetadataEvent_(
  1836. startTime, endTime, metadataType, payload);
  1837. });
  1838. }
  1839. },
  1840. disableStream: (stream) => this.disableStream(
  1841. stream, this.config_.streaming.maxDisabledTime),
  1842. };
  1843. const regionTimeline =
  1844. new shaka.media.RegionTimeline(() => this.seekRange());
  1845. regionTimeline.addEventListener('regionadd', (event) => {
  1846. /** @type {shaka.extern.TimelineRegionInfo} */
  1847. const region = event['region'];
  1848. this.onRegionEvent_(
  1849. shaka.util.FakeEvent.EventName.TimelineRegionAdded, region,
  1850. preloadManager);
  1851. preloadManager.addQueuedOperation(false, () => {
  1852. if (this.adManager_) {
  1853. this.adManager_.onDashTimedMetadata(region);
  1854. }
  1855. });
  1856. });
  1857. let qualityObserver = null;
  1858. if (config.streaming.observeQualityChanges) {
  1859. qualityObserver = new shaka.media.QualityObserver(
  1860. () => this.getBufferedInfo());
  1861. qualityObserver.addEventListener('qualitychange', (event) => {
  1862. /** @type {shaka.extern.MediaQualityInfo} */
  1863. const mediaQualityInfo = event['quality'];
  1864. /** @type {number} */
  1865. const position = event['position'];
  1866. this.onMediaQualityChange_(mediaQualityInfo, position);
  1867. });
  1868. qualityObserver.addEventListener('audiotrackchange', (event) => {
  1869. /** @type {shaka.extern.MediaQualityInfo} */
  1870. const mediaQualityInfo = event['quality'];
  1871. /** @type {number} */
  1872. const position = event['position'];
  1873. this.onMediaQualityChange_(mediaQualityInfo, position,
  1874. /* audioTrackChanged= */ true);
  1875. });
  1876. }
  1877. let firstEvent = true;
  1878. const drmPlayerInterface = {
  1879. netEngine: this.networkingEngine_,
  1880. onError: (e) => preloadManager.onError(e),
  1881. onKeyStatus: (map) => {
  1882. preloadManager.addQueuedOperation(true, () => {
  1883. this.onKeyStatus_(map);
  1884. });
  1885. },
  1886. onExpirationUpdated: (id, expiration) => {
  1887. const event = shaka.Player.makeEvent_(
  1888. shaka.util.FakeEvent.EventName.ExpirationUpdated);
  1889. preloadManager.dispatchEvent(event);
  1890. const parser = preloadManager.getParser();
  1891. if (parser && parser.onExpirationUpdated) {
  1892. parser.onExpirationUpdated(id, expiration);
  1893. }
  1894. },
  1895. onEvent: (e) => {
  1896. preloadManager.dispatchEvent(e);
  1897. if (e.type == shaka.util.FakeEvent.EventName.DrmSessionUpdate &&
  1898. firstEvent) {
  1899. firstEvent = false;
  1900. const now = Date.now() / 1000;
  1901. const delta = now - preloadManager.getStartTimeOfDRM();
  1902. const stats = this.stats_ || preloadManager.getStats();
  1903. stats.setDrmTime(delta);
  1904. // LCEVC data by itself is not encrypted in DRM protected streams
  1905. // and can therefore be accessed and decoded as normal. However,
  1906. // the LCEVC decoder needs access to the VideoElement output in
  1907. // order to apply the enhancement. In DRM contexts where the
  1908. // browser CDM restricts access from our decoder, the enhancement
  1909. // cannot be applied and therefore the LCEVC output canvas is
  1910. // hidden accordingly.
  1911. if (this.lcevcDec_) {
  1912. this.lcevcDec_.hideCanvas();
  1913. }
  1914. }
  1915. },
  1916. };
  1917. // Sadly, as the network engine creation code must be replaceable by tests,
  1918. // it cannot be made and use the utilities defined in this function.
  1919. const networkingEngine = this.createNetworkingEngine(getPreloadManager);
  1920. this.networkingEngine_.copyFiltersInto(networkingEngine);
  1921. /** @return {!shaka.media.DrmEngine} */
  1922. const createDrmEngine = () => {
  1923. return this.createDrmEngine(drmPlayerInterface);
  1924. };
  1925. /** @type {!shaka.media.PreloadManager.PlayerInterface} */
  1926. const playerInterface = {
  1927. config,
  1928. manifestPlayerInterface,
  1929. regionTimeline,
  1930. qualityObserver,
  1931. createDrmEngine,
  1932. manifestFilterer,
  1933. networkingEngine,
  1934. allowPrefetch,
  1935. allowMakeAbrManager,
  1936. };
  1937. preloadManager = new shaka.media.PreloadManager(
  1938. assetUri, mimeType, startTime, playerInterface);
  1939. return preloadManager;
  1940. }
  1941. /**
  1942. * Determines the mimeType of the given asset, if we are not told that inside
  1943. * the loading process.
  1944. *
  1945. * @param {string} assetUri
  1946. * @return {!Promise.<?string>} mimeType
  1947. * @private
  1948. */
  1949. async guessMimeType_(assetUri) {
  1950. // If no MIME type is provided, and we can't base it on extension, make a
  1951. // HEAD request to determine it.
  1952. goog.asserts.assert(this.networkingEngine_, 'Should have a net engine!');
  1953. const retryParams = this.config_.manifest.retryParameters;
  1954. let mimeType = await shaka.net.NetworkingUtils.getMimeType(
  1955. assetUri, this.networkingEngine_, retryParams);
  1956. if (mimeType == 'application/x-mpegurl' && shaka.util.Platform.isApple()) {
  1957. mimeType = 'application/vnd.apple.mpegurl';
  1958. }
  1959. return mimeType;
  1960. }
  1961. /**
  1962. * Determines if we should use src equals, based on the the mimeType (if
  1963. * known), the URI, and platform information.
  1964. *
  1965. * @param {string} assetUri
  1966. * @param {?string=} mimeType
  1967. * @return {boolean}
  1968. * |true| if the content should be loaded with src=, |false| if the content
  1969. * should be loaded with MediaSource.
  1970. * @private
  1971. */
  1972. shouldUseSrcEquals_(assetUri, mimeType) {
  1973. const Platform = shaka.util.Platform;
  1974. const MimeUtils = shaka.util.MimeUtils;
  1975. // If we are using a platform that does not support media source, we will
  1976. // fall back to src= to handle all playback.
  1977. if (!Platform.supportsMediaSource()) {
  1978. return true;
  1979. }
  1980. if (mimeType) {
  1981. // If we have a MIME type, check if the browser can play it natively.
  1982. // This will cover both single files and native HLS.
  1983. const mediaElement = this.video_ || Platform.anyMediaElement();
  1984. const canPlayNatively = mediaElement.canPlayType(mimeType) != '';
  1985. // If we can't play natively, then src= isn't an option.
  1986. if (!canPlayNatively) {
  1987. return false;
  1988. }
  1989. const canPlayMediaSource =
  1990. shaka.media.ManifestParser.isSupported(mimeType);
  1991. // If MediaSource isn't an option, the native option is our only chance.
  1992. if (!canPlayMediaSource) {
  1993. return true;
  1994. }
  1995. // If we land here, both are feasible.
  1996. goog.asserts.assert(canPlayNatively && canPlayMediaSource,
  1997. 'Both native and MSE playback should be possible!');
  1998. // We would prefer MediaSource in some cases, and src= in others. For
  1999. // example, Android has native HLS, but we'd prefer our own MediaSource
  2000. // version there.
  2001. if (MimeUtils.isHlsType(mimeType)) {
  2002. // Native FairPlay HLS can be preferred on Apple platfforms.
  2003. if (Platform.isApple() &&
  2004. (this.config_.drm.servers['com.apple.fps'] ||
  2005. this.config_.drm.servers['com.apple.fps.1_0'])) {
  2006. return this.config_.streaming.useNativeHlsForFairPlay;
  2007. }
  2008. // Native HLS can be preferred on any platform via this flag:
  2009. return this.config_.streaming.preferNativeHls;
  2010. }
  2011. // In all other cases, we prefer MediaSource.
  2012. return false;
  2013. }
  2014. // Unless there are good reasons to use src= (single-file playback or native
  2015. // HLS), we prefer MediaSource. So the final return value for choosing src=
  2016. // is false.
  2017. return false;
  2018. }
  2019. /**
  2020. * Initializes the media source engine.
  2021. *
  2022. * @return {!Promise}
  2023. * @private
  2024. */
  2025. async initializeMediaSourceEngineInner_() {
  2026. goog.asserts.assert(
  2027. shaka.util.Platform.supportsMediaSource(),
  2028. 'We should not be initializing media source on a platform that ' +
  2029. 'does not support media source.');
  2030. goog.asserts.assert(
  2031. this.video_,
  2032. 'We should have a media element when initializing media source.');
  2033. goog.asserts.assert(
  2034. this.mediaSourceEngine_ == null,
  2035. 'We should not have a media source engine yet.');
  2036. this.makeStateChangeEvent_('media-source');
  2037. // When changing text visibility we need to update both the text displayer
  2038. // and streaming engine because we don't always stream text. To ensure
  2039. // that the text displayer and streaming engine are always in sync, wait
  2040. // until they are both initialized before setting the initial value.
  2041. const textDisplayerFactory = this.config_.textDisplayFactory;
  2042. const textDisplayer = textDisplayerFactory();
  2043. if (textDisplayer.configure) {
  2044. textDisplayer.configure(this.config_.textDisplayer);
  2045. } else {
  2046. shaka.Deprecate.deprecateFeature(5,
  2047. 'Text displayer w/ configure',
  2048. 'Text displayer should have a "configure" method!');
  2049. }
  2050. this.lastTextFactory_ = textDisplayerFactory;
  2051. const mediaSourceEngine = this.createMediaSourceEngine(
  2052. this.video_,
  2053. textDisplayer,
  2054. {
  2055. getKeySystem: () => this.keySystem(),
  2056. onMetadata: (metadata, offset, endTime) => {
  2057. this.processTimedMetadataMediaSrc_(metadata, offset, endTime);
  2058. },
  2059. },
  2060. this.lcevcDec_);
  2061. mediaSourceEngine.configure(this.config_.mediaSource);
  2062. const {segmentRelativeVttTiming} = this.config_.manifest;
  2063. mediaSourceEngine.setSegmentRelativeVttTiming(segmentRelativeVttTiming);
  2064. // Wait for media source engine to finish opening. This promise should
  2065. // NEVER be rejected as per the media source engine implementation.
  2066. await mediaSourceEngine.open();
  2067. // Wait until it is ready to actually store the reference.
  2068. this.mediaSourceEngine_ = mediaSourceEngine;
  2069. }
  2070. /**
  2071. * Starts loading the content described by the parsed manifest.
  2072. *
  2073. * @param {number} startTimeOfLoad
  2074. * @param {?shaka.extern.Variant} prefetchedVariant
  2075. * @param {!Map.<number, shaka.media.SegmentPrefetch>} segmentPrefetchById
  2076. * @return {!Promise}
  2077. * @private
  2078. */
  2079. async loadInner_(startTimeOfLoad, prefetchedVariant, segmentPrefetchById) {
  2080. goog.asserts.assert(
  2081. this.video_, 'We should have a media element by now.');
  2082. goog.asserts.assert(
  2083. this.manifest_, 'The manifest should already be parsed.');
  2084. goog.asserts.assert(
  2085. this.assetUri_, 'We should have an asset uri by now.');
  2086. goog.asserts.assert(
  2087. this.abrManager_, 'We should have an abr manager by now.');
  2088. this.makeStateChangeEvent_('load');
  2089. const mediaElement = this.video_;
  2090. this.playRateController_ = new shaka.media.PlayRateController({
  2091. getRate: () => mediaElement.playbackRate,
  2092. getDefaultRate: () => mediaElement.defaultPlaybackRate,
  2093. setRate: (rate) => { mediaElement.playbackRate = rate; },
  2094. movePlayhead: (delta) => { mediaElement.currentTime += delta; },
  2095. });
  2096. const updateStateHistory = () => this.updateStateHistory_();
  2097. const onRateChange = () => this.onRateChange_();
  2098. this.loadEventManager_.listen(
  2099. mediaElement, 'playing', updateStateHistory);
  2100. this.loadEventManager_.listen(mediaElement, 'pause', updateStateHistory);
  2101. this.loadEventManager_.listen(mediaElement, 'ended', updateStateHistory);
  2102. this.loadEventManager_.listen(mediaElement, 'ratechange', onRateChange);
  2103. // Check the status of the LCEVC Dec Object. Reset, create, or close
  2104. // depending on the config.
  2105. this.setupLcevc_(this.config_);
  2106. this.currentTextLanguage_ = this.config_.preferredTextLanguage;
  2107. this.currentTextRole_ = this.config_.preferredTextRole;
  2108. this.currentTextForced_ = this.config_.preferForcedSubs;
  2109. shaka.Player.applyPlayRange_(this.manifest_.presentationTimeline,
  2110. this.config_.playRangeStart,
  2111. this.config_.playRangeEnd);
  2112. this.abrManager_.init((variant, clearBuffer, safeMargin) => {
  2113. return this.switch_(variant, clearBuffer, safeMargin);
  2114. });
  2115. this.abrManager_.setMediaElement(mediaElement);
  2116. this.abrManager_.setCmsdManager(this.cmsdManager_);
  2117. this.streamingEngine_ = this.createStreamingEngine();
  2118. this.streamingEngine_.configure(this.config_.streaming);
  2119. // Set the load mode to "loaded with media source" as late as possible so
  2120. // that public methods won't try to access internal components until
  2121. // they're all initialized. We MUST switch to loaded before calling
  2122. // "streaming" so that they can access internal information.
  2123. this.loadMode_ = shaka.Player.LoadMode.MEDIA_SOURCE;
  2124. if (mediaElement.textTracks) {
  2125. this.loadEventManager_.listen(
  2126. mediaElement.textTracks, 'addtrack', (e) => {
  2127. const trackEvent = /** @type {!TrackEvent} */(e);
  2128. if (trackEvent.track) {
  2129. const track = trackEvent.track;
  2130. goog.asserts.assert(
  2131. track instanceof TextTrack, 'Wrong track type!');
  2132. switch (track.kind) {
  2133. case 'chapters':
  2134. this.activateChaptersTrack_(track);
  2135. break;
  2136. }
  2137. }
  2138. });
  2139. }
  2140. // The event must be fired after we filter by restrictions but before the
  2141. // active stream is picked to allow those listening for the "streaming"
  2142. // event to make changes before streaming starts.
  2143. this.dispatchEvent(shaka.Player.makeEvent_(
  2144. shaka.util.FakeEvent.EventName.Streaming));
  2145. // Pick the initial streams to play.
  2146. // Unless the user has already picked a variant, anyway, by calling
  2147. // selectVariantTrack before this loading stage.
  2148. let initialVariant = prefetchedVariant;
  2149. let toLazyLoad;
  2150. let activeVariant;
  2151. do {
  2152. activeVariant = this.streamingEngine_.getCurrentVariant();
  2153. if (!activeVariant && !initialVariant) {
  2154. initialVariant = this.chooseVariant_();
  2155. goog.asserts.assert(initialVariant, 'Must choose an initial variant!');
  2156. }
  2157. // Lazy-load the stream, so we will have enough info to make the playhead.
  2158. const createSegmentIndexPromises = [];
  2159. toLazyLoad = activeVariant || initialVariant;
  2160. for (const stream of [toLazyLoad.video, toLazyLoad.audio]) {
  2161. if (stream && !stream.segmentIndex) {
  2162. createSegmentIndexPromises.push(stream.createSegmentIndex());
  2163. }
  2164. }
  2165. if (createSegmentIndexPromises.length > 0) {
  2166. // eslint-disable-next-line no-await-in-loop
  2167. await Promise.all(createSegmentIndexPromises);
  2168. }
  2169. } while (!toLazyLoad || toLazyLoad.disabledUntilTime != 0);
  2170. if (this.parser_ && this.parser_.onInitialVariantChosen) {
  2171. this.parser_.onInitialVariantChosen(toLazyLoad);
  2172. }
  2173. if (this.manifest_.isLowLatency && !this.config_.streaming.lowLatencyMode) {
  2174. shaka.log.alwaysWarn('Low-latency live stream detected, but ' +
  2175. 'low-latency streaming mode is not enabled in Shaka Player. ' +
  2176. 'Set streaming.lowLatencyMode configuration to true, and see ' +
  2177. 'https://bit.ly/3clctcj for details.');
  2178. }
  2179. shaka.Player.applyPlayRange_(this.manifest_.presentationTimeline,
  2180. this.config_.playRangeStart,
  2181. this.config_.playRangeEnd);
  2182. this.streamingEngine_.applyPlayRange(
  2183. this.config_.playRangeStart, this.config_.playRangeEnd);
  2184. const setupPlayhead = (startTime) => {
  2185. this.playhead_ = this.createPlayhead(startTime);
  2186. this.playheadObservers_ =
  2187. this.createPlayheadObserversForMSE_(startTime);
  2188. // We need to start the buffer management code near the end because it
  2189. // will set the initial buffering state and that depends on other
  2190. // components being initialized.
  2191. const rebufferThreshold = Math.max(
  2192. this.manifest_.minBufferTime,
  2193. this.config_.streaming.rebufferingGoal);
  2194. this.startBufferManagement_(mediaElement, rebufferThreshold);
  2195. };
  2196. if (!this.config_.streaming.startAtSegmentBoundary) {
  2197. setupPlayhead(this.startTime_);
  2198. }
  2199. // Now we can switch to the initial variant.
  2200. if (!activeVariant) {
  2201. goog.asserts.assert(initialVariant,
  2202. 'Must have choosen an initial variant!');
  2203. // Now that we have initial streams, we may adjust the start time to
  2204. // align to a segment boundary.
  2205. if (this.config_.streaming.startAtSegmentBoundary) {
  2206. const timeline = this.manifest_.presentationTimeline;
  2207. let initialTime = this.startTime_ || this.video_.currentTime;
  2208. const seekRangeStart = timeline.getSeekRangeStart();
  2209. const seekRangeEnd = timeline.getSeekRangeEnd();
  2210. if (initialTime < seekRangeStart) {
  2211. initialTime = seekRangeStart;
  2212. } else if (initialTime > seekRangeEnd) {
  2213. initialTime = seekRangeEnd;
  2214. }
  2215. const startTime = await this.adjustStartTime_(
  2216. initialVariant, initialTime);
  2217. setupPlayhead(startTime);
  2218. }
  2219. this.switchVariant_(initialVariant, /* fromAdaptation= */ true,
  2220. /* clearBuffer= */ false, /* safeMargin= */ 0);
  2221. }
  2222. this.playhead_.ready();
  2223. // Decide if text should be shown automatically.
  2224. // similar to video/audio track, we would skip switch initial text track
  2225. // if user already pick text track (via selectTextTrack api)
  2226. const activeTextTrack = this.getTextTracks().find((t) => t.active);
  2227. if (!activeTextTrack) {
  2228. const initialTextStream = this.chooseTextStream_();
  2229. if (initialTextStream) {
  2230. this.addTextStreamToSwitchHistory_(
  2231. initialTextStream, /* fromAdaptation= */ true);
  2232. }
  2233. if (initialVariant) {
  2234. this.setInitialTextState_(initialVariant, initialTextStream);
  2235. }
  2236. // Don't initialize with a text stream unless we should be streaming
  2237. // text.
  2238. if (initialTextStream && this.shouldStreamText_()) {
  2239. this.streamingEngine_.switchTextStream(initialTextStream);
  2240. }
  2241. }
  2242. // Start streaming content. This will start the flow of content down to
  2243. // media source.
  2244. await this.streamingEngine_.start(segmentPrefetchById);
  2245. if (this.config_.abr.enabled) {
  2246. this.abrManager_.enable();
  2247. this.onAbrStatusChanged_();
  2248. }
  2249. // Dispatch a 'trackschanged' event now that all initial filtering is
  2250. // done.
  2251. this.onTracksChanged_();
  2252. // Now that we've filtered out variants that aren't compatible with the
  2253. // active one, update abr manager with filtered variants.
  2254. // NOTE: This may be unnecessary. We've already chosen one codec in
  2255. // chooseCodecsAndFilterManifest_ before we started streaming. But it
  2256. // doesn't hurt, and this will all change when we start using
  2257. // MediaCapabilities and codec switching.
  2258. // TODO(#1391): Re-evaluate with MediaCapabilities and codec switching.
  2259. this.updateAbrManagerVariants_();
  2260. const hasPrimary = this.manifest_.variants.some((v) => v.primary);
  2261. if (!this.config_.preferredAudioLanguage && !hasPrimary) {
  2262. shaka.log.warning('No preferred audio language set. ' +
  2263. 'We have chosen an arbitrary language initially');
  2264. }
  2265. const isLive = this.isLive();
  2266. if ((isLive && ((this.config_.streaming.liveSync &&
  2267. this.config_.streaming.liveSync.enabled) ||
  2268. this.manifest_.serviceDescription ||
  2269. this.config_.streaming.liveSync.panicMode)) ||
  2270. this.config_.streaming.vodDynamicPlaybackRate) {
  2271. const onTimeUpdate = () => this.onTimeUpdate_();
  2272. this.loadEventManager_.listen(mediaElement, 'timeupdate', onTimeUpdate);
  2273. }
  2274. if (!isLive) {
  2275. const onVideoProgress = () => this.onVideoProgress_();
  2276. this.loadEventManager_.listen(
  2277. mediaElement, 'timeupdate', onVideoProgress);
  2278. this.onVideoProgress_();
  2279. if (this.manifest_.nextUrl) {
  2280. if (this.config_.streaming.preloadNextUrlWindow > 0) {
  2281. const onTimeUpdate = async () => {
  2282. const timeToEnd = this.video_.duration - this.video_.currentTime;
  2283. if (!isNaN(timeToEnd)) {
  2284. if (timeToEnd <= this.config_.streaming.preloadNextUrlWindow) {
  2285. this.loadEventManager_.unlisten(
  2286. mediaElement, 'timeupdate', onTimeUpdate);
  2287. goog.asserts.assert(this.manifest_.nextUrl,
  2288. 'this.manifest_.nextUrl should be valid.');
  2289. this.preloadNextUrl_ =
  2290. await this.preload(this.manifest_.nextUrl);
  2291. }
  2292. }
  2293. };
  2294. this.loadEventManager_.listen(
  2295. mediaElement, 'timeupdate', onTimeUpdate);
  2296. }
  2297. this.loadEventManager_.listen(mediaElement, 'ended', () => {
  2298. this.load(this.preloadNextUrl_ || this.manifest_.nextUrl);
  2299. });
  2300. }
  2301. }
  2302. if (this.adManager_) {
  2303. this.adManager_.onManifestUpdated(isLive);
  2304. }
  2305. this.fullyLoaded_ = true;
  2306. // Wait for the 'loadedmetadata' event to measure load() latency.
  2307. this.loadEventManager_.listenOnce(mediaElement, 'loadedmetadata', () => {
  2308. const now = Date.now() / 1000;
  2309. const delta = now - startTimeOfLoad;
  2310. this.stats_.setLoadLatency(delta);
  2311. });
  2312. }
  2313. /**
  2314. * Initializes the DRM engine for use by src equals.
  2315. *
  2316. * @param {string} mimeType
  2317. * @return {!Promise}
  2318. * @private
  2319. */
  2320. async initializeSrcEqualsDrmInner_(mimeType) {
  2321. const ContentType = shaka.util.ManifestParserUtils.ContentType;
  2322. goog.asserts.assert(
  2323. this.networkingEngine_,
  2324. '|onInitializeSrcEqualsDrm_| should never be called after |destroy|');
  2325. goog.asserts.assert(
  2326. this.config_,
  2327. '|onInitializeSrcEqualsDrm_| should never be called after |destroy|');
  2328. const startTime = Date.now() / 1000;
  2329. let firstEvent = true;
  2330. this.drmEngine_ = this.createDrmEngine({
  2331. netEngine: this.networkingEngine_,
  2332. onError: (e) => {
  2333. this.onError_(e);
  2334. },
  2335. onKeyStatus: (map) => {
  2336. // According to this.onKeyStatus_, we can't even use this information
  2337. // in src= mode, so this is just a no-op.
  2338. },
  2339. onExpirationUpdated: (id, expiration) => {
  2340. const event = shaka.Player.makeEvent_(
  2341. shaka.util.FakeEvent.EventName.ExpirationUpdated);
  2342. this.dispatchEvent(event);
  2343. },
  2344. onEvent: (e) => {
  2345. this.dispatchEvent(e);
  2346. if (e.type == shaka.util.FakeEvent.EventName.DrmSessionUpdate &&
  2347. firstEvent) {
  2348. firstEvent = false;
  2349. const now = Date.now() / 1000;
  2350. const delta = now - startTime;
  2351. this.stats_.setDrmTime(delta);
  2352. }
  2353. },
  2354. });
  2355. this.drmEngine_.configure(this.config_.drm);
  2356. // TODO: Instead of feeding DrmEngine with Variants, we should refactor
  2357. // DrmEngine so that it takes a minimal config derived from Variants. In
  2358. // cases like this one or in removal of stored content, the details are
  2359. // largely unimportant. We should have a saner way to initialize
  2360. // DrmEngine.
  2361. // That would also insulate DrmEngine from manifest changes in the future.
  2362. // For now, that is time-consuming and this synthetic Variant is easy, so
  2363. // I'm putting it off. Since this is only expected to be used for native
  2364. // HLS in Safari, this should be safe. -JCP
  2365. /** @type {shaka.extern.Variant} */
  2366. const variant = {
  2367. id: 0,
  2368. language: 'und',
  2369. disabledUntilTime: 0,
  2370. primary: false,
  2371. audio: null,
  2372. video: null,
  2373. bandwidth: 100,
  2374. allowedByApplication: true,
  2375. allowedByKeySystem: true,
  2376. decodingInfos: [],
  2377. };
  2378. const stream = {
  2379. id: 0,
  2380. originalId: null,
  2381. groupId: null,
  2382. createSegmentIndex: () => Promise.resolve(),
  2383. segmentIndex: null,
  2384. mimeType: mimeType ? shaka.util.MimeUtils.getBasicType(mimeType) : '',
  2385. codecs: mimeType ? shaka.util.MimeUtils.getCodecs(mimeType) : '',
  2386. encrypted: true,
  2387. drmInfos: [], // Filled in by DrmEngine config.
  2388. keyIds: new Set(),
  2389. language: 'und',
  2390. originalLanguage: null,
  2391. label: null,
  2392. type: ContentType.VIDEO,
  2393. primary: false,
  2394. trickModeVideo: null,
  2395. emsgSchemeIdUris: null,
  2396. roles: [],
  2397. forced: false,
  2398. channelsCount: null,
  2399. audioSamplingRate: null,
  2400. spatialAudio: false,
  2401. closedCaptions: null,
  2402. accessibilityPurpose: null,
  2403. external: false,
  2404. fastSwitching: false,
  2405. fullMimeTypes: new Set(),
  2406. };
  2407. stream.fullMimeTypes.add(shaka.util.MimeUtils.getFullType(
  2408. stream.mimeType, stream.codecs));
  2409. if (mimeType.startsWith('audio/')) {
  2410. stream.type = ContentType.AUDIO;
  2411. variant.audio = stream;
  2412. } else {
  2413. variant.video = stream;
  2414. }
  2415. this.drmEngine_.setSrcEquals(/* srcEquals= */ true);
  2416. await this.drmEngine_.initForPlayback(
  2417. [variant], /* offlineSessionIds= */ []);
  2418. await this.drmEngine_.attach(this.video_);
  2419. }
  2420. /**
  2421. * Passes the asset URI along to the media element, so it can be played src
  2422. * equals style.
  2423. *
  2424. * @param {number} startTimeOfLoad
  2425. * @param {string} mimeType
  2426. * @return {!Promise}
  2427. *
  2428. * @private
  2429. */
  2430. async srcEqualsInner_(startTimeOfLoad, mimeType) {
  2431. this.makeStateChangeEvent_('src-equals');
  2432. goog.asserts.assert(
  2433. this.video_, 'We should have a media element when loading.');
  2434. goog.asserts.assert(
  2435. this.assetUri_, 'We should have a valid uri when loading.');
  2436. const mediaElement = this.video_;
  2437. this.playhead_ = new shaka.media.SrcEqualsPlayhead(mediaElement);
  2438. // This flag is used below in the language preference setup to check if
  2439. // this load was canceled before the necessary awaits completed.
  2440. let unloaded = false;
  2441. this.cleanupOnUnload_.push(() => {
  2442. unloaded = true;
  2443. });
  2444. if (this.startTime_ != null) {
  2445. this.playhead_.setStartTime(this.startTime_);
  2446. }
  2447. this.playRateController_ = new shaka.media.PlayRateController({
  2448. getRate: () => mediaElement.playbackRate,
  2449. getDefaultRate: () => mediaElement.defaultPlaybackRate,
  2450. setRate: (rate) => { mediaElement.playbackRate = rate; },
  2451. movePlayhead: (delta) => { mediaElement.currentTime += delta; },
  2452. });
  2453. // We need to start the buffer management code near the end because it
  2454. // will set the initial buffering state and that depends on other
  2455. // components being initialized.
  2456. const rebufferThreshold = this.config_.streaming.rebufferingGoal;
  2457. this.startBufferManagement_(mediaElement, rebufferThreshold);
  2458. // Add all media element listeners.
  2459. const updateStateHistory = () => this.updateStateHistory_();
  2460. const onRateChange = () => this.onRateChange_();
  2461. this.loadEventManager_.listen(
  2462. mediaElement, 'playing', updateStateHistory);
  2463. this.loadEventManager_.listen(mediaElement, 'pause', updateStateHistory);
  2464. this.loadEventManager_.listen(mediaElement, 'ended', updateStateHistory);
  2465. this.loadEventManager_.listen(mediaElement, 'ratechange', onRateChange);
  2466. // Wait for the 'loadedmetadata' event to measure load() latency, but only
  2467. // if preload is set in a way that would result in this event firing
  2468. // automatically.
  2469. // See https://github.com/shaka-project/shaka-player/issues/2483
  2470. if (mediaElement.preload != 'none') {
  2471. this.loadEventManager_.listenOnce(
  2472. mediaElement, 'loadedmetadata', () => {
  2473. const now = Date.now() / 1000;
  2474. const delta = now - startTimeOfLoad;
  2475. this.stats_.setLoadLatency(delta);
  2476. });
  2477. }
  2478. // The audio tracks are only available on Safari at the moment, but this
  2479. // drives the tracks API for Safari's native HLS. So when they change,
  2480. // fire the corresponding Shaka Player event.
  2481. if (mediaElement.audioTracks) {
  2482. this.loadEventManager_.listen(mediaElement.audioTracks, 'addtrack',
  2483. () => this.onTracksChanged_());
  2484. this.loadEventManager_.listen(mediaElement.audioTracks, 'removetrack',
  2485. () => this.onTracksChanged_());
  2486. this.loadEventManager_.listen(mediaElement.audioTracks, 'change',
  2487. () => this.onTracksChanged_());
  2488. }
  2489. if (mediaElement.textTracks) {
  2490. this.loadEventManager_.listen(
  2491. mediaElement.textTracks, 'addtrack', (e) => {
  2492. const trackEvent = /** @type {!TrackEvent} */(e);
  2493. if (trackEvent.track) {
  2494. const track = trackEvent.track;
  2495. goog.asserts.assert(
  2496. track instanceof TextTrack, 'Wrong track type!');
  2497. switch (track.kind) {
  2498. case 'metadata':
  2499. this.processTimedMetadataSrcEqls_(track);
  2500. break;
  2501. case 'chapters':
  2502. this.activateChaptersTrack_(track);
  2503. break;
  2504. default:
  2505. this.onTracksChanged_();
  2506. break;
  2507. }
  2508. }
  2509. });
  2510. this.loadEventManager_.listen(
  2511. mediaElement.textTracks, 'removetrack',
  2512. () => this.onTracksChanged_());
  2513. this.loadEventManager_.listen(
  2514. mediaElement.textTracks, 'change',
  2515. () => this.onTracksChanged_());
  2516. }
  2517. // By setting |src| we are done "loading" with src=. We don't need to set
  2518. // the current time because |playhead| will do that for us.
  2519. let playbackUri = this.cmcdManager_.appendSrcData(this.assetUri_, mimeType);
  2520. // Apply temporal clipping using playRangeStart and playRangeEnd based
  2521. // in https://www.w3.org/TR/media-frags/
  2522. if (!playbackUri.includes('#t=') &&
  2523. (this.config_.playRangeStart > 0 ||
  2524. isFinite(this.config_.playRangeEnd))) {
  2525. playbackUri += '#t=';
  2526. if (this.config_.playRangeStart > 0) {
  2527. playbackUri += this.config_.playRangeStart;
  2528. }
  2529. if (isFinite(this.config_.playRangeEnd)) {
  2530. playbackUri += ',' + this.config_.playRangeEnd;
  2531. }
  2532. }
  2533. mediaElement.src = playbackUri;
  2534. // Tizen 3 / WebOS won't load anything unless you call load() explicitly,
  2535. // no matter the value of the preload attribute. This is harmful on some
  2536. // other platforms by triggering unbounded loading of media data, but is
  2537. // necessary here.
  2538. if (shaka.util.Platform.isTizen() || shaka.util.Platform.isWebOS()) {
  2539. mediaElement.load();
  2540. }
  2541. // In Safari using HLS won't load anything unless you call load()
  2542. // explicitly, no matter the value of the preload attribute.
  2543. // Note: this only happens when there are not autoplay.
  2544. if (mediaElement.preload != 'none' && !mediaElement.autoplay &&
  2545. shaka.util.MimeUtils.isHlsType(mimeType) &&
  2546. shaka.util.Platform.safariVersion()) {
  2547. mediaElement.load();
  2548. }
  2549. // Set the load mode last so that we know that all our components are
  2550. // initialized.
  2551. this.loadMode_ = shaka.Player.LoadMode.SRC_EQUALS;
  2552. // The event doesn't mean as much for src= playback, since we don't
  2553. // control streaming. But we should fire it in this path anyway since
  2554. // some applications may be expecting it as a life-cycle event.
  2555. this.dispatchEvent(shaka.Player.makeEvent_(
  2556. shaka.util.FakeEvent.EventName.Streaming));
  2557. // The "load" Promise is resolved when we have loaded the metadata. If we
  2558. // wait for the full data, that won't happen on Safari until the play
  2559. // button is hit.
  2560. const fullyLoaded = new shaka.util.PublicPromise();
  2561. shaka.util.MediaReadyState.waitForReadyState(mediaElement,
  2562. HTMLMediaElement.HAVE_METADATA,
  2563. this.loadEventManager_,
  2564. () => {
  2565. this.playhead_.ready();
  2566. fullyLoaded.resolve();
  2567. });
  2568. // We can't switch to preferred languages, though, until the data is
  2569. // loaded.
  2570. shaka.util.MediaReadyState.waitForReadyState(mediaElement,
  2571. HTMLMediaElement.HAVE_CURRENT_DATA,
  2572. this.loadEventManager_,
  2573. async () => {
  2574. this.setupPreferredAudioOnSrc_();
  2575. // Applying the text preference too soon can result in it being
  2576. // reverted. Wait for native HLS to pick something first.
  2577. const textTracks = this.getFilteredTextTracks_();
  2578. if (!textTracks.find((t) => t.mode != 'disabled')) {
  2579. await new Promise((resolve) => {
  2580. this.loadEventManager_.listenOnce(
  2581. mediaElement.textTracks, 'change', resolve);
  2582. // We expect the event to fire because it does on Safari.
  2583. // But in case it doesn't on some other platform or future
  2584. // version, move on in 1 second no matter what. This keeps the
  2585. // language settings from being completely ignored if something
  2586. // goes wrong.
  2587. new shaka.util.Timer(resolve).tickAfter(1);
  2588. });
  2589. } else if (textTracks.length > 0) {
  2590. this.isTextVisible_ = true;
  2591. }
  2592. // If we have moved on to another piece of content while waiting for
  2593. // the above event/timer, we should not change tracks here.
  2594. if (unloaded) {
  2595. return;
  2596. }
  2597. this.setupPreferredTextOnSrc_();
  2598. });
  2599. if (mediaElement.error) {
  2600. // Already failed!
  2601. fullyLoaded.reject(this.videoErrorToShakaError_());
  2602. } else if (mediaElement.preload == 'none') {
  2603. shaka.log.alwaysWarn(
  2604. 'With <video preload="none">, the browser will not load anything ' +
  2605. 'until play() is called. We are unable to measure load latency ' +
  2606. 'in a meaningful way, and we cannot provide track info yet. ' +
  2607. 'Please do not use preload="none" with Shaka Player.');
  2608. // We can't wait for an event load loadedmetadata, since that will be
  2609. // blocked until a user interaction. So resolve the Promise now.
  2610. fullyLoaded.resolve();
  2611. }
  2612. this.loadEventManager_.listenOnce(mediaElement, 'error', () => {
  2613. fullyLoaded.reject(this.videoErrorToShakaError_());
  2614. });
  2615. const timeout = new Promise((resolve, reject) => {
  2616. const timer = new shaka.util.Timer(reject);
  2617. timer.tickAfter(this.config_.streaming.loadTimeout);
  2618. });
  2619. await Promise.race([
  2620. fullyLoaded,
  2621. timeout,
  2622. ]);
  2623. const isLive = this.isLive();
  2624. if ((isLive && ((this.config_.streaming.liveSync &&
  2625. this.config_.streaming.liveSync.enabled) ||
  2626. this.config_.streaming.liveSync.panicMode)) ||
  2627. this.config_.streaming.vodDynamicPlaybackRate) {
  2628. const onTimeUpdate = () => this.onTimeUpdate_();
  2629. this.loadEventManager_.listen(mediaElement, 'timeupdate', onTimeUpdate);
  2630. }
  2631. if (!isLive) {
  2632. const onVideoProgress = () => this.onVideoProgress_();
  2633. this.loadEventManager_.listen(
  2634. mediaElement, 'timeupdate', onVideoProgress);
  2635. this.onVideoProgress_();
  2636. }
  2637. if (this.adManager_) {
  2638. this.adManager_.onManifestUpdated(isLive);
  2639. // There is no good way to detect when the manifest has been updated,
  2640. // so we use seekRange().end so we can tell when it has been updated.
  2641. if (isLive) {
  2642. let prevSeekRangeEnd = this.seekRange().end;
  2643. this.loadEventManager_.listen(mediaElement, 'progress', () => {
  2644. const newSeekRangeEnd = this.seekRange().end;
  2645. if (prevSeekRangeEnd != newSeekRangeEnd) {
  2646. this.adManager_.onManifestUpdated(this.isLive());
  2647. prevSeekRangeEnd = newSeekRangeEnd;
  2648. }
  2649. });
  2650. }
  2651. }
  2652. this.fullyLoaded_ = true;
  2653. }
  2654. /**
  2655. * This method setup the preferred audio using src=..
  2656. *
  2657. * @private
  2658. */
  2659. setupPreferredAudioOnSrc_() {
  2660. const preferredAudioLanguage = this.config_.preferredAudioLanguage;
  2661. // If the user has not selected a preference, the browser preference is
  2662. // left.
  2663. if (preferredAudioLanguage == '') {
  2664. return;
  2665. }
  2666. const preferredVariantRole = this.config_.preferredVariantRole;
  2667. this.selectAudioLanguage(preferredAudioLanguage, preferredVariantRole);
  2668. }
  2669. /**
  2670. * This method setup the preferred text using src=.
  2671. *
  2672. * @private
  2673. */
  2674. setupPreferredTextOnSrc_() {
  2675. const preferredTextLanguage = this.config_.preferredTextLanguage;
  2676. // If the user has not selected a preference, the browser preference is
  2677. // left.
  2678. if (preferredTextLanguage == '') {
  2679. return;
  2680. }
  2681. const preferForcedSubs = this.config_.preferForcedSubs;
  2682. const preferredTextRole = this.config_.preferredTextRole;
  2683. this.selectTextLanguage(preferredTextLanguage, preferredTextRole,
  2684. preferForcedSubs);
  2685. }
  2686. /**
  2687. * We're looking for metadata tracks to process id3 tags. One of the uses is
  2688. * for ad info on LIVE streams
  2689. *
  2690. * @param {!TextTrack} track
  2691. * @private
  2692. */
  2693. processTimedMetadataSrcEqls_(track) {
  2694. if (track.kind != 'metadata') {
  2695. return;
  2696. }
  2697. // Hidden mode is required for the cuechange event to launch correctly
  2698. track.mode = 'hidden';
  2699. this.loadEventManager_.listen(track, 'cuechange', () => {
  2700. if (!track.activeCues) {
  2701. return;
  2702. }
  2703. /** @type {!Array.<shaka.extern.Interstitial>} */
  2704. const interstitials = [];
  2705. for (const cue of track.activeCues) {
  2706. this.dispatchMetadataEvent_(cue.startTime, cue.endTime,
  2707. cue.type, cue.value);
  2708. if (this.adManager_) {
  2709. this.adManager_.onCueMetadataChange(cue.value);
  2710. }
  2711. if (cue.type == 'com.apple.quicktime.HLS' && cue.startTime != null) {
  2712. let interstitial = interstitials.find((i) => {
  2713. return i.startTime == cue.startTime && i.endTime == cue.endTime;
  2714. });
  2715. if (!interstitial) {
  2716. interstitial = /** @type {shaka.extern.Interstitial} */ ({
  2717. startTime: cue.startTime,
  2718. endTime: cue.endTime,
  2719. values: [],
  2720. });
  2721. interstitials.push(interstitial);
  2722. }
  2723. interstitial.values.push(cue.value);
  2724. }
  2725. }
  2726. for (const interstitial of interstitials) {
  2727. const isValidInterstitial = interstitial.values.some((value) => {
  2728. return value.key == 'X-ASSET-URI' || value.key == 'X-ASSET-LIST';
  2729. });
  2730. if (!isValidInterstitial) {
  2731. continue;
  2732. }
  2733. if (this.adManager_) {
  2734. // It seems that CUE is natively omitted, by default we use CUE=ONCE
  2735. // to avoid repeating them.
  2736. interstitial.values.push({
  2737. key: 'CUE',
  2738. description: '',
  2739. data: 'ONCE',
  2740. mimeType: null,
  2741. pictureType: null,
  2742. });
  2743. goog.asserts.assert(this.video_, 'Must have video');
  2744. this.adManager_.onInterstitialMetadata(
  2745. this, this.video_, interstitial);
  2746. }
  2747. }
  2748. });
  2749. // In Safari the initial assignment does not always work, so we schedule
  2750. // this process to be repeated several times to ensure that it has been put
  2751. // in the correct mode.
  2752. const timer = new shaka.util.Timer(() => {
  2753. const textTracks = this.getMetadataTracks_();
  2754. for (const textTrack of textTracks) {
  2755. textTrack.mode = 'hidden';
  2756. }
  2757. }).tickNow().tickAfter(0.5);
  2758. this.cleanupOnUnload_.push(() => {
  2759. timer.stop();
  2760. });
  2761. }
  2762. /**
  2763. * @param {!Array.<shaka.extern.ID3Metadata>} metadata
  2764. * @param {number} offset
  2765. * @param {?number} segmentEndTime
  2766. * @private
  2767. */
  2768. processTimedMetadataMediaSrc_(metadata, offset, segmentEndTime) {
  2769. for (const sample of metadata) {
  2770. if (sample.data && typeof(sample.cueTime) == 'number' && sample.frames) {
  2771. const start = sample.cueTime + offset;
  2772. let end = segmentEndTime;
  2773. // This can happen when the ID3 info arrives in a previous segment.
  2774. if (end && start > end) {
  2775. end = start;
  2776. }
  2777. const metadataType = 'org.id3';
  2778. for (const frame of sample.frames) {
  2779. const payload = frame;
  2780. this.dispatchMetadataEvent_(start, end, metadataType, payload);
  2781. }
  2782. if (this.adManager_) {
  2783. this.adManager_.onHlsTimedMetadata(sample, start);
  2784. }
  2785. }
  2786. }
  2787. }
  2788. /**
  2789. * Construct and fire a Player.Metadata event
  2790. *
  2791. * @param {number} startTime
  2792. * @param {?number} endTime
  2793. * @param {string} metadataType
  2794. * @param {shaka.extern.MetadataFrame} payload
  2795. * @private
  2796. */
  2797. dispatchMetadataEvent_(startTime, endTime, metadataType, payload) {
  2798. goog.asserts.assert(!endTime || startTime <= endTime,
  2799. 'Metadata start time should be less or equal to the end time!');
  2800. const eventName = shaka.util.FakeEvent.EventName.Metadata;
  2801. const data = new Map()
  2802. .set('startTime', startTime)
  2803. .set('endTime', endTime)
  2804. .set('metadataType', metadataType)
  2805. .set('payload', payload);
  2806. this.dispatchEvent(shaka.Player.makeEvent_(eventName, data));
  2807. }
  2808. /**
  2809. * Set the mode on a chapters track so that it loads.
  2810. *
  2811. * @param {?TextTrack} track
  2812. * @private
  2813. */
  2814. activateChaptersTrack_(track) {
  2815. if (!track || track.kind != 'chapters') {
  2816. return;
  2817. }
  2818. // Hidden mode is required for the cuechange event to launch correctly and
  2819. // get the cues and the activeCues
  2820. track.mode = 'hidden';
  2821. // In Safari the initial assignment does not always work, so we schedule
  2822. // this process to be repeated several times to ensure that it has been put
  2823. // in the correct mode.
  2824. const timer = new shaka.util.Timer(() => {
  2825. track.mode = 'hidden';
  2826. }).tickNow().tickAfter(0.5);
  2827. this.cleanupOnUnload_.push(() => {
  2828. timer.stop();
  2829. });
  2830. }
  2831. /**
  2832. * Releases all of the mutexes of the player. Meant for use by the tests.
  2833. * @export
  2834. */
  2835. releaseAllMutexes() {
  2836. this.mutex_.releaseAll();
  2837. }
  2838. /**
  2839. * Create a new DrmEngine instance. This may be replaced by tests to create
  2840. * fake instances. Configuration and initialization will be handled after
  2841. * |createDrmEngine|.
  2842. *
  2843. * @param {shaka.media.DrmEngine.PlayerInterface} playerInterface
  2844. * @return {!shaka.media.DrmEngine}
  2845. */
  2846. createDrmEngine(playerInterface) {
  2847. return new shaka.media.DrmEngine(playerInterface);
  2848. }
  2849. /**
  2850. * Creates a new instance of NetworkingEngine. This can be replaced by tests
  2851. * to create fake instances instead.
  2852. *
  2853. * @param {(function():?shaka.media.PreloadManager)=} getPreloadManager
  2854. * @return {!shaka.net.NetworkingEngine}
  2855. */
  2856. createNetworkingEngine(getPreloadManager) {
  2857. if (!getPreloadManager) {
  2858. getPreloadManager = () => null;
  2859. }
  2860. const getAbrManager = () => {
  2861. if (getPreloadManager()) {
  2862. return getPreloadManager().getAbrManager();
  2863. } else {
  2864. return this.abrManager_;
  2865. }
  2866. };
  2867. const getParser = () => {
  2868. if (getPreloadManager()) {
  2869. return getPreloadManager().getParser();
  2870. } else {
  2871. return this.parser_;
  2872. }
  2873. };
  2874. const lateQueue = (fn) => {
  2875. if (getPreloadManager()) {
  2876. getPreloadManager().addQueuedOperation(true, fn);
  2877. } else {
  2878. fn();
  2879. }
  2880. };
  2881. const dispatchEvent = (event) => {
  2882. if (getPreloadManager()) {
  2883. getPreloadManager().dispatchEvent(event);
  2884. } else {
  2885. this.dispatchEvent(event);
  2886. }
  2887. };
  2888. const getStats = () => {
  2889. if (getPreloadManager()) {
  2890. return getPreloadManager().getStats();
  2891. } else {
  2892. return this.stats_;
  2893. }
  2894. };
  2895. /** @type {shaka.net.NetworkingEngine.onProgressUpdated} */
  2896. const onProgressUpdated_ = (deltaTimeMs,
  2897. bytesDownloaded, allowSwitch, request) => {
  2898. // In some situations, such as during offline storage, the abr manager
  2899. // might not yet exist. Therefore, we need to check if abr manager has
  2900. // been initialized before using it.
  2901. const abrManager = getAbrManager();
  2902. if (abrManager) {
  2903. abrManager.segmentDownloaded(deltaTimeMs, bytesDownloaded,
  2904. allowSwitch, request);
  2905. }
  2906. };
  2907. /** @type {shaka.net.NetworkingEngine.OnHeadersReceived} */
  2908. const onHeadersReceived_ = (headers, request, requestType) => {
  2909. // Release a 'downloadheadersreceived' event.
  2910. const name = shaka.util.FakeEvent.EventName.DownloadHeadersReceived;
  2911. const data = new Map()
  2912. .set('headers', headers)
  2913. .set('request', request)
  2914. .set('requestType', requestType);
  2915. dispatchEvent(shaka.Player.makeEvent_(name, data));
  2916. lateQueue(() => {
  2917. if (this.cmsdManager_) {
  2918. this.cmsdManager_.processHeaders(headers);
  2919. }
  2920. });
  2921. };
  2922. /** @type {shaka.net.NetworkingEngine.OnDownloadFailed} */
  2923. const onDownloadFailed_ = (request, error, httpResponseCode, aborted) => {
  2924. // Release a 'downloadfailed' event.
  2925. const name = shaka.util.FakeEvent.EventName.DownloadFailed;
  2926. const data = new Map()
  2927. .set('request', request)
  2928. .set('error', error)
  2929. .set('httpResponseCode', httpResponseCode)
  2930. .set('aborted', aborted);
  2931. dispatchEvent(shaka.Player.makeEvent_(name, data));
  2932. };
  2933. /** @type {shaka.net.NetworkingEngine.OnRequest} */
  2934. const onRequest_ = (type, request, context) => {
  2935. lateQueue(() => {
  2936. this.cmcdManager_.applyData(type, request, context);
  2937. });
  2938. };
  2939. /** @type {shaka.net.NetworkingEngine.OnRetry} */
  2940. const onRetry_ = (type, context, newUrl, oldUrl) => {
  2941. const parser = getParser();
  2942. if (parser && parser.banLocation) {
  2943. parser.banLocation(oldUrl);
  2944. }
  2945. };
  2946. /** @type {shaka.net.NetworkingEngine.OnResponse} */
  2947. const onResponse_ = (type, response, context) => {
  2948. if (response.data) {
  2949. const bytesDownloaded = response.data.byteLength;
  2950. const stats = getStats();
  2951. if (stats) {
  2952. stats.addBytesDownloaded(bytesDownloaded);
  2953. if (type === shaka.net.NetworkingEngine.RequestType.MANIFEST) {
  2954. stats.setManifestSize(bytesDownloaded);
  2955. }
  2956. }
  2957. }
  2958. };
  2959. return new shaka.net.NetworkingEngine(
  2960. onProgressUpdated_, onHeadersReceived_, onDownloadFailed_, onRequest_,
  2961. onRetry_, onResponse_);
  2962. }
  2963. /**
  2964. * Creates a new instance of Playhead. This can be replaced by tests to
  2965. * create fake instances instead.
  2966. *
  2967. * @param {?number} startTime
  2968. * @return {!shaka.media.Playhead}
  2969. */
  2970. createPlayhead(startTime) {
  2971. goog.asserts.assert(this.manifest_, 'Must have manifest');
  2972. goog.asserts.assert(this.video_, 'Must have video');
  2973. return new shaka.media.MediaSourcePlayhead(
  2974. this.video_,
  2975. this.manifest_,
  2976. this.config_.streaming,
  2977. startTime,
  2978. () => this.onSeek_(),
  2979. (event) => this.dispatchEvent(event));
  2980. }
  2981. /**
  2982. * Create the observers for MSE playback. These observers are responsible for
  2983. * notifying the app and player of specific events during MSE playback.
  2984. *
  2985. * @param {number} startTime
  2986. * @return {!shaka.media.PlayheadObserverManager}
  2987. * @private
  2988. */
  2989. createPlayheadObserversForMSE_(startTime) {
  2990. goog.asserts.assert(this.manifest_, 'Must have manifest');
  2991. goog.asserts.assert(this.regionTimeline_, 'Must have region timeline');
  2992. goog.asserts.assert(this.video_, 'Must have video element');
  2993. const startsPastZero = this.isLive() || startTime > 0;
  2994. // Create the region observer. This will allow us to notify the app when we
  2995. // move in and out of timeline regions.
  2996. const regionObserver = new shaka.media.RegionObserver(
  2997. this.regionTimeline_, startsPastZero);
  2998. regionObserver.addEventListener('enter', (event) => {
  2999. /** @type {shaka.extern.TimelineRegionInfo} */
  3000. const region = event['region'];
  3001. this.onRegionEvent_(
  3002. shaka.util.FakeEvent.EventName.TimelineRegionEnter, region);
  3003. });
  3004. regionObserver.addEventListener('exit', (event) => {
  3005. /** @type {shaka.extern.TimelineRegionInfo} */
  3006. const region = event['region'];
  3007. this.onRegionEvent_(
  3008. shaka.util.FakeEvent.EventName.TimelineRegionExit, region);
  3009. });
  3010. regionObserver.addEventListener('skip', (event) => {
  3011. /** @type {shaka.extern.TimelineRegionInfo} */
  3012. const region = event['region'];
  3013. /** @type {boolean} */
  3014. const seeking = event['seeking'];
  3015. // If we are seeking, we don't want to surface the enter/exit events since
  3016. // they didn't play through them.
  3017. if (!seeking) {
  3018. this.onRegionEvent_(
  3019. shaka.util.FakeEvent.EventName.TimelineRegionEnter, region);
  3020. this.onRegionEvent_(
  3021. shaka.util.FakeEvent.EventName.TimelineRegionExit, region);
  3022. }
  3023. });
  3024. // Now that we have all our observers, create a manager for them.
  3025. const manager = new shaka.media.PlayheadObserverManager(this.video_);
  3026. manager.manage(regionObserver);
  3027. if (this.qualityObserver_) {
  3028. manager.manage(this.qualityObserver_);
  3029. }
  3030. return manager;
  3031. }
  3032. /**
  3033. * Initialize and start the buffering system (observer and timer) so that we
  3034. * can monitor our buffer lead during playback.
  3035. *
  3036. * @param {!HTMLMediaElement} mediaElement
  3037. * @param {number} rebufferingGoal
  3038. * @private
  3039. */
  3040. startBufferManagement_(mediaElement, rebufferingGoal) {
  3041. goog.asserts.assert(
  3042. !this.bufferObserver_,
  3043. 'No buffering observer should exist before initialization.');
  3044. goog.asserts.assert(
  3045. !this.bufferPoller_,
  3046. 'No buffer timer should exist before initialization.');
  3047. // Give dummy values, will be updated below.
  3048. this.bufferObserver_ = new shaka.media.BufferingObserver(1, 2);
  3049. // Force us back to a buffering state. This ensure everything is starting in
  3050. // the same state.
  3051. this.bufferObserver_.setState(shaka.media.BufferingObserver.State.STARVING);
  3052. this.updateBufferingSettings_(rebufferingGoal);
  3053. this.updateBufferState_();
  3054. this.bufferPoller_ = new shaka.util.Timer(() => {
  3055. this.pollBufferState_();
  3056. }).tickEvery(/* seconds= */ 0.25);
  3057. this.loadEventManager_.listen(mediaElement, 'waiting',
  3058. (e) => this.pollBufferState_());
  3059. this.loadEventManager_.listen(mediaElement, 'stalled',
  3060. (e) => this.pollBufferState_());
  3061. this.loadEventManager_.listen(mediaElement, 'canplaythrough',
  3062. (e) => this.pollBufferState_());
  3063. this.loadEventManager_.listen(mediaElement, 'progress',
  3064. (e) => this.pollBufferState_());
  3065. }
  3066. /**
  3067. * Updates the buffering thresholds based on the new rebuffering goal.
  3068. *
  3069. * @param {number} rebufferingGoal
  3070. * @private
  3071. */
  3072. updateBufferingSettings_(rebufferingGoal) {
  3073. // The threshold to transition back to satisfied when starving.
  3074. const starvingThreshold = rebufferingGoal;
  3075. // The threshold to transition into starving when satisfied.
  3076. // We use a "typical" threshold, unless the rebufferingGoal is unusually
  3077. // low.
  3078. // Then we force the value down to half the rebufferingGoal, since
  3079. // starvingThreshold must be strictly larger than satisfiedThreshold for the
  3080. // logic in BufferingObserver to work correctly.
  3081. const satisfiedThreshold = Math.min(
  3082. shaka.Player.TYPICAL_BUFFERING_THRESHOLD_, rebufferingGoal / 2);
  3083. this.bufferObserver_.setThresholds(starvingThreshold, satisfiedThreshold);
  3084. }
  3085. /**
  3086. * This method is called periodically to check what the buffering observer
  3087. * says so that we can update the rest of the buffering behaviours.
  3088. *
  3089. * @private
  3090. */
  3091. pollBufferState_() {
  3092. goog.asserts.assert(
  3093. this.video_,
  3094. 'Need a media element to update the buffering observer');
  3095. goog.asserts.assert(
  3096. this.bufferObserver_,
  3097. 'Need a buffering observer to update');
  3098. let bufferedToEnd;
  3099. switch (this.loadMode_) {
  3100. case shaka.Player.LoadMode.SRC_EQUALS:
  3101. bufferedToEnd = this.isBufferedToEndSrc_();
  3102. break;
  3103. case shaka.Player.LoadMode.MEDIA_SOURCE:
  3104. bufferedToEnd = this.isBufferedToEndMS_();
  3105. break;
  3106. default:
  3107. bufferedToEnd = false;
  3108. break;
  3109. }
  3110. const bufferLead = shaka.media.TimeRangesUtils.bufferedAheadOf(
  3111. this.video_.buffered,
  3112. this.video_.currentTime);
  3113. const stateChanged = this.bufferObserver_.update(bufferLead, bufferedToEnd);
  3114. // If the state changed, we need to surface the event.
  3115. if (stateChanged) {
  3116. this.updateBufferState_();
  3117. }
  3118. }
  3119. /**
  3120. * Create a new media source engine. This will ONLY be replaced by tests as a
  3121. * way to inject fake media source engine instances.
  3122. *
  3123. * @param {!HTMLMediaElement} mediaElement
  3124. * @param {!shaka.extern.TextDisplayer} textDisplayer
  3125. * @param {!shaka.media.MediaSourceEngine.PlayerInterface} playerInterface
  3126. * @param {shaka.lcevc.Dec} lcevcDec
  3127. *
  3128. * @return {!shaka.media.MediaSourceEngine}
  3129. */
  3130. createMediaSourceEngine(mediaElement, textDisplayer, playerInterface,
  3131. lcevcDec) {
  3132. return new shaka.media.MediaSourceEngine(
  3133. mediaElement,
  3134. textDisplayer,
  3135. playerInterface,
  3136. lcevcDec);
  3137. }
  3138. /**
  3139. * Create a new CMCD manager.
  3140. *
  3141. * @private
  3142. */
  3143. createCmcd_() {
  3144. /** @type {shaka.util.CmcdManager.PlayerInterface} */
  3145. const playerInterface = {
  3146. getBandwidthEstimate: () => this.abrManager_ ?
  3147. this.abrManager_.getBandwidthEstimate() : NaN,
  3148. getBufferedInfo: () => this.getBufferedInfo(),
  3149. getCurrentTime: () => this.video_ ? this.video_.currentTime : 0,
  3150. getPlaybackRate: () => this.getPlaybackRate(),
  3151. getNetworkingEngine: () => this.getNetworkingEngine(),
  3152. getVariantTracks: () => this.getVariantTracks(),
  3153. isLive: () => this.isLive(),
  3154. };
  3155. return new shaka.util.CmcdManager(playerInterface, this.config_.cmcd);
  3156. }
  3157. /**
  3158. * Create a new CMSD manager.
  3159. *
  3160. * @private
  3161. */
  3162. createCmsd_() {
  3163. return new shaka.util.CmsdManager(this.config_.cmsd);
  3164. }
  3165. /**
  3166. * Creates a new instance of StreamingEngine. This can be replaced by tests
  3167. * to create fake instances instead.
  3168. *
  3169. * @return {!shaka.media.StreamingEngine}
  3170. */
  3171. createStreamingEngine() {
  3172. goog.asserts.assert(
  3173. this.abrManager_ && this.mediaSourceEngine_ && this.manifest_,
  3174. 'Must not be destroyed');
  3175. /** @type {shaka.media.StreamingEngine.PlayerInterface} */
  3176. const playerInterface = {
  3177. getPresentationTime: () => this.playhead_ ? this.playhead_.getTime() : 0,
  3178. getBandwidthEstimate: () => this.abrManager_.getBandwidthEstimate(),
  3179. getPlaybackRate: () => this.getPlaybackRate(),
  3180. mediaSourceEngine: this.mediaSourceEngine_,
  3181. netEngine: this.networkingEngine_,
  3182. onError: (error) => this.onError_(error),
  3183. onEvent: (event) => this.dispatchEvent(event),
  3184. onManifestUpdate: () => this.onManifestUpdate_(),
  3185. onSegmentAppended: (reference, stream) => {
  3186. this.onSegmentAppended_(
  3187. reference.startTime, reference.endTime, stream.type,
  3188. stream.codecs.includes(','));
  3189. },
  3190. onInitSegmentAppended: (position, initSegment) => {
  3191. const mediaQuality = initSegment.getMediaQuality();
  3192. if (mediaQuality && this.qualityObserver_) {
  3193. this.qualityObserver_.addMediaQualityChange(mediaQuality, position);
  3194. }
  3195. },
  3196. beforeAppendSegment: (contentType, segment) => {
  3197. return this.drmEngine_.parseInbandPssh(contentType, segment);
  3198. },
  3199. onMetadata: (metadata, offset, endTime) => {
  3200. this.processTimedMetadataMediaSrc_(metadata, offset, endTime);
  3201. },
  3202. disableStream: (stream, time) => this.disableStream(stream, time),
  3203. };
  3204. return new shaka.media.StreamingEngine(this.manifest_, playerInterface);
  3205. }
  3206. /**
  3207. * Changes configuration settings on the Player. This checks the names of
  3208. * keys and the types of values to avoid coding errors. If there are errors,
  3209. * this logs them to the console and returns false. Correct fields are still
  3210. * applied even if there are other errors. You can pass an explicit
  3211. * <code>undefined</code> value to restore the default value. This has two
  3212. * modes of operation:
  3213. *
  3214. * <p>
  3215. * First, this can be passed a single "plain" object. This object should
  3216. * follow the {@link shaka.extern.PlayerConfiguration} object. Not all fields
  3217. * need to be set; unset fields retain their old values.
  3218. *
  3219. * <p>
  3220. * Second, this can be passed two arguments. The first is the name of the key
  3221. * to set. This should be a '.' separated path to the key. For example,
  3222. * <code>'streaming.alwaysStreamText'</code>. The second argument is the
  3223. * value to set.
  3224. *
  3225. * @param {string|!Object} config This should either be a field name or an
  3226. * object.
  3227. * @param {*=} value In the second mode, this is the value to set.
  3228. * @return {boolean} True if the passed config object was valid, false if
  3229. * there were invalid entries.
  3230. * @export
  3231. */
  3232. configure(config, value) {
  3233. const Platform = shaka.util.Platform;
  3234. goog.asserts.assert(this.config_, 'Config must not be null!');
  3235. goog.asserts.assert(typeof(config) == 'object' || arguments.length == 2,
  3236. 'String configs should have values!');
  3237. // ('fieldName', value) format
  3238. if (arguments.length == 2 && typeof(config) == 'string') {
  3239. config = shaka.util.ConfigUtils.convertToConfigObject(config, value);
  3240. }
  3241. goog.asserts.assert(typeof(config) == 'object', 'Should be an object!');
  3242. // Deprecate 'streaming.forceTransmuxTS' configuration.
  3243. if (config['streaming'] && 'forceTransmuxTS' in config['streaming']) {
  3244. shaka.Deprecate.deprecateFeature(5,
  3245. 'streaming.forceTransmuxTS configuration',
  3246. 'Please Use mediaSource.forceTransmux instead.');
  3247. config['mediaSource']['mediaSource'] =
  3248. config['streaming']['forceTransmuxTS'];
  3249. delete config['streaming']['forceTransmuxTS'];
  3250. }
  3251. // Deprecate 'streaming.forceTransmux' configuration.
  3252. if (config['streaming'] && 'forceTransmux' in config['streaming']) {
  3253. shaka.Deprecate.deprecateFeature(5,
  3254. 'streaming.forceTransmux configuration',
  3255. 'Please Use mediaSource.forceTransmux instead.');
  3256. config['mediaSource']['mediaSource'] =
  3257. config['streaming']['forceTransmux'];
  3258. delete config['streaming']['forceTransmux'];
  3259. }
  3260. // Deprecate 'streaming.useNativeHlsOnSafari' configuration.
  3261. if (config['streaming'] && 'useNativeHlsOnSafari' in config['streaming']) {
  3262. shaka.Deprecate.deprecateFeature(5,
  3263. 'streaming.useNativeHlsOnSafari configuration',
  3264. 'Please Use streaming.useNativeHlsForFairPlay or ' +
  3265. 'streaming.preferNativeHls instead.');
  3266. config['streaming']['preferNativeHls'] =
  3267. config['streaming']['useNativeHlsOnSafari'] && Platform.isApple();
  3268. delete config['streaming']['useNativeHlsOnSafari'];
  3269. }
  3270. // Deprecate 'streaming.liveSync' boolean configuration.
  3271. if (config['streaming'] &&
  3272. typeof config['streaming']['liveSync'] == 'boolean') {
  3273. shaka.Deprecate.deprecateFeature(5,
  3274. 'streaming.liveSync',
  3275. 'Please Use streaming.liveSync.enabled instead.');
  3276. const liveSyncValue = config['streaming']['liveSync'];
  3277. config['streaming']['liveSync'] = {};
  3278. config['streaming']['liveSync']['enabled'] = liveSyncValue;
  3279. }
  3280. // map liveSyncMinLatency and liveSyncMaxLatency to liveSync.targetLatency
  3281. // if liveSync.targetLatency isn't set.
  3282. if (config['streaming'] && (!config['streaming']['liveSync'] ||
  3283. !('targetLatency' in config['streaming']['liveSync'])) &&
  3284. ('liveSyncMinLatency' in config['streaming'] ||
  3285. 'liveSyncMaxLatency' in config['streaming'])) {
  3286. const min = config['streaming']['liveSyncMinLatency'] || 0;
  3287. const max = config['streaming']['liveSyncMaxLatency'] || 1;
  3288. const mid = Math.abs(max - min) / 2;
  3289. config['streaming']['liveSync'] = config['streaming']['liveSync'] || {};
  3290. config['streaming']['liveSync']['targetLatency'] = min + mid;
  3291. config['streaming']['liveSync']['targetLatencyTolerance'] = mid;
  3292. }
  3293. // Deprecate 'streaming.liveSyncMaxLatency' configuration.
  3294. if (config['streaming'] && 'liveSyncMaxLatency' in config['streaming']) {
  3295. shaka.Deprecate.deprecateFeature(5,
  3296. 'streaming.liveSyncMaxLatency',
  3297. 'Please Use streaming.liveSync.targetLatency and ' +
  3298. 'streaming.liveSync.targetLatencyTolerance instead. ' +
  3299. 'Or, set the values in your DASH manifest');
  3300. delete config['streaming']['liveSyncMaxLatency'];
  3301. }
  3302. // Deprecate 'streaming.liveSyncMinLatency' configuration.
  3303. if (config['streaming'] && 'liveSyncMinLatency' in config['streaming']) {
  3304. shaka.Deprecate.deprecateFeature(5,
  3305. 'streaming.liveSyncMinLatency',
  3306. 'Please Use streaming.liveSync.targetLatency and ' +
  3307. 'streaming.liveSync.targetLatencyTolerance instead. ' +
  3308. 'Or, set the values in your DASH manifest');
  3309. delete config['streaming']['liveSyncMinLatency'];
  3310. }
  3311. // Deprecate 'streaming.liveSyncTargetLatency' configuration.
  3312. if (config['streaming'] && 'liveSyncTargetLatency' in config['streaming']) {
  3313. shaka.Deprecate.deprecateFeature(5,
  3314. 'streaming.liveSyncTargetLatency',
  3315. 'Please Use streaming.liveSync.targetLatency instead.');
  3316. config['streaming']['liveSync'] = config['streaming']['liveSync'] || {};
  3317. config['streaming']['liveSync']['targetLatency'] =
  3318. config['streaming']['liveSyncTargetLatency'];
  3319. delete config['streaming']['liveSyncTargetLatency'];
  3320. }
  3321. // Deprecate 'streaming.liveSyncTargetLatencyTolerance' configuration.
  3322. if (config['streaming'] &&
  3323. 'liveSyncTargetLatencyTolerance' in config['streaming']) {
  3324. shaka.Deprecate.deprecateFeature(5,
  3325. 'streaming.liveSyncTargetLatencyTolerance',
  3326. 'Please Use streaming.liveSync.targetLatencyTolerance instead.');
  3327. config['streaming']['liveSync'] = config['streaming']['liveSync'] || {};
  3328. config['streaming']['liveSync']['targetLatencyTolerance'] =
  3329. config['streaming']['liveSyncTargetLatencyTolerance'];
  3330. delete config['streaming']['liveSyncTargetLatencyTolerance'];
  3331. }
  3332. // Deprecate 'streaming.liveSyncPlaybackRate' configuration.
  3333. if (config['streaming'] && 'liveSyncPlaybackRate' in config['streaming']) {
  3334. shaka.Deprecate.deprecateFeature(5,
  3335. 'streaming.liveSyncPlaybackRate',
  3336. 'Please Use streaming.liveSync.maxPlaybackRate instead.');
  3337. config['streaming']['liveSync'] = config['streaming']['liveSync'] || {};
  3338. config['streaming']['liveSync']['maxPlaybackRate'] =
  3339. config['streaming']['liveSyncPlaybackRate'];
  3340. delete config['streaming']['liveSyncPlaybackRate'];
  3341. }
  3342. // Deprecate 'streaming.liveSyncMinPlaybackRate' configuration.
  3343. if (config['streaming'] &&
  3344. 'liveSyncMinPlaybackRate' in config['streaming']) {
  3345. shaka.Deprecate.deprecateFeature(5,
  3346. 'streaming.liveSyncMinPlaybackRate',
  3347. 'Please Use streaming.liveSync.minPlaybackRate instead.');
  3348. config['streaming']['liveSync'] = config['streaming']['liveSync'] || {};
  3349. config['streaming']['liveSync']['minPlaybackRate'] =
  3350. config['streaming']['liveSyncMinPlaybackRate'];
  3351. delete config['streaming']['liveSyncMinPlaybackRate'];
  3352. }
  3353. // Deprecate 'streaming.liveSyncPanicMode' configuration.
  3354. if (config['streaming'] && 'liveSyncPanicMode' in config['streaming']) {
  3355. shaka.Deprecate.deprecateFeature(5,
  3356. 'streaming.liveSyncPanicMode',
  3357. 'Please Use streaming.liveSync.panicMode instead.');
  3358. config['streaming']['liveSync'] = config['streaming']['liveSync'] || {};
  3359. config['streaming']['liveSync']['panicMode'] =
  3360. config['streaming']['liveSyncPanicMode'];
  3361. delete config['streaming']['liveSyncPanicMode'];
  3362. }
  3363. // Deprecate 'streaming.liveSyncPanicThreshold' configuration.
  3364. if (config['streaming'] &&
  3365. 'liveSyncPanicThreshold' in config['streaming']) {
  3366. shaka.Deprecate.deprecateFeature(5,
  3367. 'streaming.liveSyncPanicThreshold',
  3368. 'Please Use streaming.liveSync.panicThreshold instead.');
  3369. config['streaming']['liveSync'] = config['streaming']['liveSync'] || {};
  3370. config['streaming']['liveSync']['panicThreshold'] =
  3371. config['streaming']['liveSyncPanicThreshold'];
  3372. delete config['streaming']['liveSyncPanicThreshold'];
  3373. }
  3374. // Deprecate 'mediaSource.sourceBufferExtraFeatures' configuration.
  3375. if (config['mediaSource'] &&
  3376. 'sourceBufferExtraFeatures' in config['mediaSource']) {
  3377. shaka.Deprecate.deprecateFeature(5,
  3378. 'mediaSource.sourceBufferExtraFeatures configuration',
  3379. 'Please Use mediaSource.addExtraFeaturesToSourceBuffer() instead.');
  3380. const sourceBufferExtraFeatures =
  3381. config['mediaSource']['sourceBufferExtraFeatures'];
  3382. config['mediaSource']['addExtraFeaturesToSourceBuffer'] = () => {
  3383. return sourceBufferExtraFeatures;
  3384. };
  3385. delete config['mediaSource']['sourceBufferExtraFeatures'];
  3386. }
  3387. // If lowLatencyMode is enabled, and inaccurateManifestTolerance and
  3388. // rebufferingGoal and segmentPrefetchLimit and baseDelay and
  3389. // autoCorrectDrift and maxDisabledTime are not specified, set
  3390. // inaccurateManifestTolerance to 0 and rebufferingGoal to 0.01 and
  3391. // segmentPrefetchLimit to 2 and updateIntervalSeconds to 0.1 and and
  3392. // baseDelay to 100 and autoCorrectDrift to false and maxDisabledTime
  3393. // to 1 by default for low latency streaming.
  3394. if (config['streaming'] && config['streaming']['lowLatencyMode']) {
  3395. if (config['streaming']['inaccurateManifestTolerance'] == undefined) {
  3396. config['streaming']['inaccurateManifestTolerance'] = 0;
  3397. }
  3398. if (config['streaming']['rebufferingGoal'] == undefined) {
  3399. config['streaming']['rebufferingGoal'] = 0.01;
  3400. }
  3401. if (config['streaming']['segmentPrefetchLimit'] == undefined) {
  3402. config['streaming']['segmentPrefetchLimit'] = 2;
  3403. }
  3404. if (config['streaming']['updateIntervalSeconds'] == undefined) {
  3405. config['streaming']['updateIntervalSeconds'] = 0.1;
  3406. }
  3407. if (config['streaming']['maxDisabledTime'] == undefined) {
  3408. config['streaming']['maxDisabledTime'] = 1;
  3409. }
  3410. if (config['streaming']['retryParameters'] == undefined) {
  3411. config['streaming']['retryParameters'] = {};
  3412. }
  3413. if (config['streaming']['retryParameters']['baseDelay'] == undefined) {
  3414. config['streaming']['retryParameters']['baseDelay'] = 100;
  3415. }
  3416. if (config['manifest'] == undefined) {
  3417. config['manifest'] = {};
  3418. }
  3419. if (config['manifest']['dash'] == undefined) {
  3420. config['manifest']['dash'] = {};
  3421. }
  3422. if (config['manifest']['dash']['autoCorrectDrift'] == undefined) {
  3423. config['manifest']['dash']['autoCorrectDrift'] = false;
  3424. }
  3425. if (config['manifest']['retryParameters'] == undefined) {
  3426. config['manifest']['retryParameters'] = {};
  3427. }
  3428. if (config['manifest']['retryParameters']['baseDelay'] == undefined) {
  3429. config['manifest']['retryParameters']['baseDelay'] = 100;
  3430. }
  3431. if (config['drm'] == undefined) {
  3432. config['drm'] = {};
  3433. }
  3434. if (config['drm']['retryParameters'] == undefined) {
  3435. config['drm']['retryParameters'] = {};
  3436. }
  3437. if (config['drm']['retryParameters']['baseDelay'] == undefined) {
  3438. config['drm']['retryParameters']['baseDelay'] = 100;
  3439. }
  3440. }
  3441. const ret = shaka.util.PlayerConfiguration.mergeConfigObjects(
  3442. this.config_, config, this.defaultConfig_());
  3443. this.applyConfig_();
  3444. return ret;
  3445. }
  3446. /**
  3447. * Apply config changes.
  3448. * @private
  3449. */
  3450. applyConfig_() {
  3451. this.manifestFilterer_ = new shaka.media.ManifestFilterer(
  3452. this.config_, this.maxHwRes_, this.drmEngine_);
  3453. if (this.parser_) {
  3454. const manifestConfig =
  3455. shaka.util.ObjectUtils.cloneObject(this.config_.manifest);
  3456. // Don't read video segments if the player is attached to an audio element
  3457. if (this.video_ && this.video_.nodeName === 'AUDIO') {
  3458. manifestConfig.disableVideo = true;
  3459. }
  3460. this.parser_.configure(manifestConfig);
  3461. }
  3462. if (this.drmEngine_) {
  3463. this.drmEngine_.configure(this.config_.drm);
  3464. }
  3465. if (this.streamingEngine_) {
  3466. this.streamingEngine_.configure(this.config_.streaming);
  3467. // Need to apply the restrictions.
  3468. // this.filterManifestWithRestrictions_() may throw.
  3469. try {
  3470. if (this.loadMode_ != shaka.Player.LoadMode.DESTROYED) {
  3471. if (this.manifestFilterer_.filterManifestWithRestrictions(
  3472. this.manifest_)) {
  3473. this.onTracksChanged_();
  3474. }
  3475. }
  3476. } catch (error) {
  3477. this.onError_(error);
  3478. }
  3479. if (this.abrManager_) {
  3480. // Update AbrManager variants to match these new settings.
  3481. this.updateAbrManagerVariants_();
  3482. }
  3483. // If the streams we are playing are restricted, we need to switch.
  3484. const activeVariant = this.streamingEngine_.getCurrentVariant();
  3485. if (activeVariant) {
  3486. if (!activeVariant.allowedByApplication ||
  3487. !activeVariant.allowedByKeySystem) {
  3488. shaka.log.debug('Choosing new variant after changing configuration');
  3489. this.chooseVariantAndSwitch_();
  3490. }
  3491. }
  3492. }
  3493. if (this.networkingEngine_) {
  3494. this.networkingEngine_.setForceHTTP(this.config_.streaming.forceHTTP);
  3495. this.networkingEngine_.setForceHTTPS(this.config_.streaming.forceHTTPS);
  3496. }
  3497. if (this.mediaSourceEngine_) {
  3498. this.mediaSourceEngine_.configure(this.config_.mediaSource);
  3499. const {segmentRelativeVttTiming} = this.config_.manifest;
  3500. this.mediaSourceEngine_.setSegmentRelativeVttTiming(
  3501. segmentRelativeVttTiming);
  3502. const textDisplayerFactory = this.config_.textDisplayFactory;
  3503. if (this.lastTextFactory_ != textDisplayerFactory) {
  3504. const displayer = textDisplayerFactory();
  3505. if (displayer.configure) {
  3506. displayer.configure(this.config_.textDisplayer);
  3507. } else {
  3508. shaka.Deprecate.deprecateFeature(5,
  3509. 'Text displayer w/ configure',
  3510. 'Text displayer should have a "configure" method!');
  3511. }
  3512. this.mediaSourceEngine_.setTextDisplayer(displayer);
  3513. this.lastTextFactory_ = textDisplayerFactory;
  3514. if (this.streamingEngine_) {
  3515. // Reload the text stream, so the cues will load again.
  3516. this.streamingEngine_.reloadTextStream();
  3517. }
  3518. } else {
  3519. const displayer = this.mediaSourceEngine_.getTextDisplayer();
  3520. if (displayer.configure) {
  3521. displayer.configure(this.config_.textDisplayer);
  3522. }
  3523. }
  3524. }
  3525. if (this.abrManager_) {
  3526. this.abrManager_.configure(this.config_.abr);
  3527. // Simply enable/disable ABR with each call, since multiple calls to these
  3528. // methods have no effect.
  3529. if (this.config_.abr.enabled) {
  3530. this.abrManager_.enable();
  3531. } else {
  3532. this.abrManager_.disable();
  3533. }
  3534. this.onAbrStatusChanged_();
  3535. }
  3536. if (this.bufferObserver_) {
  3537. let rebufferThreshold = this.config_.streaming.rebufferingGoal;
  3538. if (this.manifest_) {
  3539. rebufferThreshold =
  3540. Math.max(rebufferThreshold, this.manifest_.minBufferTime);
  3541. }
  3542. this.updateBufferingSettings_(rebufferThreshold);
  3543. }
  3544. if (this.manifest_) {
  3545. shaka.Player.applyPlayRange_(this.manifest_.presentationTimeline,
  3546. this.config_.playRangeStart,
  3547. this.config_.playRangeEnd);
  3548. }
  3549. if (this.adManager_) {
  3550. this.adManager_.configure(this.config_.ads);
  3551. }
  3552. if (this.cmcdManager_) {
  3553. this.cmcdManager_.configure(this.config_.cmcd);
  3554. }
  3555. if (this.cmsdManager_) {
  3556. this.cmsdManager_.configure(this.config_.cmsd);
  3557. }
  3558. }
  3559. /**
  3560. * Return a copy of the current configuration. Modifications of the returned
  3561. * value will not affect the Player's active configuration. You must call
  3562. * <code>player.configure()</code> to make changes.
  3563. *
  3564. * @return {shaka.extern.PlayerConfiguration}
  3565. * @export
  3566. */
  3567. getConfiguration() {
  3568. goog.asserts.assert(this.config_, 'Config must not be null!');
  3569. const ret = this.defaultConfig_();
  3570. shaka.util.PlayerConfiguration.mergeConfigObjects(
  3571. ret, this.config_, this.defaultConfig_());
  3572. return ret;
  3573. }
  3574. /**
  3575. * Return a copy of the current non default configuration. Modifications of
  3576. * the returned value will not affect the Player's active configuration.
  3577. * You must call <code>player.configure()</code> to make changes.
  3578. *
  3579. * @return {!Object}
  3580. * @export
  3581. */
  3582. getNonDefaultConfiguration() {
  3583. goog.asserts.assert(this.config_, 'Config must not be null!');
  3584. const ret = this.defaultConfig_();
  3585. shaka.util.PlayerConfiguration.mergeConfigObjects(
  3586. ret, this.config_, this.defaultConfig_());
  3587. return shaka.util.ConfigUtils.getDifferenceFromConfigObjects(
  3588. this.config_, this.defaultConfig_());
  3589. }
  3590. /**
  3591. * Return a reference to the current configuration. Modifications to the
  3592. * returned value will affect the Player's active configuration. This method
  3593. * is not exported as sharing configuration with external objects is not
  3594. * supported.
  3595. *
  3596. * @return {shaka.extern.PlayerConfiguration}
  3597. */
  3598. getSharedConfiguration() {
  3599. goog.asserts.assert(
  3600. this.config_, 'Cannot call getSharedConfiguration after call destroy!');
  3601. return this.config_;
  3602. }
  3603. /**
  3604. * Returns the ratio of video length buffered compared to buffering Goal
  3605. * @return {number}
  3606. * @export
  3607. */
  3608. getBufferFullness() {
  3609. if (this.video_) {
  3610. const bufferedLength = this.video_.buffered.length;
  3611. const bufferedEnd =
  3612. bufferedLength ? this.video_.buffered.end(bufferedLength - 1) : 0;
  3613. const bufferingGoal = this.getConfiguration().streaming.bufferingGoal;
  3614. const lengthToBeBuffered = Math.min(this.video_.currentTime +
  3615. bufferingGoal, this.seekRange().end);
  3616. if (bufferedEnd >= lengthToBeBuffered) {
  3617. return 1;
  3618. } else if (bufferedEnd <= this.video_.currentTime) {
  3619. return 0;
  3620. } else if (bufferedEnd < lengthToBeBuffered) {
  3621. return ((bufferedEnd - this.video_.currentTime) /
  3622. (lengthToBeBuffered - this.video_.currentTime));
  3623. }
  3624. }
  3625. return 0;
  3626. }
  3627. /**
  3628. * Reset configuration to default.
  3629. * @export
  3630. */
  3631. resetConfiguration() {
  3632. goog.asserts.assert(this.config_, 'Cannot be destroyed');
  3633. // Remove the old keys so we remove open-ended dictionaries like drm.servers
  3634. // but keeps the same object reference.
  3635. for (const key in this.config_) {
  3636. delete this.config_[key];
  3637. }
  3638. shaka.util.PlayerConfiguration.mergeConfigObjects(
  3639. this.config_, this.defaultConfig_(), this.defaultConfig_());
  3640. this.applyConfig_();
  3641. }
  3642. /**
  3643. * Get the current load mode.
  3644. *
  3645. * @return {shaka.Player.LoadMode}
  3646. * @export
  3647. */
  3648. getLoadMode() {
  3649. return this.loadMode_;
  3650. }
  3651. /**
  3652. * Get the current manifest type.
  3653. *
  3654. * @return {?string}
  3655. * @export
  3656. */
  3657. getManifestType() {
  3658. if (!this.manifest_) {
  3659. return null;
  3660. }
  3661. return this.manifest_.type;
  3662. }
  3663. /**
  3664. * Get the media element that the player is currently using to play loaded
  3665. * content. If the player has not loaded content, this will return
  3666. * <code>null</code>.
  3667. *
  3668. * @return {HTMLMediaElement}
  3669. * @export
  3670. */
  3671. getMediaElement() {
  3672. return this.video_;
  3673. }
  3674. /**
  3675. * @return {shaka.net.NetworkingEngine} A reference to the Player's networking
  3676. * engine. Applications may use this to make requests through Shaka's
  3677. * networking plugins.
  3678. * @export
  3679. */
  3680. getNetworkingEngine() {
  3681. return this.networkingEngine_;
  3682. }
  3683. /**
  3684. * Get the uri to the asset that the player has loaded. If the player has not
  3685. * loaded content, this will return <code>null</code>.
  3686. *
  3687. * @return {?string}
  3688. * @export
  3689. */
  3690. getAssetUri() {
  3691. return this.assetUri_;
  3692. }
  3693. /**
  3694. * Returns a shaka.ads.AdManager instance, responsible for Dynamic
  3695. * Ad Insertion functionality.
  3696. *
  3697. * @return {shaka.extern.IAdManager}
  3698. * @export
  3699. */
  3700. getAdManager() {
  3701. // NOTE: this clause is redundant, but it keeps the compiler from
  3702. // inlining this function. Inlining leads to setting the adManager
  3703. // not taking effect in the compiled build.
  3704. // Closure has a @noinline flag, but apparently not all cases are
  3705. // supported by it, and ours isn't.
  3706. // If they expand support, we might be able to get rid of this
  3707. // clause.
  3708. if (!this.adManager_) {
  3709. return null;
  3710. }
  3711. return this.adManager_;
  3712. }
  3713. /**
  3714. * Get if the player is playing live content. If the player has not loaded
  3715. * content, this will return <code>false</code>.
  3716. *
  3717. * @return {boolean}
  3718. * @export
  3719. */
  3720. isLive() {
  3721. if (this.manifest_) {
  3722. return this.manifest_.presentationTimeline.isLive();
  3723. }
  3724. // For native HLS, the duration for live streams seems to be Infinity.
  3725. if (this.video_ && this.video_.src) {
  3726. return this.video_.duration == Infinity;
  3727. }
  3728. return false;
  3729. }
  3730. /**
  3731. * Get if the player is playing in-progress content. If the player has not
  3732. * loaded content, this will return <code>false</code>.
  3733. *
  3734. * @return {boolean}
  3735. * @export
  3736. */
  3737. isInProgress() {
  3738. return this.manifest_ ?
  3739. this.manifest_.presentationTimeline.isInProgress() :
  3740. false;
  3741. }
  3742. /**
  3743. * Check if the manifest contains only audio-only content. If the player has
  3744. * not loaded content, this will return <code>false</code>.
  3745. *
  3746. * <p>
  3747. * The player does not support content that contain more than one type of
  3748. * variants (i.e. mixing audio-only, video-only, audio-video). Content will be
  3749. * filtered to only contain one type of variant.
  3750. *
  3751. * @return {boolean}
  3752. * @export
  3753. */
  3754. isAudioOnly() {
  3755. if (this.manifest_) {
  3756. const variants = this.manifest_.variants;
  3757. if (!variants.length) {
  3758. return false;
  3759. }
  3760. // Note that if there are some audio-only variants and some audio-video
  3761. // variants, the audio-only variants are removed during filtering.
  3762. // Therefore if the first variant has no video, that's sufficient to say
  3763. // it is audio-only content.
  3764. return !variants[0].video;
  3765. } else if (this.video_ && this.video_.src) {
  3766. // If we have video track info, use that. It will be the least
  3767. // error-prone way with native HLS. In contrast, videoHeight might be
  3768. // unset until the first frame is loaded. Since isAudioOnly is queried
  3769. // by the UI on the 'trackschanged' event, the videoTracks info should be
  3770. // up-to-date.
  3771. if (this.video_.videoTracks) {
  3772. return this.video_.videoTracks.length == 0;
  3773. }
  3774. // We cast to the more specific HTMLVideoElement to access videoHeight.
  3775. // This might be an audio element, though, in which case videoHeight will
  3776. // be undefined at runtime. For audio elements, this will always return
  3777. // true.
  3778. const video = /** @type {HTMLVideoElement} */(this.video_);
  3779. return video.videoHeight == 0;
  3780. } else {
  3781. return false;
  3782. }
  3783. }
  3784. /**
  3785. * Get the range of time (in seconds) that seeking is allowed. If the player
  3786. * has not loaded content and the manifest is HLS, this will return a range
  3787. * from 0 to 0.
  3788. *
  3789. * @return {{start: number, end: number}}
  3790. * @export
  3791. */
  3792. seekRange() {
  3793. if (this.manifest_) {
  3794. // With HLS lazy-loading, there were some situations where the manifest
  3795. // had partially loaded, enough to move onto further load stages, but no
  3796. // segments had been loaded, so the timeline is still unknown.
  3797. // See: https://github.com/shaka-project/shaka-player/pull/4590
  3798. if (!this.fullyLoaded_ &&
  3799. this.manifest_.type == shaka.media.ManifestParser.HLS) {
  3800. return {'start': 0, 'end': 0};
  3801. }
  3802. const timeline = this.manifest_.presentationTimeline;
  3803. return {
  3804. 'start': timeline.getSeekRangeStart(),
  3805. 'end': timeline.getSeekRangeEnd(),
  3806. };
  3807. }
  3808. // If we have loaded content with src=, we ask the video element for its
  3809. // seekable range. This covers both plain mp4s and native HLS playbacks.
  3810. if (this.video_ && this.video_.src) {
  3811. const seekable = this.video_.seekable;
  3812. if (seekable.length) {
  3813. return {
  3814. 'start': seekable.start(0),
  3815. 'end': seekable.end(seekable.length - 1),
  3816. };
  3817. }
  3818. }
  3819. return {'start': 0, 'end': 0};
  3820. }
  3821. /**
  3822. * Go to live in a live stream.
  3823. *
  3824. * @export
  3825. */
  3826. goToLive() {
  3827. if (this.isLive()) {
  3828. this.video_.currentTime = this.seekRange().end;
  3829. } else {
  3830. shaka.log.warning('goToLive is for live streams!');
  3831. }
  3832. }
  3833. /**
  3834. * Indicates if the player has fully loaded the stream.
  3835. *
  3836. * @return {boolean}
  3837. * @export
  3838. */
  3839. isFullyLoaded() {
  3840. return this.fullyLoaded_;
  3841. }
  3842. /**
  3843. * Get the key system currently used by EME. If EME is not being used, this
  3844. * will return an empty string. If the player has not loaded content, this
  3845. * will return an empty string.
  3846. *
  3847. * @return {string}
  3848. * @export
  3849. */
  3850. keySystem() {
  3851. return shaka.util.DrmUtils.keySystem(this.drmInfo());
  3852. }
  3853. /**
  3854. * Get the drm info used to initialize EME. If EME is not being used, this
  3855. * will return <code>null</code>. If the player is idle or has not initialized
  3856. * EME yet, this will return <code>null</code>.
  3857. *
  3858. * @return {?shaka.extern.DrmInfo}
  3859. * @export
  3860. */
  3861. drmInfo() {
  3862. return this.drmEngine_ ? this.drmEngine_.getDrmInfo() : null;
  3863. }
  3864. /**
  3865. * Get the drm engine.
  3866. * This method should only be used for testing. Applications SHOULD NOT
  3867. * use this in production.
  3868. *
  3869. * @return {?shaka.media.DrmEngine}
  3870. */
  3871. getDrmEngine() {
  3872. return this.drmEngine_;
  3873. }
  3874. /**
  3875. * Get the next known expiration time for any EME session. If the session
  3876. * never expires, this will return <code>Infinity</code>. If there are no EME
  3877. * sessions, this will return <code>Infinity</code>. If the player has not
  3878. * loaded content, this will return <code>Infinity</code>.
  3879. *
  3880. * @return {number}
  3881. * @export
  3882. */
  3883. getExpiration() {
  3884. return this.drmEngine_ ? this.drmEngine_.getExpiration() : Infinity;
  3885. }
  3886. /**
  3887. * Returns the active sessions metadata
  3888. *
  3889. * @return {!Array.<shaka.extern.DrmSessionMetadata>}
  3890. * @export
  3891. */
  3892. getActiveSessionsMetadata() {
  3893. return this.drmEngine_ ? this.drmEngine_.getActiveSessionsMetadata() : [];
  3894. }
  3895. /**
  3896. * Gets a map of EME key ID to the current key status.
  3897. *
  3898. * @return {!Object<string, string>}
  3899. * @export
  3900. */
  3901. getKeyStatuses() {
  3902. return this.drmEngine_ ? this.drmEngine_.getKeyStatuses() : {};
  3903. }
  3904. /**
  3905. * Check if the player is currently in a buffering state (has too little
  3906. * content to play smoothly). If the player has not loaded content, this will
  3907. * return <code>false</code>.
  3908. *
  3909. * @return {boolean}
  3910. * @export
  3911. */
  3912. isBuffering() {
  3913. const State = shaka.media.BufferingObserver.State;
  3914. return this.bufferObserver_ ?
  3915. this.bufferObserver_.getState() == State.STARVING :
  3916. false;
  3917. }
  3918. /**
  3919. * Get the playback rate of what is playing right now. If we are using trick
  3920. * play, this will return the trick play rate.
  3921. * If no content is playing, this will return 0.
  3922. * If content is buffering, this will return the expected playback rate once
  3923. * the video starts playing.
  3924. *
  3925. * <p>
  3926. * If the player has not loaded content, this will return a playback rate of
  3927. * 0.
  3928. *
  3929. * @return {number}
  3930. * @export
  3931. */
  3932. getPlaybackRate() {
  3933. if (!this.video_) {
  3934. return 0;
  3935. }
  3936. return this.playRateController_ ?
  3937. this.playRateController_.getRealRate() :
  3938. 1;
  3939. }
  3940. /**
  3941. * Enable trick play to skip through content without playing by repeatedly
  3942. * seeking. For example, a rate of 2.5 would result in 2.5 seconds of content
  3943. * being skipped every second. A negative rate will result in moving
  3944. * backwards.
  3945. *
  3946. * <p>
  3947. * If the player has not loaded content or is still loading content this will
  3948. * be a no-op. Wait until <code>load</code> has completed before calling.
  3949. *
  3950. * <p>
  3951. * Trick play will be canceled automatically if the playhead hits the
  3952. * beginning or end of the seekable range for the content.
  3953. *
  3954. * @param {number} rate
  3955. * @param {boolean=} useTrickPlayTrack
  3956. * @export
  3957. */
  3958. trickPlay(rate, useTrickPlayTrack = true) {
  3959. // A playbackRate of 0 is used internally when we are in a buffering state,
  3960. // and doesn't make sense for trick play. If you set a rate of 0 for trick
  3961. // play, we will reject it and issue a warning. If it happens during a
  3962. // test, we will fail the test through this assertion.
  3963. goog.asserts.assert(rate != 0, 'Should never set a trick play rate of 0!');
  3964. if (rate == 0) {
  3965. shaka.log.alwaysWarn('A trick play rate of 0 is unsupported!');
  3966. return;
  3967. }
  3968. this.trickPlayEventManager_.removeAll();
  3969. if (this.video_.paused) {
  3970. // Our fast forward is implemented with playbackRate and needs the video
  3971. // to be playing (to not be paused) to take immediate effect.
  3972. // If the video is paused, "unpause" it.
  3973. this.video_.play();
  3974. }
  3975. this.playRateController_.set(rate);
  3976. if (this.loadMode_ == shaka.Player.LoadMode.MEDIA_SOURCE) {
  3977. this.abrManager_.playbackRateChanged(rate);
  3978. this.streamingEngine_.setTrickPlay(
  3979. useTrickPlayTrack && Math.abs(rate) > 1);
  3980. }
  3981. if (this.isLive()) {
  3982. this.trickPlayEventManager_.listen(this.video_, 'timeupdate', () => {
  3983. const currentTime = this.video_.currentTime;
  3984. const seekRange = this.seekRange();
  3985. const safeSeekOffset = this.config_.streaming.safeSeekOffset;
  3986. // Cancel trick play if we hit the beginning or end of the seekable
  3987. // (Sub-second accuracy not required here)
  3988. if (rate > 0) {
  3989. if (Math.floor(currentTime) >= Math.floor(seekRange.end)) {
  3990. this.cancelTrickPlay();
  3991. }
  3992. } else {
  3993. if (Math.floor(currentTime) <=
  3994. Math.floor(seekRange.start + safeSeekOffset)) {
  3995. this.cancelTrickPlay();
  3996. }
  3997. }
  3998. });
  3999. }
  4000. }
  4001. /**
  4002. * Cancel trick-play. If the player has not loaded content or is still loading
  4003. * content this will be a no-op.
  4004. *
  4005. * @export
  4006. */
  4007. cancelTrickPlay() {
  4008. const defaultPlaybackRate = this.playRateController_.getDefaultRate();
  4009. if (this.loadMode_ == shaka.Player.LoadMode.SRC_EQUALS) {
  4010. this.playRateController_.set(defaultPlaybackRate);
  4011. }
  4012. if (this.loadMode_ == shaka.Player.LoadMode.MEDIA_SOURCE) {
  4013. this.playRateController_.set(defaultPlaybackRate);
  4014. this.abrManager_.playbackRateChanged(defaultPlaybackRate);
  4015. this.streamingEngine_.setTrickPlay(false);
  4016. }
  4017. this.trickPlayEventManager_.removeAll();
  4018. }
  4019. /**
  4020. * Return a list of variant tracks that can be switched to.
  4021. *
  4022. * <p>
  4023. * If the player has not loaded content, this will return an empty list.
  4024. *
  4025. * @return {!Array.<shaka.extern.Track>}
  4026. * @export
  4027. */
  4028. getVariantTracks() {
  4029. if (this.manifest_) {
  4030. const currentVariant = this.streamingEngine_ ?
  4031. this.streamingEngine_.getCurrentVariant() : null;
  4032. const tracks = [];
  4033. let activeTracks = 0;
  4034. // Convert each variant to a track.
  4035. for (const variant of this.manifest_.variants) {
  4036. if (!shaka.util.StreamUtils.isPlayable(variant)) {
  4037. continue;
  4038. }
  4039. const track = shaka.util.StreamUtils.variantToTrack(variant);
  4040. track.active = variant == currentVariant;
  4041. if (!track.active && activeTracks != 1 && currentVariant != null &&
  4042. variant.video == currentVariant.video &&
  4043. variant.audio == currentVariant.audio) {
  4044. track.active = true;
  4045. }
  4046. if (track.active) {
  4047. activeTracks++;
  4048. }
  4049. tracks.push(track);
  4050. }
  4051. goog.asserts.assert(activeTracks <= 1,
  4052. 'It should only have one active track');
  4053. return tracks;
  4054. } else if (this.video_ && this.video_.audioTracks) {
  4055. // Safari's native HLS always shows a single element in videoTracks.
  4056. // You can't use that API to change resolutions. But we can use
  4057. // audioTracks to generate a variant list that is usable for changing
  4058. // languages.
  4059. const audioTracks = Array.from(this.video_.audioTracks);
  4060. return audioTracks.map((audio) =>
  4061. shaka.util.StreamUtils.html5AudioTrackToTrack(audio));
  4062. } else {
  4063. return [];
  4064. }
  4065. }
  4066. /**
  4067. * Return a list of text tracks that can be switched to.
  4068. *
  4069. * <p>
  4070. * If the player has not loaded content, this will return an empty list.
  4071. *
  4072. * @return {!Array.<shaka.extern.Track>}
  4073. * @export
  4074. */
  4075. getTextTracks() {
  4076. if (this.manifest_) {
  4077. const currentTextStream = this.streamingEngine_ ?
  4078. this.streamingEngine_.getCurrentTextStream() : null;
  4079. const tracks = [];
  4080. // Convert all selectable text streams to tracks.
  4081. for (const text of this.manifest_.textStreams) {
  4082. const track = shaka.util.StreamUtils.textStreamToTrack(text);
  4083. track.active = text == currentTextStream;
  4084. tracks.push(track);
  4085. }
  4086. return tracks;
  4087. } else if (this.video_ && this.video_.src && this.video_.textTracks) {
  4088. const textTracks = this.getFilteredTextTracks_();
  4089. const StreamUtils = shaka.util.StreamUtils;
  4090. return textTracks.map((text) => StreamUtils.html5TextTrackToTrack(text));
  4091. } else {
  4092. return [];
  4093. }
  4094. }
  4095. /**
  4096. * Return a list of image tracks that can be switched to.
  4097. *
  4098. * If the player has not loaded content, this will return an empty list.
  4099. *
  4100. * @return {!Array.<shaka.extern.Track>}
  4101. * @export
  4102. */
  4103. getImageTracks() {
  4104. const StreamUtils = shaka.util.StreamUtils;
  4105. let imageStreams = this.externalSrcEqualsThumbnailsStreams_;
  4106. if (this.manifest_) {
  4107. imageStreams = this.manifest_.imageStreams;
  4108. }
  4109. return imageStreams.map((image) => StreamUtils.imageStreamToTrack(image));
  4110. }
  4111. /**
  4112. * Returns Thumbnail objects for each thumbnail for a given image track ID.
  4113. *
  4114. * If the player has not loaded content, this will return a null.
  4115. *
  4116. * @param {number} trackId
  4117. * @return {!Promise.<?Array<!shaka.extern.Thumbnail>>}
  4118. * @export
  4119. */
  4120. async getAllThumbnails(trackId) {
  4121. if (this.loadMode_ != shaka.Player.LoadMode.MEDIA_SOURCE &&
  4122. this.loadMode_ != shaka.Player.LoadMode.SRC_EQUALS) {
  4123. return null;
  4124. }
  4125. let imageStreams = this.externalSrcEqualsThumbnailsStreams_;
  4126. if (this.manifest_) {
  4127. imageStreams = this.manifest_.imageStreams;
  4128. }
  4129. const imageStream = imageStreams.find(
  4130. (stream) => stream.id == trackId);
  4131. if (!imageStream) {
  4132. return null;
  4133. }
  4134. if (!imageStream.segmentIndex) {
  4135. await imageStream.createSegmentIndex();
  4136. }
  4137. const promises = [];
  4138. imageStream.segmentIndex.forEachTopLevelReference((reference) => {
  4139. const dimensions = this.parseTilesLayout_(
  4140. reference.getTilesLayout() || imageStream.tilesLayout);
  4141. if (dimensions) {
  4142. const numThumbnails = dimensions.rows * dimensions.columns;
  4143. const duration = reference.trueEndTime - reference.startTime;
  4144. for (let i = 0; i < numThumbnails; i++) {
  4145. const sampleTime = reference.startTime + duration * i / numThumbnails;
  4146. promises.push(this.getThumbnails(trackId, sampleTime));
  4147. }
  4148. }
  4149. });
  4150. const thumbnails = await Promise.all(promises);
  4151. return thumbnails.filter((t) => t);
  4152. }
  4153. /**
  4154. * Parses a tiles layout.
  4155. *
  4156. * @param {string|undefined} tilesLayout
  4157. * @return {?{
  4158. * columns: number,
  4159. * rows: number
  4160. * }}
  4161. * @private
  4162. */
  4163. parseTilesLayout_(tilesLayout) {
  4164. if (!tilesLayout) {
  4165. return null;
  4166. }
  4167. // This expression is used to detect one or more numbers (0-9) followed
  4168. // by an x and after one or more numbers (0-9)
  4169. const match = /(\d+)x(\d+)/.exec(tilesLayout);
  4170. if (!match) {
  4171. shaka.log.warning('Tiles layout does not contain a valid format ' +
  4172. ' (columns x rows)');
  4173. return null;
  4174. }
  4175. const columns = parseInt(match[1], 10);
  4176. const rows = parseInt(match[2], 10);
  4177. return {columns, rows};
  4178. }
  4179. /**
  4180. * Return a Thumbnail object from a image track Id and time.
  4181. *
  4182. * If the player has not loaded content, this will return a null.
  4183. *
  4184. * @param {number} trackId
  4185. * @param {number} time
  4186. * @return {!Promise.<?shaka.extern.Thumbnail>}
  4187. * @export
  4188. */
  4189. async getThumbnails(trackId, time) {
  4190. if (this.loadMode_ != shaka.Player.LoadMode.MEDIA_SOURCE &&
  4191. this.loadMode_ != shaka.Player.LoadMode.SRC_EQUALS) {
  4192. return null;
  4193. }
  4194. let imageStreams = this.externalSrcEqualsThumbnailsStreams_;
  4195. if (this.manifest_) {
  4196. imageStreams = this.manifest_.imageStreams;
  4197. }
  4198. const imageStream = imageStreams.find(
  4199. (stream) => stream.id == trackId);
  4200. if (!imageStream) {
  4201. return null;
  4202. }
  4203. if (!imageStream.segmentIndex) {
  4204. await imageStream.createSegmentIndex();
  4205. }
  4206. const referencePosition = imageStream.segmentIndex.find(time);
  4207. if (referencePosition == null) {
  4208. return null;
  4209. }
  4210. const reference = imageStream.segmentIndex.get(referencePosition);
  4211. const dimensions = this.parseTilesLayout_(
  4212. reference.getTilesLayout() || imageStream.tilesLayout);
  4213. if (!dimensions) {
  4214. return null;
  4215. }
  4216. const fullImageWidth = imageStream.width || 0;
  4217. const fullImageHeight = imageStream.height || 0;
  4218. let width = fullImageWidth / dimensions.columns;
  4219. let height = fullImageHeight / dimensions.rows;
  4220. const totalImages = dimensions.columns * dimensions.rows;
  4221. const segmentDuration = reference.trueEndTime - reference.startTime;
  4222. const thumbnailDuration =
  4223. reference.getTileDuration() || (segmentDuration / totalImages);
  4224. let thumbnailTime = reference.startTime;
  4225. let positionX = 0;
  4226. let positionY = 0;
  4227. // If the number of images in the segment is greater than 1, we have to
  4228. // find the correct image. For that we will return to the app the
  4229. // coordinates of the position of the correct image.
  4230. // Image search is always from left to right and top to bottom.
  4231. // Note: The time between images within the segment is always
  4232. // equidistant.
  4233. //
  4234. // Eg: Total images 5, tileLayout 5x1, segmentDuration 5, thumbnailTime 2
  4235. // positionX = 0.4 * fullImageWidth
  4236. // positionY = 0
  4237. if (totalImages > 1) {
  4238. const thumbnailPosition =
  4239. Math.floor((time - reference.startTime) / thumbnailDuration);
  4240. thumbnailTime = reference.startTime +
  4241. (thumbnailPosition * thumbnailDuration);
  4242. positionX = (thumbnailPosition % dimensions.columns) * width;
  4243. positionY = Math.floor(thumbnailPosition / dimensions.columns) * height;
  4244. }
  4245. let sprite = false;
  4246. const thumbnailSprite = reference.getThumbnailSprite();
  4247. if (thumbnailSprite) {
  4248. sprite = true;
  4249. height = thumbnailSprite.height;
  4250. positionX = thumbnailSprite.positionX;
  4251. positionY = thumbnailSprite.positionY;
  4252. width = thumbnailSprite.width;
  4253. }
  4254. return {
  4255. segment: reference,
  4256. imageHeight: fullImageHeight,
  4257. imageWidth: fullImageWidth,
  4258. height: height,
  4259. positionX: positionX,
  4260. positionY: positionY,
  4261. startTime: thumbnailTime,
  4262. duration: thumbnailDuration,
  4263. uris: reference.getUris(),
  4264. width: width,
  4265. sprite: sprite,
  4266. };
  4267. }
  4268. /**
  4269. * Select a specific text track. <code>track</code> should come from a call to
  4270. * <code>getTextTracks</code>. If the track is not found, this will be a
  4271. * no-op. If the player has not loaded content, this will be a no-op.
  4272. *
  4273. * <p>
  4274. * Note that <code>AdaptationEvents</code> are not fired for manual track
  4275. * selections.
  4276. *
  4277. * @param {shaka.extern.Track} track
  4278. * @export
  4279. */
  4280. selectTextTrack(track) {
  4281. if (this.manifest_ && this.streamingEngine_) {
  4282. const stream = this.manifest_.textStreams.find(
  4283. (stream) => stream.id == track.id);
  4284. if (!stream) {
  4285. shaka.log.error('No stream with id', track.id);
  4286. return;
  4287. }
  4288. if (stream == this.streamingEngine_.getCurrentTextStream()) {
  4289. shaka.log.debug('Text track already selected.');
  4290. return;
  4291. }
  4292. // Add entries to the history.
  4293. this.addTextStreamToSwitchHistory_(stream, /* fromAdaptation= */ false);
  4294. this.streamingEngine_.switchTextStream(stream);
  4295. this.onTextChanged_();
  4296. // Workaround for
  4297. // https://github.com/shaka-project/shaka-player/issues/1299
  4298. // When track is selected, back-propagate the language to
  4299. // currentTextLanguage_.
  4300. this.currentTextLanguage_ = stream.language;
  4301. } else if (this.video_ && this.video_.src && this.video_.textTracks) {
  4302. const textTracks = this.getFilteredTextTracks_();
  4303. for (const textTrack of textTracks) {
  4304. if (shaka.util.StreamUtils.html5TrackId(textTrack) == track.id) {
  4305. // Leave the track in 'hidden' if it's selected but not showing.
  4306. textTrack.mode = this.isTextVisible_ ? 'showing' : 'hidden';
  4307. } else {
  4308. // Safari allows multiple text tracks to have mode == 'showing', so be
  4309. // explicit in resetting the others.
  4310. textTrack.mode = 'disabled';
  4311. }
  4312. }
  4313. this.onTextChanged_();
  4314. }
  4315. }
  4316. /**
  4317. * Select a specific variant track to play. <code>track</code> should come
  4318. * from a call to <code>getVariantTracks</code>. If <code>track</code> cannot
  4319. * be found, this will be a no-op. If the player has not loaded content, this
  4320. * will be a no-op.
  4321. *
  4322. * <p>
  4323. * Changing variants will take effect once the currently buffered content has
  4324. * been played. To force the change to happen sooner, use
  4325. * <code>clearBuffer</code> with <code>safeMargin</code>. Setting
  4326. * <code>clearBuffer</code> to <code>true</code> will clear all buffered
  4327. * content after <code>safeMargin</code>, allowing the new variant to start
  4328. * playing sooner.
  4329. *
  4330. * <p>
  4331. * Note that <code>AdaptationEvents</code> are not fired for manual track
  4332. * selections.
  4333. *
  4334. * @param {shaka.extern.Track} track
  4335. * @param {boolean=} clearBuffer
  4336. * @param {number=} safeMargin Optional amount of buffer (in seconds) to
  4337. * retain when clearing the buffer. Useful for switching variant quickly
  4338. * without causing a buffering event. Defaults to 0 if not provided. Ignored
  4339. * if clearBuffer is false. Can cause hiccups on some browsers if chosen too
  4340. * small, e.g. The amount of two segments is a fair minimum to consider as
  4341. * safeMargin value.
  4342. * @export
  4343. */
  4344. selectVariantTrack(track, clearBuffer = false, safeMargin = 0) {
  4345. if (this.manifest_ && this.streamingEngine_) {
  4346. const variant = this.manifest_.variants.find(
  4347. (variant) => variant.id == track.id);
  4348. if (!variant) {
  4349. shaka.log.error('No variant with id', track.id);
  4350. return;
  4351. }
  4352. // Double check that the track is allowed to be played. The track list
  4353. // should only contain playable variants, but if restrictions change and
  4354. // |selectVariantTrack| is called before the track list is updated, we
  4355. // could get a now-restricted variant.
  4356. if (!shaka.util.StreamUtils.isPlayable(variant)) {
  4357. shaka.log.error('Unable to switch to restricted track', track.id);
  4358. return;
  4359. }
  4360. const active = this.streamingEngine_.getCurrentVariant();
  4361. if (this.config_.abr.enabled && (active.video != variant.video ||
  4362. (active.audio && variant.audio &&
  4363. active.audio.language == variant.audio.language &&
  4364. active.audio.channelsCount == variant.audio.channelsCount))) {
  4365. shaka.log.alwaysWarn('Changing tracks while abr manager is enabled ' +
  4366. 'will likely result in the selected track ' +
  4367. 'being overriden. Consider disabling abr before ' +
  4368. 'calling selectVariantTrack().');
  4369. }
  4370. this.switchVariant_(
  4371. variant, /* fromAdaptation= */ false, clearBuffer, safeMargin);
  4372. // Workaround for
  4373. // https://github.com/shaka-project/shaka-player/issues/1299
  4374. // When track is selected, back-propagate the language to
  4375. // currentAudioLanguage_.
  4376. this.currentAdaptationSetCriteria_ = new shaka.media.ExampleBasedCriteria(
  4377. variant,
  4378. this.config_.mediaSource.codecSwitchingStrategy,
  4379. this.config_.manifest.dash.enableAudioGroups);
  4380. // Update AbrManager variants to match these new settings.
  4381. this.updateAbrManagerVariants_();
  4382. } else if (this.video_ && this.video_.audioTracks) {
  4383. // Safari's native HLS won't let you choose an explicit variant, though
  4384. // you can choose audio languages this way.
  4385. const audioTracks = Array.from(this.video_.audioTracks);
  4386. for (const audioTrack of audioTracks) {
  4387. if (shaka.util.StreamUtils.html5TrackId(audioTrack) == track.id) {
  4388. // This will reset the "enabled" of other tracks to false.
  4389. this.switchHtml5Track_(audioTrack);
  4390. return;
  4391. }
  4392. }
  4393. }
  4394. }
  4395. /**
  4396. * Return a list of audio language-role combinations available. If the
  4397. * player has not loaded any content, this will return an empty list.
  4398. *
  4399. * @return {!Array.<shaka.extern.LanguageRole>}
  4400. * @export
  4401. */
  4402. getAudioLanguagesAndRoles() {
  4403. return shaka.Player.getLanguageAndRolesFrom_(this.getVariantTracks());
  4404. }
  4405. /**
  4406. * Return a list of text language-role combinations available. If the player
  4407. * has not loaded any content, this will be return an empty list.
  4408. *
  4409. * @return {!Array.<shaka.extern.LanguageRole>}
  4410. * @export
  4411. */
  4412. getTextLanguagesAndRoles() {
  4413. return shaka.Player.getLanguageAndRolesFrom_(this.getTextTracks());
  4414. }
  4415. /**
  4416. * Return a list of audio languages available. If the player has not loaded
  4417. * any content, this will return an empty list.
  4418. *
  4419. * @return {!Array.<string>}
  4420. * @export
  4421. */
  4422. getAudioLanguages() {
  4423. return Array.from(shaka.Player.getLanguagesFrom_(this.getVariantTracks()));
  4424. }
  4425. /**
  4426. * Return a list of text languages available. If the player has not loaded
  4427. * any content, this will return an empty list.
  4428. *
  4429. * @return {!Array.<string>}
  4430. * @export
  4431. */
  4432. getTextLanguages() {
  4433. return Array.from(shaka.Player.getLanguagesFrom_(this.getTextTracks()));
  4434. }
  4435. /**
  4436. * Sets the current audio language and current variant role to the selected
  4437. * language, role and channel count, and chooses a new variant if need be.
  4438. * If the player has not loaded any content, this will be a no-op.
  4439. *
  4440. * @param {string} language
  4441. * @param {string=} role
  4442. * @param {number=} channelsCount
  4443. * @param {number=} safeMargin
  4444. * @param {string=} codec
  4445. * @export
  4446. */
  4447. selectAudioLanguage(language, role, channelsCount = 0, safeMargin = 0,
  4448. codec = '') {
  4449. if (this.manifest_ && this.playhead_) {
  4450. this.currentAdaptationSetCriteria_ =
  4451. new shaka.media.PreferenceBasedCriteria(
  4452. language,
  4453. role || '',
  4454. channelsCount,
  4455. /* hdrLevel= */ '',
  4456. /* spatialAudio= */ false,
  4457. /* videoLayout= */ '',
  4458. /* audioLabel= */ '',
  4459. /* videoLabel= */ '',
  4460. this.config_.mediaSource.codecSwitchingStrategy,
  4461. this.config_.manifest.dash.enableAudioGroups,
  4462. codec);
  4463. const diff = (a, b) => {
  4464. if (!a.video && !b.video) {
  4465. return 0;
  4466. } else if (!a.video || !b.video) {
  4467. return Infinity;
  4468. } else {
  4469. return Math.abs((a.video.height || 0) - (b.video.height || 0)) +
  4470. Math.abs((a.video.width || 0) - (b.video.width || 0));
  4471. }
  4472. };
  4473. // Find the variant whose size is closest to the active variant. This
  4474. // ensures we stay at about the same resolution when just changing the
  4475. // language/role.
  4476. const active = this.streamingEngine_.getCurrentVariant();
  4477. const set =
  4478. this.currentAdaptationSetCriteria_.create(this.manifest_.variants);
  4479. let bestVariant = null;
  4480. for (const curVariant of set.values()) {
  4481. if (!shaka.util.StreamUtils.isPlayable(curVariant)) {
  4482. continue;
  4483. }
  4484. if (!bestVariant ||
  4485. diff(bestVariant, active) > diff(curVariant, active)) {
  4486. bestVariant = curVariant;
  4487. }
  4488. }
  4489. if (bestVariant == active) {
  4490. shaka.log.debug('Audio already selected.');
  4491. return;
  4492. }
  4493. if (bestVariant) {
  4494. const track = shaka.util.StreamUtils.variantToTrack(bestVariant);
  4495. this.selectVariantTrack(track, /* clearBuffer= */ true, safeMargin);
  4496. return;
  4497. }
  4498. // If we haven't switched yet, just use ABR to find a new track.
  4499. this.chooseVariantAndSwitch_();
  4500. } else if (this.video_ && this.video_.audioTracks) {
  4501. const track = shaka.util.StreamUtils.filterStreamsByLanguageAndRole(
  4502. this.getVariantTracks(), language, role || '', false)[0];
  4503. if (track) {
  4504. this.selectVariantTrack(track);
  4505. }
  4506. }
  4507. }
  4508. /**
  4509. * Sets the current text language and current text role to the selected
  4510. * language and role, and chooses a new variant if need be. If the player has
  4511. * not loaded any content, this will be a no-op.
  4512. *
  4513. * @param {string} language
  4514. * @param {string=} role
  4515. * @param {boolean=} forced
  4516. * @export
  4517. */
  4518. selectTextLanguage(language, role, forced = false) {
  4519. if (this.manifest_ && this.playhead_) {
  4520. this.currentTextLanguage_ = language;
  4521. this.currentTextRole_ = role || '';
  4522. this.currentTextForced_ = forced;
  4523. const chosenText = this.chooseTextStream_();
  4524. if (chosenText) {
  4525. if (chosenText == this.streamingEngine_.getCurrentTextStream()) {
  4526. shaka.log.debug('Text track already selected.');
  4527. return;
  4528. }
  4529. this.addTextStreamToSwitchHistory_(
  4530. chosenText, /* fromAdaptation= */ false);
  4531. if (this.shouldStreamText_()) {
  4532. this.streamingEngine_.switchTextStream(chosenText);
  4533. this.onTextChanged_();
  4534. }
  4535. }
  4536. } else {
  4537. const track = shaka.util.StreamUtils.filterStreamsByLanguageAndRole(
  4538. this.getTextTracks(), language, role || '', forced)[0];
  4539. if (track) {
  4540. this.selectTextTrack(track);
  4541. }
  4542. }
  4543. }
  4544. /**
  4545. * Select variant tracks that have a given label. This assumes the
  4546. * label uniquely identifies an audio stream, so all the variants
  4547. * are expected to have the same variant.audio.
  4548. *
  4549. * @param {string} label
  4550. * @param {boolean=} clearBuffer Optional clear buffer or not when
  4551. * switch to new variant
  4552. * Defaults to true if not provided
  4553. * @param {number=} safeMargin Optional amount of buffer (in seconds) to
  4554. * retain when clearing the buffer.
  4555. * Defaults to 0 if not provided. Ignored if clearBuffer is false.
  4556. * @export
  4557. */
  4558. selectVariantsByLabel(label, clearBuffer = true, safeMargin = 0) {
  4559. if (this.manifest_ && this.playhead_) {
  4560. let firstVariantWithLabel = null;
  4561. for (const variant of this.manifest_.variants) {
  4562. if (variant.audio.label == label) {
  4563. firstVariantWithLabel = variant;
  4564. break;
  4565. }
  4566. }
  4567. if (firstVariantWithLabel == null) {
  4568. shaka.log.warning('No variants were found with label: ' +
  4569. label + '. Ignoring the request to switch.');
  4570. return;
  4571. }
  4572. // Label is a unique identifier of a variant's audio stream.
  4573. // Because of that we assume that all the variants with the same
  4574. // label have the same language.
  4575. this.currentAdaptationSetCriteria_ =
  4576. new shaka.media.PreferenceBasedCriteria(
  4577. firstVariantWithLabel.language,
  4578. /* role= */ '',
  4579. /* channelCount= */ 0,
  4580. /* hdrLevel= */ '',
  4581. /* spatialAudio= */ false,
  4582. /* videoLayout= */ '',
  4583. label,
  4584. /* videoLabel= */ '',
  4585. this.config_.mediaSource.codecSwitchingStrategy,
  4586. this.config_.manifest.dash.enableAudioGroups);
  4587. this.chooseVariantAndSwitch_(clearBuffer, safeMargin);
  4588. } else if (this.video_ && this.video_.audioTracks) {
  4589. const audioTracks = Array.from(this.video_.audioTracks);
  4590. let trackMatch = null;
  4591. for (const audioTrack of audioTracks) {
  4592. if (audioTrack.label == label) {
  4593. trackMatch = audioTrack;
  4594. }
  4595. }
  4596. if (trackMatch) {
  4597. this.switchHtml5Track_(trackMatch);
  4598. }
  4599. }
  4600. }
  4601. /**
  4602. * Check if the text displayer is enabled.
  4603. *
  4604. * @return {boolean}
  4605. * @export
  4606. */
  4607. isTextTrackVisible() {
  4608. const expected = this.isTextVisible_;
  4609. if (this.mediaSourceEngine_ &&
  4610. this.loadMode_ == shaka.Player.LoadMode.MEDIA_SOURCE) {
  4611. // Make sure our values are still in-sync.
  4612. const actual = this.mediaSourceEngine_.getTextDisplayer().isTextVisible();
  4613. goog.asserts.assert(
  4614. actual == expected, 'text visibility has fallen out of sync');
  4615. // Always return the actual value so that the app has the most accurate
  4616. // information (in the case that the values come out of sync in prod).
  4617. return actual;
  4618. } else if (this.video_ && this.video_.src && this.video_.textTracks) {
  4619. const textTracks = this.getFilteredTextTracks_();
  4620. return textTracks.some((t) => t.mode == 'showing');
  4621. }
  4622. return expected;
  4623. }
  4624. /**
  4625. * Return a list of chapters tracks.
  4626. *
  4627. * @return {!Array.<shaka.extern.Track>}
  4628. * @export
  4629. */
  4630. getChaptersTracks() {
  4631. if (this.video_ && this.video_.src && this.video_.textTracks) {
  4632. const textTracks = this.getChaptersTracks_();
  4633. const StreamUtils = shaka.util.StreamUtils;
  4634. return textTracks.map((text) => StreamUtils.html5TextTrackToTrack(text));
  4635. } else {
  4636. return [];
  4637. }
  4638. }
  4639. /**
  4640. * This returns the list of chapters.
  4641. *
  4642. * @param {string} language
  4643. * @return {!Array.<shaka.extern.Chapter>}
  4644. * @export
  4645. */
  4646. getChapters(language) {
  4647. if (!this.video_ || !this.video_.src || !this.video_.textTracks) {
  4648. return [];
  4649. }
  4650. const LanguageUtils = shaka.util.LanguageUtils;
  4651. const inputlanguage = LanguageUtils.normalize(language);
  4652. const chaptersTracks = this.getChaptersTracks_();
  4653. const chaptersTracksWithLanguage = chaptersTracks
  4654. .filter((t) => LanguageUtils.normalize(t.language) == inputlanguage);
  4655. if (!chaptersTracksWithLanguage || !chaptersTracksWithLanguage.length) {
  4656. return [];
  4657. }
  4658. const chapters = [];
  4659. const uniqueChapters = new Set();
  4660. for (const chaptersTrack of chaptersTracksWithLanguage) {
  4661. if (chaptersTrack && chaptersTrack.cues) {
  4662. for (const cue of chaptersTrack.cues) {
  4663. let id = cue.id;
  4664. if (!id || id == '') {
  4665. id = cue.startTime + '-' + cue.endTime + '-' + cue.text;
  4666. }
  4667. /** @type {shaka.extern.Chapter} */
  4668. const chapter = {
  4669. id: id,
  4670. title: cue.text,
  4671. startTime: cue.startTime,
  4672. endTime: cue.endTime,
  4673. };
  4674. if (!uniqueChapters.has(id)) {
  4675. chapters.push(chapter);
  4676. uniqueChapters.add(id);
  4677. }
  4678. }
  4679. }
  4680. }
  4681. return chapters;
  4682. }
  4683. /**
  4684. * Ignore the TextTracks with the 'metadata' or 'chapters' kind, or the one
  4685. * generated by the SimpleTextDisplayer.
  4686. *
  4687. * @return {!Array.<TextTrack>}
  4688. * @private
  4689. */
  4690. getFilteredTextTracks_() {
  4691. goog.asserts.assert(this.video_.textTracks,
  4692. 'TextTracks should be valid.');
  4693. return Array.from(this.video_.textTracks)
  4694. .filter((t) => t.kind != 'metadata' && t.kind != 'chapters' &&
  4695. t.label != shaka.Player.TextTrackLabel);
  4696. }
  4697. /**
  4698. * Get the TextTracks with the 'metadata' kind.
  4699. *
  4700. * @return {!Array.<TextTrack>}
  4701. * @private
  4702. */
  4703. getMetadataTracks_() {
  4704. goog.asserts.assert(this.video_.textTracks,
  4705. 'TextTracks should be valid.');
  4706. return Array.from(this.video_.textTracks)
  4707. .filter((t) => t.kind == 'metadata');
  4708. }
  4709. /**
  4710. * Get the TextTracks with the 'chapters' kind.
  4711. *
  4712. * @return {!Array.<TextTrack>}
  4713. * @private
  4714. */
  4715. getChaptersTracks_() {
  4716. goog.asserts.assert(this.video_.textTracks,
  4717. 'TextTracks should be valid.');
  4718. return Array.from(this.video_.textTracks)
  4719. .filter((t) => t.kind == 'chapters');
  4720. }
  4721. /**
  4722. * Enable or disable the text displayer. If the player is in an unloaded
  4723. * state, the request will be applied next time content is loaded.
  4724. *
  4725. * @param {boolean} isVisible
  4726. * @export
  4727. */
  4728. setTextTrackVisibility(isVisible) {
  4729. const oldVisibilty = this.isTextVisible_;
  4730. // Convert to boolean in case apps pass 0/1 instead false/true.
  4731. const newVisibility = !!isVisible;
  4732. if (oldVisibilty == newVisibility) {
  4733. return;
  4734. }
  4735. this.isTextVisible_ = newVisibility;
  4736. // Hold of on setting the text visibility until we have all the components
  4737. // we need. This ensures that they stay in-sync.
  4738. if (this.loadMode_ == shaka.Player.LoadMode.MEDIA_SOURCE) {
  4739. this.mediaSourceEngine_.getTextDisplayer()
  4740. .setTextVisibility(newVisibility);
  4741. // When the user wants to see captions, we stream captions. When the user
  4742. // doesn't want to see captions, we don't stream captions. This is to
  4743. // avoid bandwidth consumption by an unused resource. The app developer
  4744. // can override this and configure us to always stream captions.
  4745. if (!this.config_.streaming.alwaysStreamText) {
  4746. if (newVisibility) {
  4747. if (this.streamingEngine_.getCurrentTextStream()) {
  4748. // We already have a selected text stream.
  4749. } else {
  4750. // Find the text stream that best matches the user's preferences.
  4751. const streams =
  4752. shaka.util.StreamUtils.filterStreamsByLanguageAndRole(
  4753. this.manifest_.textStreams,
  4754. this.currentTextLanguage_,
  4755. this.currentTextRole_,
  4756. this.currentTextForced_);
  4757. // It is possible that there are no streams to play.
  4758. if (streams.length > 0) {
  4759. this.streamingEngine_.switchTextStream(streams[0]);
  4760. this.onTextChanged_();
  4761. }
  4762. }
  4763. } else {
  4764. this.streamingEngine_.unloadTextStream();
  4765. }
  4766. }
  4767. } else if (this.video_ && this.video_.src && this.video_.textTracks) {
  4768. const textTracks = this.getFilteredTextTracks_();
  4769. // Find the active track by looking for one which is not disabled. This
  4770. // is the only way to identify the track which is currently displayed.
  4771. // Set it to 'showing' or 'hidden' based on newVisibility.
  4772. for (const textTrack of textTracks) {
  4773. if (textTrack.mode != 'disabled') {
  4774. textTrack.mode = newVisibility ? 'showing' : 'hidden';
  4775. }
  4776. }
  4777. }
  4778. // We need to fire the event after we have updated everything so that
  4779. // everything will be in a stable state when the app responds to the
  4780. // event.
  4781. this.onTextTrackVisibility_();
  4782. }
  4783. /**
  4784. * Get the current playhead position as a date.
  4785. *
  4786. * @return {Date}
  4787. * @export
  4788. */
  4789. getPlayheadTimeAsDate() {
  4790. let presentationTime = 0;
  4791. if (this.playhead_) {
  4792. presentationTime = this.playhead_.getTime();
  4793. } else if (this.startTime_ == null) {
  4794. // A live stream with no requested start time and no playhead yet. We
  4795. // would start at the live edge, but we don't have that yet, so return
  4796. // the current date & time.
  4797. return new Date();
  4798. } else {
  4799. // A specific start time has been requested. This is what Playhead will
  4800. // use once it is created.
  4801. presentationTime = this.startTime_;
  4802. }
  4803. if (this.manifest_) {
  4804. const timeline = this.manifest_.presentationTimeline;
  4805. const startTime = timeline.getInitialProgramDateTime() ||
  4806. timeline.getPresentationStartTime();
  4807. return new Date(/* ms= */ (startTime + presentationTime) * 1000);
  4808. } else if (this.video_ && this.video_.getStartDate) {
  4809. // Apple's native HLS gives us getStartDate(), which is only available if
  4810. // EXT-X-PROGRAM-DATETIME is in the playlist.
  4811. const startDate = this.video_.getStartDate();
  4812. if (isNaN(startDate.getTime())) {
  4813. shaka.log.warning(
  4814. 'EXT-X-PROGRAM-DATETIME required to get playhead time as Date!');
  4815. return null;
  4816. }
  4817. return new Date(startDate.getTime() + (presentationTime * 1000));
  4818. } else {
  4819. shaka.log.warning('No way to get playhead time as Date!');
  4820. return null;
  4821. }
  4822. }
  4823. /**
  4824. * Get the presentation start time as a date.
  4825. *
  4826. * @return {Date}
  4827. * @export
  4828. */
  4829. getPresentationStartTimeAsDate() {
  4830. if (this.manifest_) {
  4831. const timeline = this.manifest_.presentationTimeline;
  4832. const startTime = timeline.getInitialProgramDateTime() ||
  4833. timeline.getPresentationStartTime();
  4834. goog.asserts.assert(startTime != null,
  4835. 'Presentation start time should not be null!');
  4836. return new Date(/* ms= */ startTime * 1000);
  4837. } else if (this.video_ && this.video_.getStartDate) {
  4838. // Apple's native HLS gives us getStartDate(), which is only available if
  4839. // EXT-X-PROGRAM-DATETIME is in the playlist.
  4840. const startDate = this.video_.getStartDate();
  4841. if (isNaN(startDate.getTime())) {
  4842. shaka.log.warning(
  4843. 'EXT-X-PROGRAM-DATETIME required to get presentation start time ' +
  4844. 'as Date!');
  4845. return null;
  4846. }
  4847. return startDate;
  4848. } else {
  4849. shaka.log.warning('No way to get presentation start time as Date!');
  4850. return null;
  4851. }
  4852. }
  4853. /**
  4854. * Get the presentation segment availability duration. This should only be
  4855. * called when the player has loaded a live stream. If the player has not
  4856. * loaded a live stream, this will return <code>null</code>.
  4857. *
  4858. * @return {?number}
  4859. * @export
  4860. */
  4861. getSegmentAvailabilityDuration() {
  4862. if (!this.isLive()) {
  4863. shaka.log.warning('getSegmentAvailabilityDuration is for live streams!');
  4864. return null;
  4865. }
  4866. if (this.manifest_) {
  4867. const timeline = this.manifest_.presentationTimeline;
  4868. return timeline.getSegmentAvailabilityDuration();
  4869. } else {
  4870. shaka.log.warning('No way to get segment segment availability duration!');
  4871. return null;
  4872. }
  4873. }
  4874. /**
  4875. * Get information about what the player has buffered. If the player has not
  4876. * loaded content or is currently loading content, the buffered content will
  4877. * be empty.
  4878. *
  4879. * @return {shaka.extern.BufferedInfo}
  4880. * @export
  4881. */
  4882. getBufferedInfo() {
  4883. if (this.loadMode_ == shaka.Player.LoadMode.MEDIA_SOURCE) {
  4884. return this.mediaSourceEngine_.getBufferedInfo();
  4885. }
  4886. const info = {
  4887. total: [],
  4888. audio: [],
  4889. video: [],
  4890. text: [],
  4891. };
  4892. if (this.loadMode_ == shaka.Player.LoadMode.SRC_EQUALS) {
  4893. const TimeRangesUtils = shaka.media.TimeRangesUtils;
  4894. info.total = TimeRangesUtils.getBufferedInfo(this.video_.buffered);
  4895. }
  4896. return info;
  4897. }
  4898. /**
  4899. * Get statistics for the current playback session. If the player is not
  4900. * playing content, this will return an empty stats object.
  4901. *
  4902. * @return {shaka.extern.Stats}
  4903. * @export
  4904. */
  4905. getStats() {
  4906. // If the Player is not in a fully-loaded state, then return an empty stats
  4907. // blob so that this call will never fail.
  4908. const loaded = this.loadMode_ == shaka.Player.LoadMode.MEDIA_SOURCE ||
  4909. this.loadMode_ == shaka.Player.LoadMode.SRC_EQUALS;
  4910. if (!loaded) {
  4911. return shaka.util.Stats.getEmptyBlob();
  4912. }
  4913. this.updateStateHistory_();
  4914. goog.asserts.assert(this.video_, 'If we have stats, we should have video_');
  4915. const element = /** @type {!HTMLVideoElement} */ (this.video_);
  4916. const completionRatio = element.currentTime / element.duration;
  4917. if (!isNaN(completionRatio) && !this.isLive()) {
  4918. this.stats_.setCompletionPercent(Math.round(100 * completionRatio));
  4919. }
  4920. if (this.playhead_) {
  4921. this.stats_.setGapsJumped(this.playhead_.getGapsJumped());
  4922. this.stats_.setStallsDetected(this.playhead_.getStallsDetected());
  4923. }
  4924. if (element.getVideoPlaybackQuality) {
  4925. const info = element.getVideoPlaybackQuality();
  4926. this.stats_.setDroppedFrames(
  4927. Number(info.droppedVideoFrames),
  4928. Number(info.totalVideoFrames));
  4929. this.stats_.setCorruptedFrames(Number(info.corruptedVideoFrames));
  4930. }
  4931. const licenseSeconds =
  4932. this.drmEngine_ ? this.drmEngine_.getLicenseTime() : NaN;
  4933. this.stats_.setLicenseTime(licenseSeconds);
  4934. if (this.loadMode_ == shaka.Player.LoadMode.MEDIA_SOURCE) {
  4935. // Event through we are loaded, it is still possible that we don't have a
  4936. // variant yet because we set the load mode before we select the first
  4937. // variant to stream.
  4938. const variant = this.streamingEngine_.getCurrentVariant();
  4939. const textStream = this.streamingEngine_.getCurrentTextStream();
  4940. if (variant) {
  4941. const rate = this.playRateController_ ?
  4942. this.playRateController_.getRealRate() : 1;
  4943. const variantBandwidth = rate * variant.bandwidth;
  4944. let currentStreamBandwidth = variantBandwidth;
  4945. if (textStream && textStream.bandwidth) {
  4946. currentStreamBandwidth += (rate * textStream.bandwidth);
  4947. }
  4948. this.stats_.setCurrentStreamBandwidth(currentStreamBandwidth);
  4949. }
  4950. if (variant && variant.video) {
  4951. this.stats_.setResolution(
  4952. /* width= */ variant.video.width || NaN,
  4953. /* height= */ variant.video.height || NaN);
  4954. }
  4955. if (this.isLive()) {
  4956. const now = this.getPresentationStartTimeAsDate().valueOf() +
  4957. element.currentTime * 1000;
  4958. const latency = (Date.now() - now) / 1000;
  4959. this.stats_.setLiveLatency(latency);
  4960. }
  4961. if (this.manifest_) {
  4962. this.stats_.setManifestPeriodCount(this.manifest_.periodCount);
  4963. this.stats_.setManifestGapCount(this.manifest_.gapCount);
  4964. if (this.manifest_.presentationTimeline) {
  4965. const maxSegmentDuration =
  4966. this.manifest_.presentationTimeline.getMaxSegmentDuration();
  4967. this.stats_.setMaxSegmentDuration(maxSegmentDuration);
  4968. }
  4969. }
  4970. const estimate = this.abrManager_.getBandwidthEstimate();
  4971. this.stats_.setBandwidthEstimate(estimate);
  4972. }
  4973. if (this.loadMode_ == shaka.Player.LoadMode.SRC_EQUALS) {
  4974. this.stats_.addBytesDownloaded(NaN);
  4975. this.stats_.setResolution(
  4976. /* width= */ element.videoWidth || NaN,
  4977. /* height= */ element.videoHeight || NaN);
  4978. }
  4979. return this.stats_.getBlob();
  4980. }
  4981. /**
  4982. * Adds the given text track to the loaded manifest. <code>load()</code> must
  4983. * resolve before calling. The presentation must have a duration.
  4984. *
  4985. * This returns the created track, which can immediately be selected by the
  4986. * application. The track will not be automatically selected.
  4987. *
  4988. * @param {string} uri
  4989. * @param {string} language
  4990. * @param {string} kind
  4991. * @param {string=} mimeType
  4992. * @param {string=} codec
  4993. * @param {string=} label
  4994. * @param {boolean=} forced
  4995. * @return {!Promise.<shaka.extern.Track>}
  4996. * @export
  4997. */
  4998. async addTextTrackAsync(uri, language, kind, mimeType, codec, label,
  4999. forced = false) {
  5000. if (this.loadMode_ != shaka.Player.LoadMode.MEDIA_SOURCE &&
  5001. this.loadMode_ != shaka.Player.LoadMode.SRC_EQUALS) {
  5002. shaka.log.error(
  5003. 'Must call load() and wait for it to resolve before adding text ' +
  5004. 'tracks.');
  5005. throw new shaka.util.Error(
  5006. shaka.util.Error.Severity.RECOVERABLE,
  5007. shaka.util.Error.Category.PLAYER,
  5008. shaka.util.Error.Code.CONTENT_NOT_LOADED);
  5009. }
  5010. if (kind != 'subtitles' && kind != 'captions') {
  5011. shaka.log.alwaysWarn(
  5012. 'Using a kind value different of `subtitles` or `captions` can ' +
  5013. 'cause unwanted issues.');
  5014. }
  5015. if (!mimeType) {
  5016. mimeType = await this.getTextMimetype_(uri);
  5017. }
  5018. let adCuePoints = [];
  5019. if (this.adManager_) {
  5020. adCuePoints = this.adManager_.getCuePoints();
  5021. }
  5022. if (this.loadMode_ == shaka.Player.LoadMode.SRC_EQUALS) {
  5023. if (forced) {
  5024. // See: https://github.com/whatwg/html/issues/4472
  5025. kind = 'forced';
  5026. }
  5027. await this.addSrcTrackElement_(uri, language, kind, mimeType, label || '',
  5028. adCuePoints);
  5029. const LanguageUtils = shaka.util.LanguageUtils;
  5030. const languageNormalized = LanguageUtils.normalize(language);
  5031. const textTracks = this.getTextTracks();
  5032. const srcTrack = textTracks.find((t) => {
  5033. return LanguageUtils.normalize(t.language) == languageNormalized &&
  5034. t.label == (label || '') &&
  5035. t.kind == kind;
  5036. });
  5037. if (srcTrack) {
  5038. this.onTracksChanged_();
  5039. return srcTrack;
  5040. }
  5041. // This should not happen, but there are browser implementations that may
  5042. // not support the Track element.
  5043. shaka.log.error('Cannot add this text when loaded with src=');
  5044. throw new shaka.util.Error(
  5045. shaka.util.Error.Severity.RECOVERABLE,
  5046. shaka.util.Error.Category.TEXT,
  5047. shaka.util.Error.Code.CANNOT_ADD_EXTERNAL_TEXT_TO_SRC_EQUALS);
  5048. }
  5049. const ContentType = shaka.util.ManifestParserUtils.ContentType;
  5050. let duration = this.video_.duration;
  5051. if (this.manifest_) {
  5052. duration = this.manifest_.presentationTimeline.getDuration();
  5053. }
  5054. if (duration == Infinity) {
  5055. throw new shaka.util.Error(
  5056. shaka.util.Error.Severity.RECOVERABLE,
  5057. shaka.util.Error.Category.MANIFEST,
  5058. shaka.util.Error.Code.CANNOT_ADD_EXTERNAL_TEXT_TO_LIVE_STREAM);
  5059. }
  5060. if (adCuePoints.length) {
  5061. goog.asserts.assert(
  5062. this.networkingEngine_, 'Need networking engine.');
  5063. const data = await this.getTextData_(uri,
  5064. this.networkingEngine_,
  5065. this.config_.streaming.retryParameters);
  5066. const vvtText = this.convertToWebVTT_(data, mimeType, adCuePoints);
  5067. const blob = new Blob([vvtText], {type: 'text/vtt'});
  5068. uri = shaka.media.MediaSourceEngine.createObjectURL(blob);
  5069. mimeType = 'text/vtt';
  5070. }
  5071. /** @type {shaka.extern.Stream} */
  5072. const stream = {
  5073. id: this.nextExternalStreamId_++,
  5074. originalId: null,
  5075. groupId: null,
  5076. createSegmentIndex: () => Promise.resolve(),
  5077. segmentIndex: shaka.media.SegmentIndex.forSingleSegment(
  5078. /* startTime= */ 0,
  5079. /* duration= */ duration,
  5080. /* uris= */ [uri]),
  5081. mimeType: mimeType || '',
  5082. codecs: codec || '',
  5083. kind: kind,
  5084. encrypted: false,
  5085. drmInfos: [],
  5086. keyIds: new Set(),
  5087. language: language,
  5088. originalLanguage: language,
  5089. label: label || null,
  5090. type: ContentType.TEXT,
  5091. primary: false,
  5092. trickModeVideo: null,
  5093. emsgSchemeIdUris: null,
  5094. roles: [],
  5095. forced: !!forced,
  5096. channelsCount: null,
  5097. audioSamplingRate: null,
  5098. spatialAudio: false,
  5099. closedCaptions: null,
  5100. accessibilityPurpose: null,
  5101. external: true,
  5102. fastSwitching: false,
  5103. fullMimeTypes: new Set([shaka.util.MimeUtils.getFullType(
  5104. mimeType || '', codec || '')]),
  5105. };
  5106. const fullMimeType = shaka.util.MimeUtils.getFullType(
  5107. stream.mimeType, stream.codecs);
  5108. const supported = shaka.text.TextEngine.isTypeSupported(fullMimeType);
  5109. if (!supported) {
  5110. throw new shaka.util.Error(
  5111. shaka.util.Error.Severity.CRITICAL,
  5112. shaka.util.Error.Category.TEXT,
  5113. shaka.util.Error.Code.MISSING_TEXT_PLUGIN,
  5114. mimeType);
  5115. }
  5116. this.manifest_.textStreams.push(stream);
  5117. this.onTracksChanged_();
  5118. return shaka.util.StreamUtils.textStreamToTrack(stream);
  5119. }
  5120. /**
  5121. * Adds the given thumbnails track to the loaded manifest.
  5122. * <code>load()</code> must resolve before calling. The presentation must
  5123. * have a duration.
  5124. *
  5125. * This returns the created track, which can immediately be used by the
  5126. * application.
  5127. *
  5128. * @param {string} uri
  5129. * @param {string=} mimeType
  5130. * @return {!Promise.<shaka.extern.Track>}
  5131. * @export
  5132. */
  5133. async addThumbnailsTrack(uri, mimeType) {
  5134. if (this.loadMode_ != shaka.Player.LoadMode.MEDIA_SOURCE &&
  5135. this.loadMode_ != shaka.Player.LoadMode.SRC_EQUALS) {
  5136. shaka.log.error(
  5137. 'Must call load() and wait for it to resolve before adding image ' +
  5138. 'tracks.');
  5139. throw new shaka.util.Error(
  5140. shaka.util.Error.Severity.RECOVERABLE,
  5141. shaka.util.Error.Category.PLAYER,
  5142. shaka.util.Error.Code.CONTENT_NOT_LOADED);
  5143. }
  5144. if (!mimeType) {
  5145. mimeType = await this.getTextMimetype_(uri);
  5146. }
  5147. if (mimeType != 'text/vtt') {
  5148. throw new shaka.util.Error(
  5149. shaka.util.Error.Severity.RECOVERABLE,
  5150. shaka.util.Error.Category.TEXT,
  5151. shaka.util.Error.Code.UNSUPPORTED_EXTERNAL_THUMBNAILS_URI,
  5152. uri);
  5153. }
  5154. const ContentType = shaka.util.ManifestParserUtils.ContentType;
  5155. let duration = this.video_.duration;
  5156. if (this.manifest_) {
  5157. duration = this.manifest_.presentationTimeline.getDuration();
  5158. }
  5159. if (duration == Infinity) {
  5160. throw new shaka.util.Error(
  5161. shaka.util.Error.Severity.RECOVERABLE,
  5162. shaka.util.Error.Category.MANIFEST,
  5163. shaka.util.Error.Code.CANNOT_ADD_EXTERNAL_THUMBNAILS_TO_LIVE_STREAM);
  5164. }
  5165. goog.asserts.assert(
  5166. this.networkingEngine_, 'Need networking engine.');
  5167. const buffer = await this.getTextData_(uri,
  5168. this.networkingEngine_,
  5169. this.config_.streaming.retryParameters);
  5170. const factory = shaka.text.TextEngine.findParser(mimeType);
  5171. if (!factory) {
  5172. throw new shaka.util.Error(
  5173. shaka.util.Error.Severity.CRITICAL,
  5174. shaka.util.Error.Category.TEXT,
  5175. shaka.util.Error.Code.MISSING_TEXT_PLUGIN,
  5176. mimeType);
  5177. }
  5178. const TextParser = factory();
  5179. const time = {
  5180. periodStart: 0,
  5181. segmentStart: 0,
  5182. segmentEnd: duration,
  5183. vttOffset: 0,
  5184. };
  5185. const data = shaka.util.BufferUtils.toUint8(buffer);
  5186. const cues = TextParser.parseMedia(data, time, uri);
  5187. const references = [];
  5188. for (const cue of cues) {
  5189. let uris = null;
  5190. const getUris = () => {
  5191. if (uris == null) {
  5192. uris = shaka.util.ManifestParserUtils.resolveUris(
  5193. [uri], [cue.payload]);
  5194. }
  5195. return uris || [];
  5196. };
  5197. const reference = new shaka.media.SegmentReference(
  5198. cue.startTime,
  5199. cue.endTime,
  5200. getUris,
  5201. /* startByte= */ 0,
  5202. /* endByte= */ null,
  5203. /* initSegmentReference= */ null,
  5204. /* timestampOffset= */ 0,
  5205. /* appendWindowStart= */ 0,
  5206. /* appendWindowEnd= */ Infinity,
  5207. );
  5208. if (cue.payload.includes('#xywh')) {
  5209. const spriteInfo = cue.payload.split('#xywh=')[1].split(',');
  5210. if (spriteInfo.length === 4) {
  5211. reference.setThumbnailSprite({
  5212. height: parseInt(spriteInfo[3], 10),
  5213. positionX: parseInt(spriteInfo[0], 10),
  5214. positionY: parseInt(spriteInfo[1], 10),
  5215. width: parseInt(spriteInfo[2], 10),
  5216. });
  5217. }
  5218. }
  5219. references.push(reference);
  5220. }
  5221. /** @type {shaka.extern.Stream} */
  5222. const stream = {
  5223. id: this.nextExternalStreamId_++,
  5224. originalId: null,
  5225. groupId: null,
  5226. createSegmentIndex: () => Promise.resolve(),
  5227. segmentIndex: new shaka.media.SegmentIndex(references),
  5228. mimeType: mimeType || '',
  5229. codecs: '',
  5230. kind: '',
  5231. encrypted: false,
  5232. drmInfos: [],
  5233. keyIds: new Set(),
  5234. language: 'und',
  5235. originalLanguage: null,
  5236. label: null,
  5237. type: ContentType.IMAGE,
  5238. primary: false,
  5239. trickModeVideo: null,
  5240. emsgSchemeIdUris: null,
  5241. roles: [],
  5242. forced: false,
  5243. channelsCount: null,
  5244. audioSamplingRate: null,
  5245. spatialAudio: false,
  5246. closedCaptions: null,
  5247. tilesLayout: '1x1',
  5248. accessibilityPurpose: null,
  5249. external: true,
  5250. fastSwitching: false,
  5251. fullMimeTypes: new Set([shaka.util.MimeUtils.getFullType(
  5252. mimeType || '', '')]),
  5253. };
  5254. if (this.loadMode_ == shaka.Player.LoadMode.SRC_EQUALS) {
  5255. this.externalSrcEqualsThumbnailsStreams_.push(stream);
  5256. } else {
  5257. this.manifest_.imageStreams.push(stream);
  5258. }
  5259. this.onTracksChanged_();
  5260. return shaka.util.StreamUtils.imageStreamToTrack(stream);
  5261. }
  5262. /**
  5263. * Adds the given chapters track to the loaded manifest. <code>load()</code>
  5264. * must resolve before calling. The presentation must have a duration.
  5265. *
  5266. * This returns the created track.
  5267. *
  5268. * @param {string} uri
  5269. * @param {string} language
  5270. * @param {string=} mimeType
  5271. * @return {!Promise.<shaka.extern.Track>}
  5272. * @export
  5273. */
  5274. async addChaptersTrack(uri, language, mimeType) {
  5275. if (this.loadMode_ != shaka.Player.LoadMode.MEDIA_SOURCE &&
  5276. this.loadMode_ != shaka.Player.LoadMode.SRC_EQUALS) {
  5277. shaka.log.error(
  5278. 'Must call load() and wait for it to resolve before adding ' +
  5279. 'chapters tracks.');
  5280. throw new shaka.util.Error(
  5281. shaka.util.Error.Severity.RECOVERABLE,
  5282. shaka.util.Error.Category.PLAYER,
  5283. shaka.util.Error.Code.CONTENT_NOT_LOADED);
  5284. }
  5285. if (!mimeType) {
  5286. mimeType = await this.getTextMimetype_(uri);
  5287. }
  5288. let adCuePoints = [];
  5289. if (this.adManager_) {
  5290. adCuePoints = this.adManager_.getCuePoints();
  5291. }
  5292. /** @type {!HTMLTrackElement} */
  5293. const trackElement = await this.addSrcTrackElement_(
  5294. uri, language, /* kind= */ 'chapters', mimeType, /* label= */ '',
  5295. adCuePoints);
  5296. const chaptersTracks = this.getChaptersTracks();
  5297. const chaptersTrack = chaptersTracks.find((t) => {
  5298. return t.language == language;
  5299. });
  5300. if (chaptersTrack) {
  5301. await new Promise((resolve, reject) => {
  5302. // The chapter data isn't available until the 'load' event fires, and
  5303. // that won't happen until the chapters track is activated by the
  5304. // activateChaptersTrack_ method.
  5305. this.loadEventManager_.listenOnce(trackElement, 'load', resolve);
  5306. this.loadEventManager_.listenOnce(trackElement, 'error', (event) => {
  5307. reject(new shaka.util.Error(
  5308. shaka.util.Error.Severity.RECOVERABLE,
  5309. shaka.util.Error.Category.TEXT,
  5310. shaka.util.Error.Code.CHAPTERS_TRACK_FAILED));
  5311. });
  5312. });
  5313. this.onTracksChanged_();
  5314. return chaptersTrack;
  5315. }
  5316. // This should not happen, but there are browser implementations that may
  5317. // not support the Track element.
  5318. shaka.log.error('Cannot add this text when loaded with src=');
  5319. throw new shaka.util.Error(
  5320. shaka.util.Error.Severity.RECOVERABLE,
  5321. shaka.util.Error.Category.TEXT,
  5322. shaka.util.Error.Code.CANNOT_ADD_EXTERNAL_TEXT_TO_SRC_EQUALS);
  5323. }
  5324. /**
  5325. * @param {string} uri
  5326. * @return {!Promise.<string>}
  5327. * @private
  5328. */
  5329. async getTextMimetype_(uri) {
  5330. let mimeType;
  5331. try {
  5332. goog.asserts.assert(
  5333. this.networkingEngine_, 'Need networking engine.');
  5334. // eslint-disable-next-line require-atomic-updates
  5335. mimeType = await shaka.net.NetworkingUtils.getMimeType(uri,
  5336. this.networkingEngine_,
  5337. this.config_.streaming.retryParameters);
  5338. } catch (error) {}
  5339. if (mimeType) {
  5340. return mimeType;
  5341. }
  5342. shaka.log.error(
  5343. 'The mimeType has not been provided and it could not be deduced ' +
  5344. 'from its uri.');
  5345. throw new shaka.util.Error(
  5346. shaka.util.Error.Severity.RECOVERABLE,
  5347. shaka.util.Error.Category.TEXT,
  5348. shaka.util.Error.Code.TEXT_COULD_NOT_GUESS_MIME_TYPE,
  5349. uri);
  5350. }
  5351. /**
  5352. * @param {string} uri
  5353. * @param {string} language
  5354. * @param {string} kind
  5355. * @param {string} mimeType
  5356. * @param {string} label
  5357. * @param {!Array.<!shaka.extern.AdCuePoint>} adCuePoints
  5358. * @return {!Promise.<!HTMLTrackElement>}
  5359. * @private
  5360. */
  5361. async addSrcTrackElement_(uri, language, kind, mimeType, label,
  5362. adCuePoints) {
  5363. if (mimeType != 'text/vtt' || adCuePoints.length) {
  5364. goog.asserts.assert(
  5365. this.networkingEngine_, 'Need networking engine.');
  5366. const data = await this.getTextData_(uri,
  5367. this.networkingEngine_,
  5368. this.config_.streaming.retryParameters);
  5369. const vvtText = this.convertToWebVTT_(data, mimeType, adCuePoints);
  5370. const blob = new Blob([vvtText], {type: 'text/vtt'});
  5371. uri = shaka.media.MediaSourceEngine.createObjectURL(blob);
  5372. mimeType = 'text/vtt';
  5373. }
  5374. const trackElement =
  5375. /** @type {!HTMLTrackElement} */(document.createElement('track'));
  5376. trackElement.src = this.cmcdManager_.appendTextTrackData(uri);
  5377. trackElement.label = label;
  5378. trackElement.kind = kind;
  5379. trackElement.srclang = language;
  5380. // Because we're pulling in the text track file via Javascript, the
  5381. // same-origin policy applies. If you'd like to have a player served
  5382. // from one domain, but the text track served from another, you'll
  5383. // need to enable CORS in order to do so. In addition to enabling CORS
  5384. // on the server serving the text tracks, you will need to add the
  5385. // crossorigin attribute to the video element itself.
  5386. if (!this.video_.getAttribute('crossorigin')) {
  5387. this.video_.setAttribute('crossorigin', 'anonymous');
  5388. }
  5389. this.video_.appendChild(trackElement);
  5390. return trackElement;
  5391. }
  5392. /**
  5393. * @param {string} uri
  5394. * @param {!shaka.net.NetworkingEngine} netEngine
  5395. * @param {shaka.extern.RetryParameters} retryParams
  5396. * @return {!Promise.<BufferSource>}
  5397. * @private
  5398. */
  5399. async getTextData_(uri, netEngine, retryParams) {
  5400. const type = shaka.net.NetworkingEngine.RequestType.SEGMENT;
  5401. const request = shaka.net.NetworkingEngine.makeRequest([uri], retryParams);
  5402. request.method = 'GET';
  5403. this.cmcdManager_.applyTextData(request);
  5404. const response = await netEngine.request(type, request).promise;
  5405. return response.data;
  5406. }
  5407. /**
  5408. * Converts an input string to a WebVTT format string.
  5409. *
  5410. * @param {BufferSource} buffer
  5411. * @param {string} mimeType
  5412. * @param {!Array.<!shaka.extern.AdCuePoint>} adCuePoints
  5413. * @return {string}
  5414. * @private
  5415. */
  5416. convertToWebVTT_(buffer, mimeType, adCuePoints) {
  5417. const factory = shaka.text.TextEngine.findParser(mimeType);
  5418. if (factory) {
  5419. const obj = factory();
  5420. const time = {
  5421. periodStart: 0,
  5422. segmentStart: 0,
  5423. segmentEnd: this.video_.duration,
  5424. vttOffset: 0,
  5425. };
  5426. const data = shaka.util.BufferUtils.toUint8(buffer);
  5427. const cues = obj.parseMedia(data, time, /* uri= */ null);
  5428. return shaka.text.WebVttGenerator.convert(cues, adCuePoints);
  5429. }
  5430. throw new shaka.util.Error(
  5431. shaka.util.Error.Severity.CRITICAL,
  5432. shaka.util.Error.Category.TEXT,
  5433. shaka.util.Error.Code.MISSING_TEXT_PLUGIN,
  5434. mimeType);
  5435. }
  5436. /**
  5437. * Set the maximum resolution that the platform's hardware can handle.
  5438. *
  5439. * @param {number} width
  5440. * @param {number} height
  5441. * @export
  5442. */
  5443. setMaxHardwareResolution(width, height) {
  5444. this.maxHwRes_.width = width;
  5445. this.maxHwRes_.height = height;
  5446. }
  5447. /**
  5448. * Retry streaming after a streaming failure has occurred. When the player has
  5449. * not loaded content or is loading content, this will be a no-op and will
  5450. * return <code>false</code>.
  5451. *
  5452. * <p>
  5453. * If the player has loaded content, and streaming has not seen an error, this
  5454. * will return <code>false</code>.
  5455. *
  5456. * <p>
  5457. * If the player has loaded content, and streaming seen an error, but the
  5458. * could not resume streaming, this will return <code>false</code>.
  5459. *
  5460. * @param {number=} retryDelaySeconds
  5461. * @return {boolean}
  5462. * @export
  5463. */
  5464. retryStreaming(retryDelaySeconds = 0.1) {
  5465. return this.loadMode_ == shaka.Player.LoadMode.MEDIA_SOURCE ?
  5466. this.streamingEngine_.retry(retryDelaySeconds) :
  5467. false;
  5468. }
  5469. /**
  5470. * Get the manifest that the player has loaded. If the player has not loaded
  5471. * any content, this will return <code>null</code>.
  5472. *
  5473. * NOTE: This structure is NOT covered by semantic versioning compatibility
  5474. * guarantees. It may change at any time!
  5475. *
  5476. * This is marked as deprecated to warn Closure Compiler users at compile-time
  5477. * to avoid using this method.
  5478. *
  5479. * @return {?shaka.extern.Manifest}
  5480. * @export
  5481. * @deprecated
  5482. */
  5483. getManifest() {
  5484. shaka.log.alwaysWarn(
  5485. 'Shaka Player\'s internal Manifest structure is NOT covered by ' +
  5486. 'semantic versioning compatibility guarantees. It may change at any ' +
  5487. 'time! Please consider filing a feature request for whatever you ' +
  5488. 'use getManifest() for.');
  5489. return this.manifest_;
  5490. }
  5491. /**
  5492. * Get the type of manifest parser that the player is using. If the player has
  5493. * not loaded any content, this will return <code>null</code>.
  5494. *
  5495. * @return {?shaka.extern.ManifestParser.Factory}
  5496. * @export
  5497. */
  5498. getManifestParserFactory() {
  5499. return this.parserFactory_;
  5500. }
  5501. /**
  5502. * @param {shaka.extern.Variant} variant
  5503. * @param {boolean} fromAdaptation
  5504. * @private
  5505. */
  5506. addVariantToSwitchHistory_(variant, fromAdaptation) {
  5507. const switchHistory = this.stats_.getSwitchHistory();
  5508. switchHistory.updateCurrentVariant(variant, fromAdaptation);
  5509. }
  5510. /**
  5511. * @param {shaka.extern.Stream} textStream
  5512. * @param {boolean} fromAdaptation
  5513. * @private
  5514. */
  5515. addTextStreamToSwitchHistory_(textStream, fromAdaptation) {
  5516. const switchHistory = this.stats_.getSwitchHistory();
  5517. switchHistory.updateCurrentText(textStream, fromAdaptation);
  5518. }
  5519. /**
  5520. * @return {shaka.extern.PlayerConfiguration}
  5521. * @private
  5522. */
  5523. defaultConfig_() {
  5524. const config = shaka.util.PlayerConfiguration.createDefault();
  5525. config.streaming.failureCallback = (error) => {
  5526. this.defaultStreamingFailureCallback_(error);
  5527. };
  5528. // Because this.video_ may not be set when the config is built, the default
  5529. // TextDisplay factory must capture a reference to "this".
  5530. config.textDisplayFactory = () => {
  5531. if (this.videoContainer_) {
  5532. const latestConfig = this.getConfiguration();
  5533. return new shaka.text.UITextDisplayer(
  5534. this.video_, this.videoContainer_, latestConfig.textDisplayer);
  5535. } else {
  5536. // eslint-disable-next-line no-restricted-syntax
  5537. if (HTMLMediaElement.prototype.addTextTrack) {
  5538. return new shaka.text.SimpleTextDisplayer(
  5539. this.video_, shaka.Player.TextTrackLabel);
  5540. } else {
  5541. shaka.log.warning('Text tracks are not supported by the ' +
  5542. 'browser, disabling.');
  5543. return new shaka.text.StubTextDisplayer();
  5544. }
  5545. }
  5546. };
  5547. return config;
  5548. }
  5549. /**
  5550. * Set the videoContainer to construct UITextDisplayer.
  5551. * @param {HTMLElement} videoContainer
  5552. * @export
  5553. */
  5554. setVideoContainer(videoContainer) {
  5555. this.videoContainer_ = videoContainer;
  5556. }
  5557. /**
  5558. * @param {!shaka.util.Error} error
  5559. * @private
  5560. */
  5561. defaultStreamingFailureCallback_(error) {
  5562. // For live streams, we retry streaming automatically for certain errors.
  5563. // For VOD streams, all streaming failures are fatal.
  5564. if (!this.isLive()) {
  5565. return;
  5566. }
  5567. let retryDelaySeconds = null;
  5568. if (error.code == shaka.util.Error.Code.BAD_HTTP_STATUS ||
  5569. error.code == shaka.util.Error.Code.HTTP_ERROR) {
  5570. // These errors can be near-instant, so delay a bit before retrying.
  5571. retryDelaySeconds = 1;
  5572. if (this.config_.streaming.lowLatencyMode) {
  5573. retryDelaySeconds = 0.1;
  5574. }
  5575. } else if (error.code == shaka.util.Error.Code.TIMEOUT) {
  5576. // We already waited for a timeout, so retry quickly.
  5577. retryDelaySeconds = 0.1;
  5578. }
  5579. if (retryDelaySeconds != null) {
  5580. error.severity = shaka.util.Error.Severity.RECOVERABLE;
  5581. shaka.log.warning('Live streaming error. Retrying automatically...');
  5582. this.retryStreaming(retryDelaySeconds);
  5583. }
  5584. }
  5585. /**
  5586. * For CEA closed captions embedded in the video streams, create dummy text
  5587. * stream. This can be safely called again on existing manifests, for
  5588. * manifest updates.
  5589. * @param {!shaka.extern.Manifest} manifest
  5590. * @private
  5591. */
  5592. makeTextStreamsForClosedCaptions_(manifest) {
  5593. const ContentType = shaka.util.ManifestParserUtils.ContentType;
  5594. const TextStreamKind = shaka.util.ManifestParserUtils.TextStreamKind;
  5595. const CEA608_MIME = shaka.util.MimeUtils.CEA608_CLOSED_CAPTION_MIMETYPE;
  5596. const CEA708_MIME = shaka.util.MimeUtils.CEA708_CLOSED_CAPTION_MIMETYPE;
  5597. // A set, to make sure we don't create two text streams for the same video.
  5598. const closedCaptionsSet = new Set();
  5599. for (const textStream of manifest.textStreams) {
  5600. if (textStream.mimeType == CEA608_MIME ||
  5601. textStream.mimeType == CEA708_MIME) {
  5602. // This function might be called on a manifest update, so don't make a
  5603. // new text stream for closed caption streams we have seen before.
  5604. closedCaptionsSet.add(textStream.originalId);
  5605. }
  5606. }
  5607. for (const variant of manifest.variants) {
  5608. const video = variant.video;
  5609. if (video && video.closedCaptions) {
  5610. for (const id of video.closedCaptions.keys()) {
  5611. if (!closedCaptionsSet.has(id)) {
  5612. const mimeType = id.startsWith('CC') ? CEA608_MIME : CEA708_MIME;
  5613. // Add an empty segmentIndex, for the benefit of the period combiner
  5614. // in our builtin DASH parser.
  5615. const segmentIndex = new shaka.media.MetaSegmentIndex();
  5616. const language = video.closedCaptions.get(id);
  5617. const textStream = {
  5618. id: this.nextExternalStreamId_++, // A globally unique ID.
  5619. originalId: id, // The CC ID string, like 'CC1', 'CC3', etc.
  5620. groupId: null,
  5621. createSegmentIndex: () => Promise.resolve(),
  5622. segmentIndex,
  5623. mimeType,
  5624. codecs: '',
  5625. kind: TextStreamKind.CLOSED_CAPTION,
  5626. encrypted: false,
  5627. drmInfos: [],
  5628. keyIds: new Set(),
  5629. language,
  5630. originalLanguage: language,
  5631. label: null,
  5632. type: ContentType.TEXT,
  5633. primary: false,
  5634. trickModeVideo: null,
  5635. emsgSchemeIdUris: null,
  5636. roles: video.roles,
  5637. forced: false,
  5638. channelsCount: null,
  5639. audioSamplingRate: null,
  5640. spatialAudio: false,
  5641. closedCaptions: null,
  5642. accessibilityPurpose: null,
  5643. external: false,
  5644. fastSwitching: false,
  5645. fullMimeTypes: new Set([shaka.util.MimeUtils.getFullType(
  5646. mimeType, '')]),
  5647. };
  5648. manifest.textStreams.push(textStream);
  5649. closedCaptionsSet.add(id);
  5650. }
  5651. }
  5652. }
  5653. }
  5654. }
  5655. /**
  5656. * @param {shaka.extern.Variant} initialVariant
  5657. * @param {number} time
  5658. * @return {!Promise.<number>}
  5659. * @private
  5660. */
  5661. async adjustStartTime_(initialVariant, time) {
  5662. /** @type {?shaka.extern.Stream} */
  5663. const activeAudio = initialVariant.audio;
  5664. /** @type {?shaka.extern.Stream} */
  5665. const activeVideo = initialVariant.video;
  5666. /**
  5667. * @param {?shaka.extern.Stream} stream
  5668. * @param {number} time
  5669. * @return {!Promise.<?number>}
  5670. */
  5671. const getAdjustedTime = async (stream, time) => {
  5672. if (!stream) {
  5673. return null;
  5674. }
  5675. await stream.createSegmentIndex();
  5676. const iter = stream.segmentIndex.getIteratorForTime(time);
  5677. const ref = iter ? iter.next().value : null;
  5678. if (!ref) {
  5679. return null;
  5680. }
  5681. const refTime = ref.startTime;
  5682. goog.asserts.assert(refTime <= time,
  5683. 'Segment should start before target time!');
  5684. return refTime;
  5685. };
  5686. const audioStartTime = await getAdjustedTime(activeAudio, time);
  5687. const videoStartTime = await getAdjustedTime(activeVideo, time);
  5688. // If we have both video and audio times, pick the larger one. If we picked
  5689. // the smaller one, that one will download an entire segment to buffer the
  5690. // difference.
  5691. if (videoStartTime != null && audioStartTime != null) {
  5692. return Math.max(videoStartTime, audioStartTime);
  5693. } else if (videoStartTime != null) {
  5694. return videoStartTime;
  5695. } else if (audioStartTime != null) {
  5696. return audioStartTime;
  5697. } else {
  5698. return time;
  5699. }
  5700. }
  5701. /**
  5702. * Update the buffering state to be either "we are buffering" or "we are not
  5703. * buffering", firing events to the app as needed.
  5704. *
  5705. * @private
  5706. */
  5707. updateBufferState_() {
  5708. const isBuffering = this.isBuffering();
  5709. shaka.log.v2('Player changing buffering state to', isBuffering);
  5710. // Make sure we have all the components we need before we consider ourselves
  5711. // as being loaded.
  5712. // TODO: Make the check for "loaded" simpler.
  5713. const loaded = this.stats_ && this.bufferObserver_ && this.playhead_;
  5714. if (loaded) {
  5715. this.playRateController_.setBuffering(isBuffering);
  5716. if (this.cmcdManager_) {
  5717. this.cmcdManager_.setBuffering(isBuffering);
  5718. }
  5719. this.updateStateHistory_();
  5720. const dynamicTargetLatency =
  5721. this.config_.streaming.liveSync.dynamicTargetLatency.enabled;
  5722. const maxAttempts =
  5723. this.config_.streaming.liveSync.dynamicTargetLatency.maxAttempts;
  5724. if (dynamicTargetLatency && isBuffering &&
  5725. this.rebufferingCount_ < maxAttempts) {
  5726. const maxLatency =
  5727. this.config_.streaming.liveSync.dynamicTargetLatency.maxLatency;
  5728. const targetLatencyTolerance =
  5729. this.config_.streaming.liveSync.targetLatencyTolerance;
  5730. const rebufferIncrement =
  5731. this.config_.streaming.liveSync.dynamicTargetLatency
  5732. .rebufferIncrement;
  5733. if (this.currentTargetLatency_) {
  5734. this.currentTargetLatency_ = Math.min(
  5735. this.currentTargetLatency_ +
  5736. ++this.rebufferingCount_ * rebufferIncrement,
  5737. maxLatency - targetLatencyTolerance);
  5738. }
  5739. }
  5740. }
  5741. // Surface the buffering event so that the app knows if/when we are
  5742. // buffering.
  5743. const eventName = shaka.util.FakeEvent.EventName.Buffering;
  5744. const data = (new Map()).set('buffering', isBuffering);
  5745. this.dispatchEvent(shaka.Player.makeEvent_(eventName, data));
  5746. }
  5747. /**
  5748. * A callback for when the playback rate changes. We need to watch the
  5749. * playback rate so that if the playback rate on the media element changes
  5750. * (that was not caused by our play rate controller) we can notify the
  5751. * controller so that it can stay in-sync with the change.
  5752. *
  5753. * @private
  5754. */
  5755. onRateChange_() {
  5756. /** @type {number} */
  5757. const newRate = this.video_.playbackRate;
  5758. // On Edge, when someone seeks using the native controls, it will set the
  5759. // playback rate to zero until they finish seeking, after which it will
  5760. // return the playback rate.
  5761. //
  5762. // If the playback rate changes while seeking, Edge will cache the playback
  5763. // rate and use it after seeking.
  5764. //
  5765. // https://github.com/shaka-project/shaka-player/issues/951
  5766. if (newRate == 0) {
  5767. return;
  5768. }
  5769. if (this.playRateController_) {
  5770. // The playback rate has changed. This could be us or someone else.
  5771. // If this was us, setting the rate again will be a no-op.
  5772. this.playRateController_.set(newRate);
  5773. }
  5774. const event = shaka.Player.makeEvent_(
  5775. shaka.util.FakeEvent.EventName.RateChange);
  5776. this.dispatchEvent(event);
  5777. }
  5778. /**
  5779. * Try updating the state history. If the player has not finished
  5780. * initializing, this will be a no-op.
  5781. *
  5782. * @private
  5783. */
  5784. updateStateHistory_() {
  5785. // If we have not finish initializing, this will be a no-op.
  5786. if (!this.stats_) {
  5787. return;
  5788. }
  5789. if (!this.bufferObserver_) {
  5790. return;
  5791. }
  5792. const State = shaka.media.BufferingObserver.State;
  5793. const history = this.stats_.getStateHistory();
  5794. let updateState = 'playing';
  5795. if (this.bufferObserver_.getState() == State.STARVING) {
  5796. updateState = 'buffering';
  5797. } else if (this.video_.ended) {
  5798. updateState = 'ended';
  5799. } else if (this.video_.paused) {
  5800. updateState = 'paused';
  5801. }
  5802. const stateChanged = history.update(updateState);
  5803. if (stateChanged) {
  5804. const eventName = shaka.util.FakeEvent.EventName.StateChanged;
  5805. const data = (new Map()).set('newstate', updateState);
  5806. this.dispatchEvent(shaka.Player.makeEvent_(eventName, data));
  5807. }
  5808. }
  5809. /**
  5810. * Callback for liveSync and vodDynamicPlaybackRate
  5811. *
  5812. * @private
  5813. */
  5814. onTimeUpdate_() {
  5815. const playbackRate = this.video_.playbackRate;
  5816. const isLive = this.isLive();
  5817. if (this.config_.streaming.vodDynamicPlaybackRate && !isLive) {
  5818. const minPlaybackRate =
  5819. this.config_.streaming.vodDynamicPlaybackRateLowBufferRate;
  5820. const bufferFullness = this.getBufferFullness();
  5821. const bufferThreshold =
  5822. this.config_.streaming.vodDynamicPlaybackRateBufferRatio;
  5823. if (bufferFullness <= bufferThreshold) {
  5824. if (playbackRate != minPlaybackRate) {
  5825. shaka.log.debug('Buffer fullness ratio (' + bufferFullness + ') ' +
  5826. 'is less than the vodDynamicPlaybackRateBufferRatio (' +
  5827. bufferThreshold + '). Updating playbackRate to ' + minPlaybackRate);
  5828. this.trickPlay(minPlaybackRate, /* useTrickPlayTrack= */ false);
  5829. }
  5830. } else if (bufferFullness == 1) {
  5831. if (playbackRate !== this.playRateController_.getDefaultRate()) {
  5832. shaka.log.debug('Buffer is full. Cancel trick play.');
  5833. this.cancelTrickPlay();
  5834. }
  5835. }
  5836. }
  5837. // If the live stream has reached its end, do not sync.
  5838. if (!isLive) {
  5839. return;
  5840. }
  5841. const seekRange = this.seekRange();
  5842. if (!Number.isFinite(seekRange.end)) {
  5843. return;
  5844. }
  5845. const currentTime = this.video_.currentTime;
  5846. if (currentTime < seekRange.start) {
  5847. // Bad stream?
  5848. return;
  5849. }
  5850. let targetLatency;
  5851. let maxLatency;
  5852. let maxPlaybackRate;
  5853. let minLatency;
  5854. let minPlaybackRate;
  5855. const targetLatencyTolerance =
  5856. this.config_.streaming.liveSync.targetLatencyTolerance;
  5857. const dynamicTargetLatency =
  5858. this.config_.streaming.liveSync.dynamicTargetLatency.enabled;
  5859. const stabilityThreshold =
  5860. this.config_.streaming.liveSync.dynamicTargetLatency.stabilityThreshold;
  5861. if (this.config_.streaming.liveSync &&
  5862. this.config_.streaming.liveSync.enabled) {
  5863. targetLatency = this.config_.streaming.liveSync.targetLatency;
  5864. maxLatency = targetLatency + targetLatencyTolerance;
  5865. minLatency = Math.max(0, targetLatency - targetLatencyTolerance);
  5866. maxPlaybackRate = this.config_.streaming.liveSync.maxPlaybackRate;
  5867. minPlaybackRate = this.config_.streaming.liveSync.minPlaybackRate;
  5868. } else {
  5869. // serviceDescription must override if it is defined in the MPD and
  5870. // liveSync configuration is not set.
  5871. if (this.manifest_ && this.manifest_.serviceDescription) {
  5872. targetLatency = this.manifest_.serviceDescription.targetLatency;
  5873. if (this.manifest_.serviceDescription.targetLatency != null) {
  5874. maxLatency = this.manifest_.serviceDescription.targetLatency +
  5875. targetLatencyTolerance;
  5876. } else if (this.manifest_.serviceDescription.maxLatency != null) {
  5877. maxLatency = this.manifest_.serviceDescription.maxLatency;
  5878. }
  5879. if (this.manifest_.serviceDescription.targetLatency != null) {
  5880. minLatency = Math.max(0,
  5881. this.manifest_.serviceDescription.targetLatency -
  5882. targetLatencyTolerance);
  5883. } else if (this.manifest_.serviceDescription.minLatency != null) {
  5884. minLatency = this.manifest_.serviceDescription.minLatency;
  5885. }
  5886. maxPlaybackRate =
  5887. this.manifest_.serviceDescription.maxPlaybackRate ||
  5888. this.config_.streaming.liveSync.maxPlaybackRate;
  5889. minPlaybackRate =
  5890. this.manifest_.serviceDescription.minPlaybackRate ||
  5891. this.config_.streaming.liveSync.minPlaybackRate;
  5892. }
  5893. }
  5894. if (!this.currentTargetLatency_ && typeof targetLatency === 'number') {
  5895. this.currentTargetLatency_ = targetLatency;
  5896. }
  5897. const maxAttempts =
  5898. this.config_.streaming.liveSync.dynamicTargetLatency.maxAttempts;
  5899. if (dynamicTargetLatency && this.targetLatencyReached_ &&
  5900. this.currentTargetLatency_ !== null &&
  5901. typeof targetLatency === 'number' &&
  5902. this.rebufferingCount_ < maxAttempts &&
  5903. (Date.now() - this.targetLatencyReached_) > stabilityThreshold * 1000) {
  5904. const dynamicMinLatency =
  5905. this.config_.streaming.liveSync.dynamicTargetLatency.minLatency;
  5906. const latencyIncrement = (targetLatency - dynamicMinLatency) / 2;
  5907. this.currentTargetLatency_ = Math.max(
  5908. this.currentTargetLatency_ - latencyIncrement,
  5909. // current target latency should be within the tolerance of the min
  5910. // latency to not overshoot it
  5911. dynamicMinLatency + targetLatencyTolerance);
  5912. this.targetLatencyReached_ = Date.now();
  5913. }
  5914. if (dynamicTargetLatency && this.currentTargetLatency_ !== null) {
  5915. maxLatency = this.currentTargetLatency_ + targetLatencyTolerance;
  5916. minLatency = this.currentTargetLatency_ - targetLatencyTolerance;
  5917. }
  5918. const latency = seekRange.end - this.video_.currentTime;
  5919. let offset = 0;
  5920. // In src= mode, the seek range isn't updated frequently enough, so we need
  5921. // to fudge the latency number with an offset. The playback rate is used
  5922. // as an offset, since that is the amount we catch up 1 second of
  5923. // accelerated playback.
  5924. if (this.loadMode_ == shaka.Player.LoadMode.SRC_EQUALS) {
  5925. const buffered = this.video_.buffered;
  5926. if (buffered.length > 0) {
  5927. const bufferedEnd = buffered.end(buffered.length - 1);
  5928. offset = Math.max(maxPlaybackRate, bufferedEnd - seekRange.end);
  5929. }
  5930. }
  5931. const panicMode = this.config_.streaming.liveSync.panicMode;
  5932. const panicThreshold =
  5933. this.config_.streaming.liveSync.panicThreshold * 1000;
  5934. const timeSinceLastRebuffer =
  5935. Date.now() - this.bufferObserver_.getLastRebufferTime();
  5936. if (panicMode && !minPlaybackRate) {
  5937. minPlaybackRate = this.config_.streaming.liveSync.minPlaybackRate;
  5938. }
  5939. if (panicMode && minPlaybackRate &&
  5940. timeSinceLastRebuffer <= panicThreshold) {
  5941. if (playbackRate != minPlaybackRate) {
  5942. shaka.log.debug('Time since last rebuffer (' +
  5943. timeSinceLastRebuffer + 's) ' +
  5944. 'is less than the live sync panicThreshold (' + panicThreshold +
  5945. 's). Updating playbackRate to ' + minPlaybackRate);
  5946. this.trickPlay(minPlaybackRate, /* useTrickPlayTrack= */ false);
  5947. }
  5948. } else if (maxLatency && maxPlaybackRate &&
  5949. (latency - offset) > maxLatency) {
  5950. if (playbackRate != maxPlaybackRate) {
  5951. shaka.log.debug('Latency (' + latency + 's) is greater than ' +
  5952. 'live sync maxLatency (' + maxLatency + 's). ' +
  5953. 'Updating playbackRate to ' + maxPlaybackRate);
  5954. this.trickPlay(maxPlaybackRate, /* useTrickPlayTrack= */ false);
  5955. }
  5956. this.targetLatencyReached_ = null;
  5957. } else if (minLatency && minPlaybackRate &&
  5958. (latency - offset) < minLatency) {
  5959. if (playbackRate != minPlaybackRate) {
  5960. shaka.log.debug('Latency (' + latency + 's) is smaller than ' +
  5961. 'live sync minLatency (' + minLatency + 's). ' +
  5962. 'Updating playbackRate to ' + minPlaybackRate);
  5963. this.trickPlay(minPlaybackRate, /* useTrickPlayTrack= */ false);
  5964. }
  5965. this.targetLatencyReached_ = null;
  5966. } else if (playbackRate !== this.playRateController_.getDefaultRate()) {
  5967. this.cancelTrickPlay();
  5968. this.targetLatencyReached_ = Date.now();
  5969. }
  5970. }
  5971. /**
  5972. * Callback for video progress events
  5973. *
  5974. * @private
  5975. */
  5976. onVideoProgress_() {
  5977. if (!this.video_) {
  5978. return;
  5979. }
  5980. let hasNewCompletionPercent = false;
  5981. const completionRatio = this.video_.currentTime / this.video_.duration;
  5982. if (!isNaN(completionRatio)) {
  5983. const percent = Math.round(100 * completionRatio);
  5984. if (isNaN(this.completionPercent_)) {
  5985. this.completionPercent_ = percent;
  5986. hasNewCompletionPercent = true;
  5987. } else {
  5988. const newCompletionPercent = Math.max(this.completionPercent_, percent);
  5989. if (this.completionPercent_ != newCompletionPercent) {
  5990. this.completionPercent_ = newCompletionPercent;
  5991. hasNewCompletionPercent = true;
  5992. }
  5993. }
  5994. }
  5995. if (hasNewCompletionPercent) {
  5996. let event;
  5997. if (this.completionPercent_ == 0) {
  5998. event = shaka.Player.makeEvent_(shaka.util.FakeEvent.EventName.Started);
  5999. } else if (this.completionPercent_ == 25) {
  6000. event = shaka.Player.makeEvent_(
  6001. shaka.util.FakeEvent.EventName.FirstQuartile);
  6002. } else if (this.completionPercent_ == 50) {
  6003. event = shaka.Player.makeEvent_(
  6004. shaka.util.FakeEvent.EventName.Midpoint);
  6005. } else if (this.completionPercent_ == 75) {
  6006. event = shaka.Player.makeEvent_(
  6007. shaka.util.FakeEvent.EventName.ThirdQuartile);
  6008. } else if (this.completionPercent_ == 100) {
  6009. event = shaka.Player.makeEvent_(
  6010. shaka.util.FakeEvent.EventName.Complete);
  6011. }
  6012. if (event) {
  6013. this.dispatchEvent(event);
  6014. }
  6015. }
  6016. }
  6017. /**
  6018. * Callback from Playhead.
  6019. *
  6020. * @private
  6021. */
  6022. onSeek_() {
  6023. if (this.playheadObservers_) {
  6024. this.playheadObservers_.notifyOfSeek();
  6025. }
  6026. if (this.streamingEngine_) {
  6027. this.streamingEngine_.seeked();
  6028. }
  6029. if (this.bufferObserver_) {
  6030. // If we seek into an unbuffered range, we should fire a 'buffering' event
  6031. // immediately. If StreamingEngine can buffer fast enough, we may not
  6032. // update our buffering tracking otherwise.
  6033. this.pollBufferState_();
  6034. }
  6035. }
  6036. /**
  6037. * Update AbrManager with variants while taking into account restrictions,
  6038. * preferences, and ABR.
  6039. *
  6040. * On error, this dispatches an error event and returns false.
  6041. *
  6042. * @return {boolean} True if successful.
  6043. * @private
  6044. */
  6045. updateAbrManagerVariants_() {
  6046. try {
  6047. goog.asserts.assert(this.manifest_, 'Manifest should exist by now!');
  6048. this.manifestFilterer_.checkRestrictedVariants(this.manifest_);
  6049. } catch (e) {
  6050. this.onError_(e);
  6051. return false;
  6052. }
  6053. const playableVariants = shaka.util.StreamUtils.getPlayableVariants(
  6054. this.manifest_.variants);
  6055. // Update the abr manager with newly filtered variants.
  6056. const adaptationSet = this.currentAdaptationSetCriteria_.create(
  6057. playableVariants);
  6058. this.abrManager_.setVariants(Array.from(adaptationSet.values()));
  6059. return true;
  6060. }
  6061. /**
  6062. * Chooses a variant from all possible variants while taking into account
  6063. * restrictions, preferences, and ABR.
  6064. *
  6065. * On error, this dispatches an error event and returns null.
  6066. *
  6067. * @return {?shaka.extern.Variant}
  6068. * @private
  6069. */
  6070. chooseVariant_() {
  6071. if (this.updateAbrManagerVariants_()) {
  6072. return this.abrManager_.chooseVariant();
  6073. } else {
  6074. return null;
  6075. }
  6076. }
  6077. /**
  6078. * Checks to re-enable variants that were temporarily disabled due to network
  6079. * errors. If any variants are enabled this way, a new variant may be chosen
  6080. * for playback.
  6081. * @private
  6082. */
  6083. checkVariants_() {
  6084. goog.asserts.assert(this.manifest_, 'Should have manifest!');
  6085. const now = Date.now() / 1000;
  6086. let hasVariantUpdate = false;
  6087. /** @type {function(shaka.extern.Variant):string} */
  6088. const streamsAsString = (variant) => {
  6089. let str = '';
  6090. if (variant.video) {
  6091. str += 'video:' + variant.video.id;
  6092. }
  6093. if (variant.audio) {
  6094. str += str ? '&' : '';
  6095. str += 'audio:' + variant.audio.id;
  6096. }
  6097. return str;
  6098. };
  6099. let shouldStopTimer = true;
  6100. for (const variant of this.manifest_.variants) {
  6101. if (variant.disabledUntilTime > 0 && variant.disabledUntilTime <= now) {
  6102. variant.disabledUntilTime = 0;
  6103. hasVariantUpdate = true;
  6104. shaka.log.v2('Re-enabled variant with ' + streamsAsString(variant));
  6105. }
  6106. if (variant.disabledUntilTime > 0) {
  6107. shouldStopTimer = false;
  6108. }
  6109. }
  6110. if (shouldStopTimer) {
  6111. this.checkVariantsTimer_.stop();
  6112. }
  6113. if (hasVariantUpdate) {
  6114. // Reconsider re-enabled variant for ABR switching.
  6115. this.chooseVariantAndSwitch_(
  6116. /* clearBuffer= */ false, /* safeMargin= */ undefined,
  6117. /* force= */ false, /* fromAdaptation= */ false);
  6118. }
  6119. }
  6120. /**
  6121. * Choose a text stream from all possible text streams while taking into
  6122. * account user preference.
  6123. *
  6124. * @return {?shaka.extern.Stream}
  6125. * @private
  6126. */
  6127. chooseTextStream_() {
  6128. const subset = shaka.util.StreamUtils.filterStreamsByLanguageAndRole(
  6129. this.manifest_.textStreams,
  6130. this.currentTextLanguage_,
  6131. this.currentTextRole_,
  6132. this.currentTextForced_);
  6133. return subset[0] || null;
  6134. }
  6135. /**
  6136. * Chooses a new Variant. If the new variant differs from the old one, it
  6137. * adds the new one to the switch history and switches to it.
  6138. *
  6139. * Called after a config change, a key status event, or an explicit language
  6140. * change.
  6141. *
  6142. * @param {boolean=} clearBuffer Optional clear buffer or not when
  6143. * switch to new variant
  6144. * Defaults to true if not provided
  6145. * @param {number=} safeMargin Optional amount of buffer (in seconds) to
  6146. * retain when clearing the buffer.
  6147. * Defaults to 0 if not provided. Ignored if clearBuffer is false.
  6148. * @private
  6149. */
  6150. chooseVariantAndSwitch_(clearBuffer = true, safeMargin = 0, force = false,
  6151. fromAdaptation = true) {
  6152. goog.asserts.assert(this.config_, 'Must not be destroyed');
  6153. // Because we're running this after a config change (manual language
  6154. // change) or a key status event, it is always okay to clear the buffer
  6155. // here.
  6156. const chosenVariant = this.chooseVariant_();
  6157. if (chosenVariant) {
  6158. this.switchVariant_(chosenVariant, fromAdaptation,
  6159. clearBuffer, safeMargin, force);
  6160. }
  6161. }
  6162. /**
  6163. * @param {shaka.extern.Variant} variant
  6164. * @param {boolean} fromAdaptation
  6165. * @param {boolean} clearBuffer
  6166. * @param {number} safeMargin
  6167. * @param {boolean=} force
  6168. * @private
  6169. */
  6170. switchVariant_(variant, fromAdaptation, clearBuffer, safeMargin,
  6171. force = false) {
  6172. const currentVariant = this.streamingEngine_.getCurrentVariant();
  6173. if (variant == currentVariant) {
  6174. shaka.log.debug('Variant already selected.');
  6175. // If you want to clear the buffer, we force to reselect the same variant.
  6176. // We don't need to reset the timestampOffset since it's the same variant,
  6177. // so 'adaptation' isn't passed here.
  6178. if (clearBuffer) {
  6179. this.streamingEngine_.switchVariant(variant, clearBuffer, safeMargin,
  6180. /* force= */ true);
  6181. }
  6182. return;
  6183. }
  6184. // Add entries to the history.
  6185. this.addVariantToSwitchHistory_(variant, fromAdaptation);
  6186. this.streamingEngine_.switchVariant(
  6187. variant, clearBuffer, safeMargin, force,
  6188. /* adaptation= */ fromAdaptation);
  6189. let oldTrack = null;
  6190. if (currentVariant) {
  6191. oldTrack = shaka.util.StreamUtils.variantToTrack(currentVariant);
  6192. }
  6193. const newTrack = shaka.util.StreamUtils.variantToTrack(variant);
  6194. if (fromAdaptation) {
  6195. // Dispatch an 'adaptation' event
  6196. this.onAdaptation_(oldTrack, newTrack);
  6197. } else {
  6198. // Dispatch a 'variantchanged' event
  6199. this.onVariantChanged_(oldTrack, newTrack);
  6200. }
  6201. }
  6202. /**
  6203. * @param {AudioTrack} track
  6204. * @private
  6205. */
  6206. switchHtml5Track_(track) {
  6207. goog.asserts.assert(this.video_ && this.video_.audioTracks,
  6208. 'Video and video.audioTracks should not be null!');
  6209. const audioTracks = Array.from(this.video_.audioTracks);
  6210. const currentTrack = audioTracks.find((t) => t.enabled);
  6211. // This will reset the "enabled" of other tracks to false.
  6212. track.enabled = true;
  6213. if (!currentTrack) {
  6214. return;
  6215. }
  6216. // AirPlay does not reset the "enabled" of other tracks to false, so
  6217. // it must be changed by hand.
  6218. if (track.id !== currentTrack.id) {
  6219. currentTrack.enabled = false;
  6220. }
  6221. const oldTrack =
  6222. shaka.util.StreamUtils.html5AudioTrackToTrack(currentTrack);
  6223. const newTrack =
  6224. shaka.util.StreamUtils.html5AudioTrackToTrack(track);
  6225. this.onVariantChanged_(oldTrack, newTrack);
  6226. }
  6227. /**
  6228. * Decide during startup if text should be streamed/shown.
  6229. * @private
  6230. */
  6231. setInitialTextState_(initialVariant, initialTextStream) {
  6232. // Check if we should show text (based on difference between audio and text
  6233. // languages).
  6234. if (initialTextStream) {
  6235. if (this.shouldInitiallyShowText_(
  6236. initialVariant.audio, initialTextStream)) {
  6237. this.isTextVisible_ = true;
  6238. }
  6239. if (this.isTextVisible_) {
  6240. // If the cached value says to show text, then update the text displayer
  6241. // since it defaults to not shown.
  6242. this.mediaSourceEngine_.getTextDisplayer().setTextVisibility(true);
  6243. goog.asserts.assert(this.shouldStreamText_(),
  6244. 'Should be streaming text');
  6245. }
  6246. this.onTextTrackVisibility_();
  6247. } else {
  6248. this.isTextVisible_ = false;
  6249. }
  6250. }
  6251. /**
  6252. * Check if we should show text on screen automatically.
  6253. *
  6254. * @param {?shaka.extern.Stream} audioStream
  6255. * @param {shaka.extern.Stream} textStream
  6256. * @return {boolean}
  6257. * @private
  6258. */
  6259. shouldInitiallyShowText_(audioStream, textStream) {
  6260. const AutoShowText = shaka.config.AutoShowText;
  6261. if (this.config_.autoShowText == AutoShowText.NEVER) {
  6262. return false;
  6263. }
  6264. if (this.config_.autoShowText == AutoShowText.ALWAYS) {
  6265. return true;
  6266. }
  6267. const LanguageUtils = shaka.util.LanguageUtils;
  6268. /** @type {string} */
  6269. const preferredTextLocale =
  6270. LanguageUtils.normalize(this.config_.preferredTextLanguage);
  6271. /** @type {string} */
  6272. const textLocale = LanguageUtils.normalize(textStream.language);
  6273. if (this.config_.autoShowText == AutoShowText.IF_PREFERRED_TEXT_LANGUAGE) {
  6274. // Only the text language match matters.
  6275. return LanguageUtils.areLanguageCompatible(
  6276. textLocale,
  6277. preferredTextLocale);
  6278. }
  6279. if (this.config_.autoShowText == AutoShowText.IF_SUBTITLES_MAY_BE_NEEDED) {
  6280. if (!audioStream) {
  6281. return false;
  6282. }
  6283. /* The text should automatically be shown if the text is
  6284. * language-compatible with the user's text language preference, but not
  6285. * compatible with the audio. These are cases where we deduce that
  6286. * subtitles may be needed.
  6287. *
  6288. * For example:
  6289. * preferred | chosen | chosen |
  6290. * text | text | audio | show
  6291. * -----------------------------------
  6292. * en-CA | en | jp | true
  6293. * en | en-US | fr | true
  6294. * fr-CA | en-US | jp | false
  6295. * en-CA | en-US | en-US | false
  6296. *
  6297. */
  6298. /** @type {string} */
  6299. const audioLocale = LanguageUtils.normalize(audioStream.language);
  6300. return (
  6301. LanguageUtils.areLanguageCompatible(textLocale, preferredTextLocale) &&
  6302. !LanguageUtils.areLanguageCompatible(audioLocale, textLocale));
  6303. }
  6304. shaka.log.alwaysWarn('Invalid autoShowText setting!');
  6305. return false;
  6306. }
  6307. /**
  6308. * Callback from StreamingEngine.
  6309. *
  6310. * @private
  6311. */
  6312. onManifestUpdate_() {
  6313. if (this.parser_ && this.parser_.update) {
  6314. this.parser_.update();
  6315. }
  6316. }
  6317. /**
  6318. * Callback from StreamingEngine.
  6319. *
  6320. * @param {number} start
  6321. * @param {number} end
  6322. * @param {shaka.util.ManifestParserUtils.ContentType} contentType
  6323. * @param {boolean} isMuxed
  6324. *
  6325. * @private
  6326. */
  6327. onSegmentAppended_(start, end, contentType, isMuxed) {
  6328. // When we append a segment to media source (via streaming engine) we are
  6329. // changing what data we have buffered, so notify the playhead of the
  6330. // change.
  6331. if (this.playhead_) {
  6332. this.playhead_.notifyOfBufferingChange();
  6333. // Skip the initial buffer gap
  6334. const startTime = this.mediaSourceEngine_.bufferStart(contentType);
  6335. if (
  6336. !this.isLive() &&
  6337. // If not paused then GapJumpingController will handle this gap.
  6338. this.video_.paused &&
  6339. startTime != null &&
  6340. startTime > 0 &&
  6341. this.playhead_.getTime() < startTime
  6342. ) {
  6343. this.playhead_.setStartTime(startTime);
  6344. }
  6345. }
  6346. this.pollBufferState_();
  6347. // Dispatch an event for users to consume, too.
  6348. const data = new Map()
  6349. .set('start', start)
  6350. .set('end', end)
  6351. .set('contentType', contentType)
  6352. .set('isMuxed', isMuxed);
  6353. this.dispatchEvent(shaka.Player.makeEvent_(
  6354. shaka.util.FakeEvent.EventName.SegmentAppended, data));
  6355. }
  6356. /**
  6357. * Callback from AbrManager.
  6358. *
  6359. * @param {shaka.extern.Variant} variant
  6360. * @param {boolean=} clearBuffer
  6361. * @param {number=} safeMargin Optional amount of buffer (in seconds) to
  6362. * retain when clearing the buffer.
  6363. * Defaults to 0 if not provided. Ignored if clearBuffer is false.
  6364. * @private
  6365. */
  6366. switch_(variant, clearBuffer = false, safeMargin = 0) {
  6367. shaka.log.debug('switch_');
  6368. goog.asserts.assert(this.config_.abr.enabled,
  6369. 'AbrManager should not call switch while disabled!');
  6370. if (!this.manifest_) {
  6371. // It could come from a preload manager operation.
  6372. return;
  6373. }
  6374. if (!this.streamingEngine_) {
  6375. // There's no way to change it.
  6376. return;
  6377. }
  6378. if (variant == this.streamingEngine_.getCurrentVariant()) {
  6379. // This isn't a change.
  6380. return;
  6381. }
  6382. this.switchVariant_(variant, /* fromAdaptation= */ true,
  6383. clearBuffer, safeMargin);
  6384. }
  6385. /**
  6386. * Dispatches an 'adaptation' event.
  6387. * @param {?shaka.extern.Track} from
  6388. * @param {shaka.extern.Track} to
  6389. * @private
  6390. */
  6391. onAdaptation_(from, to) {
  6392. // Delay the 'adaptation' event so that StreamingEngine has time to absorb
  6393. // the changes before the user tries to query it.
  6394. const data = new Map()
  6395. .set('oldTrack', from)
  6396. .set('newTrack', to);
  6397. if (this.lcevcDec_) {
  6398. this.lcevcDec_.updateVariant(to, this.getManifestType());
  6399. }
  6400. const event = shaka.Player.makeEvent_(
  6401. shaka.util.FakeEvent.EventName.Adaptation, data);
  6402. this.delayDispatchEvent_(event);
  6403. }
  6404. /**
  6405. * Dispatches a 'trackschanged' event.
  6406. * @private
  6407. */
  6408. onTracksChanged_() {
  6409. // Delay the 'trackschanged' event so StreamingEngine has time to absorb the
  6410. // changes before the user tries to query it.
  6411. const event = shaka.Player.makeEvent_(
  6412. shaka.util.FakeEvent.EventName.TracksChanged);
  6413. this.delayDispatchEvent_(event);
  6414. }
  6415. /**
  6416. * Dispatches a 'variantchanged' event.
  6417. * @param {?shaka.extern.Track} from
  6418. * @param {shaka.extern.Track} to
  6419. * @private
  6420. */
  6421. onVariantChanged_(from, to) {
  6422. // Delay the 'variantchanged' event so StreamingEngine has time to absorb
  6423. // the changes before the user tries to query it.
  6424. const data = new Map()
  6425. .set('oldTrack', from)
  6426. .set('newTrack', to);
  6427. if (this.lcevcDec_) {
  6428. this.lcevcDec_.updateVariant(to, this.getManifestType());
  6429. }
  6430. const event = shaka.Player.makeEvent_(
  6431. shaka.util.FakeEvent.EventName.VariantChanged, data);
  6432. this.delayDispatchEvent_(event);
  6433. }
  6434. /**
  6435. * Dispatches a 'textchanged' event.
  6436. * @private
  6437. */
  6438. onTextChanged_() {
  6439. // Delay the 'textchanged' event so StreamingEngine time to absorb the
  6440. // changes before the user tries to query it.
  6441. const event = shaka.Player.makeEvent_(
  6442. shaka.util.FakeEvent.EventName.TextChanged);
  6443. this.delayDispatchEvent_(event);
  6444. }
  6445. /** @private */
  6446. onTextTrackVisibility_() {
  6447. const event = shaka.Player.makeEvent_(
  6448. shaka.util.FakeEvent.EventName.TextTrackVisibility);
  6449. this.delayDispatchEvent_(event);
  6450. }
  6451. /** @private */
  6452. onAbrStatusChanged_() {
  6453. // Restore disabled variants if abr get disabled
  6454. if (!this.config_.abr.enabled) {
  6455. this.restoreDisabledVariants_();
  6456. }
  6457. const data = (new Map()).set('newStatus', this.config_.abr.enabled);
  6458. this.delayDispatchEvent_(shaka.Player.makeEvent_(
  6459. shaka.util.FakeEvent.EventName.AbrStatusChanged, data));
  6460. }
  6461. /**
  6462. * @param {boolean} updateAbrManager
  6463. * @private
  6464. */
  6465. restoreDisabledVariants_(updateAbrManager=true) {
  6466. if (this.loadMode_ != shaka.Player.LoadMode.MEDIA_SOURCE) {
  6467. return;
  6468. }
  6469. goog.asserts.assert(this.manifest_, 'Should have manifest!');
  6470. shaka.log.v2('Restoring all disabled streams...');
  6471. this.checkVariantsTimer_.stop();
  6472. for (const variant of this.manifest_.variants) {
  6473. variant.disabledUntilTime = 0;
  6474. }
  6475. if (updateAbrManager) {
  6476. this.updateAbrManagerVariants_();
  6477. }
  6478. }
  6479. /**
  6480. * Temporarily disable all variants containing |stream|
  6481. * @param {shaka.extern.Stream} stream
  6482. * @param {number} disableTime
  6483. * @return {boolean}
  6484. */
  6485. disableStream(stream, disableTime) {
  6486. if (!this.config_.abr.enabled ||
  6487. this.loadMode_ === shaka.Player.LoadMode.DESTROYED) {
  6488. return false;
  6489. }
  6490. if (!navigator.onLine) {
  6491. // Don't disable variants if we're completely offline, or else we end up
  6492. // rapidly restricting all of them.
  6493. return false;
  6494. }
  6495. if (disableTime == 0) {
  6496. return false;
  6497. }
  6498. // It only makes sense to disable a stream if we have an alternative else we
  6499. // end up disabling all variants.
  6500. const hasAltStream = this.manifest_.variants.some((variant) => {
  6501. const altStream = variant[stream.type];
  6502. if (altStream && altStream.id !== stream.id &&
  6503. !variant.disabledUntilTime) {
  6504. if (shaka.util.StreamUtils.isAudio(stream)) {
  6505. return stream.language === altStream.language;
  6506. }
  6507. return true;
  6508. }
  6509. return false;
  6510. });
  6511. if (hasAltStream) {
  6512. let didDisableStream = false;
  6513. let isTrickModeVideo = false;
  6514. for (const variant of this.manifest_.variants) {
  6515. const candidate = variant[stream.type];
  6516. if (!candidate) {
  6517. continue;
  6518. }
  6519. if (candidate.id === stream.id) {
  6520. variant.disabledUntilTime = (Date.now() / 1000) + disableTime;
  6521. didDisableStream = true;
  6522. shaka.log.v2(
  6523. 'Disabled stream ' + stream.type + ':' + stream.id +
  6524. ' for ' + disableTime + ' seconds...');
  6525. } else if (candidate.trickModeVideo &&
  6526. candidate.trickModeVideo.id == stream.id) {
  6527. isTrickModeVideo = true;
  6528. }
  6529. }
  6530. if (!didDisableStream && isTrickModeVideo) {
  6531. return false;
  6532. }
  6533. goog.asserts.assert(didDisableStream, 'Must have disabled stream');
  6534. this.checkVariantsTimer_.tickEvery(1);
  6535. // Get the safeMargin to ensure a seamless playback
  6536. const {video} = this.getBufferedInfo();
  6537. const safeMargin =
  6538. video.reduce((size, {start, end}) => size + end - start, 0);
  6539. // Update abr manager variants and switch to recover playback
  6540. this.chooseVariantAndSwitch_(
  6541. /* clearBuffer= */ false, /* safeMargin= */ safeMargin,
  6542. /* force= */ true, /* fromAdaptation= */ false);
  6543. return true;
  6544. }
  6545. shaka.log.warning(
  6546. 'No alternate stream found for active ' + stream.type + ' stream. ' +
  6547. 'Will ignore request to disable stream...');
  6548. return false;
  6549. }
  6550. /**
  6551. * @param {!shaka.util.Error} error
  6552. * @private
  6553. */
  6554. async onError_(error) {
  6555. goog.asserts.assert(error instanceof shaka.util.Error, 'Wrong error type!');
  6556. // Errors dispatched after |destroy| is called are not meaningful and should
  6557. // be safe to ignore.
  6558. if (this.loadMode_ == shaka.Player.LoadMode.DESTROYED) {
  6559. return;
  6560. }
  6561. if (error.severity === shaka.util.Error.Severity.RECOVERABLE) {
  6562. this.stats_.addNonFatalError();
  6563. }
  6564. let fireError = true;
  6565. if (this.fullyLoaded_ && this.manifest_ && this.streamingEngine_ &&
  6566. (error.code == shaka.util.Error.Code.VIDEO_ERROR ||
  6567. error.code == shaka.util.Error.Code.MEDIA_SOURCE_OPERATION_FAILED ||
  6568. error.code == shaka.util.Error.Code.MEDIA_SOURCE_OPERATION_THREW ||
  6569. error.code == shaka.util.Error.Code.TRANSMUXING_FAILED)) {
  6570. try {
  6571. const ret = await this.streamingEngine_.resetMediaSource();
  6572. fireError = !ret;
  6573. } catch (e) {
  6574. fireError = true;
  6575. }
  6576. }
  6577. if (!fireError) {
  6578. return;
  6579. }
  6580. // Restore disabled variant if the player experienced a critical error.
  6581. if (error.severity === shaka.util.Error.Severity.CRITICAL) {
  6582. this.restoreDisabledVariants_(/* updateAbrManager= */ false);
  6583. }
  6584. const eventName = shaka.util.FakeEvent.EventName.Error;
  6585. const event = shaka.Player.makeEvent_(
  6586. eventName, (new Map()).set('detail', error));
  6587. this.dispatchEvent(event);
  6588. if (event.defaultPrevented) {
  6589. error.handled = true;
  6590. }
  6591. }
  6592. /**
  6593. * When we fire region events, we need to copy the information out of the
  6594. * region to break the connection with the player's internal data. We do the
  6595. * copy here because this is the transition point between the player and the
  6596. * app.
  6597. *
  6598. * @param {!shaka.util.FakeEvent.EventName} eventName
  6599. * @param {shaka.extern.TimelineRegionInfo} region
  6600. * @param {shaka.util.FakeEventTarget=} eventTarget
  6601. *
  6602. * @private
  6603. */
  6604. onRegionEvent_(eventName, region, eventTarget = this) {
  6605. // Always make a copy to avoid exposing our internal data to the app.
  6606. const clone = {
  6607. schemeIdUri: region.schemeIdUri,
  6608. value: region.value,
  6609. startTime: region.startTime,
  6610. endTime: region.endTime,
  6611. id: region.id,
  6612. eventElement: region.eventElement,
  6613. eventNode: region.eventNode,
  6614. };
  6615. const data = (new Map()).set('detail', clone);
  6616. eventTarget.dispatchEvent(shaka.Player.makeEvent_(eventName, data));
  6617. }
  6618. /**
  6619. * When notified of a media quality change we need to emit a
  6620. * MediaQualityChange event to the app.
  6621. *
  6622. * @param {shaka.extern.MediaQualityInfo} mediaQuality
  6623. * @param {number} position
  6624. * @param {boolean} audioTrackChanged This is to specify whether this should
  6625. * trigger a MediaQualityChangedEvent or an AudioTrackChangedEvent. Defaults
  6626. * to false to trigger MediaQualityChangedEvent.
  6627. *
  6628. * @private
  6629. */
  6630. onMediaQualityChange_(mediaQuality, position, audioTrackChanged = false) {
  6631. // Always make a copy to avoid exposing our internal data to the app.
  6632. const clone = {
  6633. bandwidth: mediaQuality.bandwidth,
  6634. audioSamplingRate: mediaQuality.audioSamplingRate,
  6635. codecs: mediaQuality.codecs,
  6636. contentType: mediaQuality.contentType,
  6637. frameRate: mediaQuality.frameRate,
  6638. height: mediaQuality.height,
  6639. mimeType: mediaQuality.mimeType,
  6640. channelsCount: mediaQuality.channelsCount,
  6641. pixelAspectRatio: mediaQuality.pixelAspectRatio,
  6642. width: mediaQuality.width,
  6643. label: mediaQuality.label,
  6644. roles: mediaQuality.roles,
  6645. language: mediaQuality.language,
  6646. };
  6647. const data = new Map()
  6648. .set('mediaQuality', clone)
  6649. .set('position', position);
  6650. this.dispatchEvent(shaka.Player.makeEvent_(
  6651. audioTrackChanged ?
  6652. shaka.util.FakeEvent.EventName.AudioTrackChanged :
  6653. shaka.util.FakeEvent.EventName.MediaQualityChanged,
  6654. data));
  6655. }
  6656. /**
  6657. * Turn the media element's error object into a Shaka Player error object.
  6658. *
  6659. * @param {boolean=} printAllErrors
  6660. * @return {shaka.util.Error}
  6661. * @private
  6662. */
  6663. videoErrorToShakaError_(printAllErrors = true) {
  6664. goog.asserts.assert(this.video_.error,
  6665. 'Video error expected, but missing!');
  6666. if (!this.video_.error) {
  6667. if (printAllErrors) {
  6668. return new shaka.util.Error(
  6669. shaka.util.Error.Severity.CRITICAL,
  6670. shaka.util.Error.Category.MEDIA,
  6671. shaka.util.Error.Code.VIDEO_ERROR);
  6672. }
  6673. return null;
  6674. }
  6675. const code = this.video_.error.code;
  6676. if (!printAllErrors && code == 1 /* MEDIA_ERR_ABORTED */) {
  6677. // Ignore this error code, which should only occur when navigating away or
  6678. // deliberately stopping playback of HTTP content.
  6679. return null;
  6680. }
  6681. // Extra error information from MS Edge:
  6682. let extended = this.video_.error.msExtendedCode;
  6683. if (extended) {
  6684. // Convert to unsigned:
  6685. if (extended < 0) {
  6686. extended += Math.pow(2, 32);
  6687. }
  6688. // Format as hex:
  6689. extended = extended.toString(16);
  6690. }
  6691. // Extra error information from Chrome:
  6692. const message = this.video_.error.message;
  6693. return new shaka.util.Error(
  6694. shaka.util.Error.Severity.CRITICAL,
  6695. shaka.util.Error.Category.MEDIA,
  6696. shaka.util.Error.Code.VIDEO_ERROR,
  6697. code, extended, message);
  6698. }
  6699. /**
  6700. * @param {!Event} event
  6701. * @private
  6702. */
  6703. onVideoError_(event) {
  6704. const error = this.videoErrorToShakaError_(/* printAllErrors= */ false);
  6705. if (!error) {
  6706. return;
  6707. }
  6708. this.onError_(error);
  6709. }
  6710. /**
  6711. * @param {!Object.<string, string>} keyStatusMap A map of hex key IDs to
  6712. * statuses.
  6713. * @private
  6714. */
  6715. onKeyStatus_(keyStatusMap) {
  6716. goog.asserts.assert(this.streamingEngine_, 'Cannot be called in src= mode');
  6717. const event = shaka.Player.makeEvent_(
  6718. shaka.util.FakeEvent.EventName.KeyStatusChanged);
  6719. this.dispatchEvent(event);
  6720. let keyIds = Object.keys(keyStatusMap);
  6721. if (keyIds.length == 0) {
  6722. shaka.log.warning(
  6723. 'Got a key status event without any key statuses, so we don\'t ' +
  6724. 'know the real key statuses. If we don\'t have all the keys, ' +
  6725. 'you\'ll need to set restrictions so we don\'t select those tracks.');
  6726. }
  6727. // Non-standard version of global key status. Modify it to match standard
  6728. // behavior.
  6729. if (keyIds.length == 1 && keyIds[0] == '') {
  6730. keyIds = ['00'];
  6731. keyStatusMap = {'00': keyStatusMap['']};
  6732. }
  6733. // If EME is using a synthetic key ID, the only key ID is '00' (a single 0
  6734. // byte). In this case, it is only used to report global success/failure.
  6735. // See note about old platforms in: https://bit.ly/2tpez5Z
  6736. const isGlobalStatus = keyIds.length == 1 && keyIds[0] == '00';
  6737. if (isGlobalStatus) {
  6738. shaka.log.warning(
  6739. 'Got a synthetic key status event, so we don\'t know the real key ' +
  6740. 'statuses. If we don\'t have all the keys, you\'ll need to set ' +
  6741. 'restrictions so we don\'t select those tracks.');
  6742. }
  6743. const restrictedStatuses = shaka.media.ManifestFilterer.restrictedStatuses;
  6744. let tracksChanged = false;
  6745. goog.asserts.assert(this.drmEngine_, 'drmEngine should be non-null here.');
  6746. // Only filter tracks for keys if we have some key statuses to look at.
  6747. if (keyIds.length) {
  6748. for (const variant of this.manifest_.variants) {
  6749. const streams = shaka.util.StreamUtils.getVariantStreams(variant);
  6750. for (const stream of streams) {
  6751. const originalAllowed = variant.allowedByKeySystem;
  6752. // Only update if we have key IDs for the stream. If the keys aren't
  6753. // all present, then the track should be restricted.
  6754. if (stream.keyIds.size) {
  6755. variant.allowedByKeySystem = true;
  6756. for (const keyId of stream.keyIds) {
  6757. const keyStatus = keyStatusMap[isGlobalStatus ? '00' : keyId];
  6758. if (keyStatus || this.drmEngine_.hasManifestInitData()) {
  6759. variant.allowedByKeySystem = variant.allowedByKeySystem &&
  6760. !!keyStatus && !restrictedStatuses.includes(keyStatus);
  6761. }
  6762. }
  6763. }
  6764. if (originalAllowed != variant.allowedByKeySystem) {
  6765. tracksChanged = true;
  6766. }
  6767. } // for (const stream of streams)
  6768. } // for (const variant of this.manifest_.variants)
  6769. } // if (keyIds.size)
  6770. if (tracksChanged) {
  6771. this.onTracksChanged_();
  6772. const variantsUpdated = this.updateAbrManagerVariants_();
  6773. if (!variantsUpdated) {
  6774. return;
  6775. }
  6776. }
  6777. const currentVariant = this.streamingEngine_.getCurrentVariant();
  6778. if (currentVariant && !currentVariant.allowedByKeySystem) {
  6779. shaka.log.debug('Choosing new streams after key status changed');
  6780. this.chooseVariantAndSwitch_();
  6781. }
  6782. }
  6783. /**
  6784. * @return {boolean} true if we should stream text right now.
  6785. * @private
  6786. */
  6787. shouldStreamText_() {
  6788. return this.config_.streaming.alwaysStreamText || this.isTextTrackVisible();
  6789. }
  6790. /**
  6791. * Applies playRangeStart and playRangeEnd to the given timeline. This will
  6792. * only affect non-live content.
  6793. *
  6794. * @param {shaka.media.PresentationTimeline} timeline
  6795. * @param {number} playRangeStart
  6796. * @param {number} playRangeEnd
  6797. *
  6798. * @private
  6799. */
  6800. static applyPlayRange_(timeline, playRangeStart, playRangeEnd) {
  6801. if (playRangeStart > 0) {
  6802. if (timeline.isLive()) {
  6803. shaka.log.warning(
  6804. '|playRangeStart| has been configured for live content. ' +
  6805. 'Ignoring the setting.');
  6806. } else {
  6807. timeline.setUserSeekStart(playRangeStart);
  6808. }
  6809. }
  6810. // If the playback has been configured to end before the end of the
  6811. // presentation, update the duration unless it's live content.
  6812. const fullDuration = timeline.getDuration();
  6813. if (playRangeEnd < fullDuration) {
  6814. if (timeline.isLive()) {
  6815. shaka.log.warning(
  6816. '|playRangeEnd| has been configured for live content. ' +
  6817. 'Ignoring the setting.');
  6818. } else {
  6819. timeline.setDuration(playRangeEnd);
  6820. }
  6821. }
  6822. }
  6823. /**
  6824. * Fire an event, but wait a little bit so that the immediate execution can
  6825. * complete before the event is handled.
  6826. *
  6827. * @param {!shaka.util.FakeEvent} event
  6828. * @private
  6829. */
  6830. async delayDispatchEvent_(event) {
  6831. // Wait until the next interpreter cycle.
  6832. await Promise.resolve();
  6833. // Only dispatch the event if we are still alive.
  6834. if (this.loadMode_ != shaka.Player.LoadMode.DESTROYED) {
  6835. this.dispatchEvent(event);
  6836. }
  6837. }
  6838. /**
  6839. * Get the normalized languages for a group of tracks.
  6840. *
  6841. * @param {!Array.<?shaka.extern.Track>} tracks
  6842. * @return {!Set.<string>}
  6843. * @private
  6844. */
  6845. static getLanguagesFrom_(tracks) {
  6846. const languages = new Set();
  6847. for (const track of tracks) {
  6848. if (track.language) {
  6849. languages.add(shaka.util.LanguageUtils.normalize(track.language));
  6850. } else {
  6851. languages.add('und');
  6852. }
  6853. }
  6854. return languages;
  6855. }
  6856. /**
  6857. * Get all permutations of normalized languages and role for a group of
  6858. * tracks.
  6859. *
  6860. * @param {!Array.<?shaka.extern.Track>} tracks
  6861. * @return {!Array.<shaka.extern.LanguageRole>}
  6862. * @private
  6863. */
  6864. static getLanguageAndRolesFrom_(tracks) {
  6865. /** @type {!Map.<string, !Set>} */
  6866. const languageToRoles = new Map();
  6867. /** @type {!Map.<string, !Map.<string, string>>} */
  6868. const languageRoleToLabel = new Map();
  6869. for (const track of tracks) {
  6870. let language = 'und';
  6871. let roles = [];
  6872. if (track.language) {
  6873. language = shaka.util.LanguageUtils.normalize(track.language);
  6874. }
  6875. if (track.type == 'variant') {
  6876. roles = track.audioRoles;
  6877. } else {
  6878. roles = track.roles;
  6879. }
  6880. if (!roles || !roles.length) {
  6881. // We must have an empty role so that we will still get a language-role
  6882. // entry from our Map.
  6883. roles = [''];
  6884. }
  6885. if (!languageToRoles.has(language)) {
  6886. languageToRoles.set(language, new Set());
  6887. }
  6888. for (const role of roles) {
  6889. languageToRoles.get(language).add(role);
  6890. if (track.label) {
  6891. if (!languageRoleToLabel.has(language)) {
  6892. languageRoleToLabel.set(language, new Map());
  6893. }
  6894. languageRoleToLabel.get(language).set(role, track.label);
  6895. }
  6896. }
  6897. }
  6898. // Flatten our map to an array of language-role pairs.
  6899. const pairings = [];
  6900. languageToRoles.forEach((roles, language) => {
  6901. for (const role of roles) {
  6902. let label = null;
  6903. if (languageRoleToLabel.has(language) &&
  6904. languageRoleToLabel.get(language).has(role)) {
  6905. label = languageRoleToLabel.get(language).get(role);
  6906. }
  6907. pairings.push({language, role, label});
  6908. }
  6909. });
  6910. return pairings;
  6911. }
  6912. /**
  6913. * Assuming the player is playing content with media source, check if the
  6914. * player has buffered enough content to make it to the end of the
  6915. * presentation.
  6916. *
  6917. * @return {boolean}
  6918. * @private
  6919. */
  6920. isBufferedToEndMS_() {
  6921. goog.asserts.assert(
  6922. this.video_,
  6923. 'We need a video element to get buffering information');
  6924. goog.asserts.assert(
  6925. this.mediaSourceEngine_,
  6926. 'We need a media source engine to get buffering information');
  6927. goog.asserts.assert(
  6928. this.manifest_,
  6929. 'We need a manifest to get buffering information');
  6930. // This is a strong guarantee that we are buffered to the end, because it
  6931. // means the playhead is already at that end.
  6932. if (this.video_.ended) {
  6933. return true;
  6934. }
  6935. // This means that MediaSource has buffered the final segment in all
  6936. // SourceBuffers and is no longer accepting additional segments.
  6937. if (this.mediaSourceEngine_.ended()) {
  6938. return true;
  6939. }
  6940. // Live streams are "buffered to the end" when they have buffered to the
  6941. // live edge or beyond (into the region covered by the presentation delay).
  6942. if (this.manifest_.presentationTimeline.isLive()) {
  6943. const liveEdge =
  6944. this.manifest_.presentationTimeline.getSegmentAvailabilityEnd();
  6945. const bufferEnd =
  6946. shaka.media.TimeRangesUtils.bufferEnd(this.video_.buffered);
  6947. if (bufferEnd != null && bufferEnd >= liveEdge) {
  6948. return true;
  6949. }
  6950. }
  6951. return false;
  6952. }
  6953. /**
  6954. * Assuming the player is playing content with src=, check if the player has
  6955. * buffered enough content to make it to the end of the presentation.
  6956. *
  6957. * @return {boolean}
  6958. * @private
  6959. */
  6960. isBufferedToEndSrc_() {
  6961. goog.asserts.assert(
  6962. this.video_,
  6963. 'We need a video element to get buffering information');
  6964. // This is a strong guarantee that we are buffered to the end, because it
  6965. // means the playhead is already at that end.
  6966. if (this.video_.ended) {
  6967. return true;
  6968. }
  6969. // If we have buffered to the duration of the content, it means we will have
  6970. // enough content to buffer to the end of the presentation.
  6971. const bufferEnd =
  6972. shaka.media.TimeRangesUtils.bufferEnd(this.video_.buffered);
  6973. // Because Safari's native HLS reports slightly inaccurate values for
  6974. // bufferEnd here, we use a fudge factor. Without this, we can end up in a
  6975. // buffering state at the end of the stream. See issue #2117.
  6976. const fudge = 1; // 1000 ms
  6977. return bufferEnd != null && bufferEnd >= this.video_.duration - fudge;
  6978. }
  6979. /**
  6980. * Create an error for when we purposely interrupt a load operation.
  6981. *
  6982. * @return {!shaka.util.Error}
  6983. * @private
  6984. */
  6985. createAbortLoadError_() {
  6986. return new shaka.util.Error(
  6987. shaka.util.Error.Severity.CRITICAL,
  6988. shaka.util.Error.Category.PLAYER,
  6989. shaka.util.Error.Code.LOAD_INTERRUPTED);
  6990. }
  6991. };
  6992. /**
  6993. * In order to know what method of loading the player used for some content, we
  6994. * have this enum. It lets us know if content has not been loaded, loaded with
  6995. * media source, or loaded with src equals.
  6996. *
  6997. * This enum has a low resolution, because it is only meant to express the
  6998. * outer limits of the various states that the player is in. For example, when
  6999. * someone calls a public method on player, it should not matter if they have
  7000. * initialized drm engine, it should only matter if they finished loading
  7001. * content.
  7002. *
  7003. * @enum {number}
  7004. * @export
  7005. */
  7006. shaka.Player.LoadMode = {
  7007. 'DESTROYED': 0,
  7008. 'NOT_LOADED': 1,
  7009. 'MEDIA_SOURCE': 2,
  7010. 'SRC_EQUALS': 3,
  7011. };
  7012. /**
  7013. * The typical buffering threshold. When we have less than this buffered (in
  7014. * seconds), we enter a buffering state. This specific value is based on manual
  7015. * testing and evaluation across a variety of platforms.
  7016. *
  7017. * To make the buffering logic work in all cases, this "typical" threshold will
  7018. * be overridden if the rebufferingGoal configuration is too low.
  7019. *
  7020. * @const {number}
  7021. * @private
  7022. */
  7023. shaka.Player.TYPICAL_BUFFERING_THRESHOLD_ = 0.5;
  7024. /**
  7025. * @define {string} A version number taken from git at compile time.
  7026. * @export
  7027. */
  7028. // eslint-disable-next-line no-useless-concat
  7029. shaka.Player.version = 'v4.10.14' + '-uncompiled'; // x-release-please-version
  7030. // Initialize the deprecation system using the version string we just set
  7031. // on the player.
  7032. shaka.Deprecate.init(shaka.Player.version);
  7033. /** @private {!Object.<string, function():*>} */
  7034. shaka.Player.supportPlugins_ = {};
  7035. /** @private {?shaka.extern.IAdManager.Factory} */
  7036. shaka.Player.adManagerFactory_ = null;
  7037. /**
  7038. * @const {string}
  7039. */
  7040. shaka.Player.TextTrackLabel = 'Shaka Player TextTrack';