Source: lib/media/streaming_engine.js

  1. /*! @license
  2. * Shaka Player
  3. * Copyright 2016 Google LLC
  4. * SPDX-License-Identifier: Apache-2.0
  5. */
  6. /**
  7. * @fileoverview
  8. */
  9. goog.provide('shaka.media.StreamingEngine');
  10. goog.require('goog.asserts');
  11. goog.require('shaka.log');
  12. goog.require('shaka.media.InitSegmentReference');
  13. goog.require('shaka.media.ManifestParser');
  14. goog.require('shaka.media.MediaSourceEngine');
  15. goog.require('shaka.media.SegmentIterator');
  16. goog.require('shaka.media.SegmentReference');
  17. goog.require('shaka.media.SegmentPrefetch');
  18. goog.require('shaka.net.Backoff');
  19. goog.require('shaka.net.NetworkingEngine');
  20. goog.require('shaka.util.BufferUtils');
  21. goog.require('shaka.util.DelayedTick');
  22. goog.require('shaka.util.Destroyer');
  23. goog.require('shaka.util.Error');
  24. goog.require('shaka.util.FakeEvent');
  25. goog.require('shaka.util.IDestroyable');
  26. goog.require('shaka.util.Id3Utils');
  27. goog.require('shaka.util.LanguageUtils');
  28. goog.require('shaka.util.ManifestParserUtils');
  29. goog.require('shaka.util.MimeUtils');
  30. goog.require('shaka.util.Mp4BoxParsers');
  31. goog.require('shaka.util.Mp4Parser');
  32. goog.require('shaka.util.Networking');
  33. /**
  34. * @summary Creates a Streaming Engine.
  35. * The StreamingEngine is responsible for setting up the Manifest's Streams
  36. * (i.e., for calling each Stream's createSegmentIndex() function), for
  37. * downloading segments, for co-ordinating audio, video, and text buffering.
  38. * The StreamingEngine provides an interface to switch between Streams, but it
  39. * does not choose which Streams to switch to.
  40. *
  41. * The StreamingEngine does not need to be notified about changes to the
  42. * Manifest's SegmentIndexes; however, it does need to be notified when new
  43. * Variants are added to the Manifest.
  44. *
  45. * To start the StreamingEngine the owner must first call configure(), followed
  46. * by one call to switchVariant(), one optional call to switchTextStream(), and
  47. * finally a call to start(). After start() resolves, switch*() can be used
  48. * freely.
  49. *
  50. * The owner must call seeked() each time the playhead moves to a new location
  51. * within the presentation timeline; however, the owner may forego calling
  52. * seeked() when the playhead moves outside the presentation timeline.
  53. *
  54. * @implements {shaka.util.IDestroyable}
  55. */
  56. shaka.media.StreamingEngine = class {
  57. /**
  58. * @param {shaka.extern.Manifest} manifest
  59. * @param {shaka.media.StreamingEngine.PlayerInterface} playerInterface
  60. */
  61. constructor(manifest, playerInterface) {
  62. /** @private {?shaka.media.StreamingEngine.PlayerInterface} */
  63. this.playerInterface_ = playerInterface;
  64. /** @private {?shaka.extern.Manifest} */
  65. this.manifest_ = manifest;
  66. /** @private {?shaka.extern.StreamingConfiguration} */
  67. this.config_ = null;
  68. /** @private {number} */
  69. this.bufferingGoalScale_ = 1;
  70. /** @private {?shaka.extern.Variant} */
  71. this.currentVariant_ = null;
  72. /** @private {?shaka.extern.Stream} */
  73. this.currentTextStream_ = null;
  74. /** @private {number} */
  75. this.textStreamSequenceId_ = 0;
  76. /** @private {boolean} */
  77. this.parsedPrftEventRaised_ = false;
  78. /**
  79. * Maps a content type, e.g., 'audio', 'video', or 'text', to a MediaState.
  80. *
  81. * @private {!Map.<shaka.util.ManifestParserUtils.ContentType,
  82. * !shaka.media.StreamingEngine.MediaState_>}
  83. */
  84. this.mediaStates_ = new Map();
  85. /**
  86. * Set to true once the initial media states have been created.
  87. *
  88. * @private {boolean}
  89. */
  90. this.startupComplete_ = false;
  91. /**
  92. * Used for delay and backoff of failure callbacks, so that apps do not
  93. * retry instantly.
  94. *
  95. * @private {shaka.net.Backoff}
  96. */
  97. this.failureCallbackBackoff_ = null;
  98. /**
  99. * Set to true on fatal error. Interrupts fetchAndAppend_().
  100. *
  101. * @private {boolean}
  102. */
  103. this.fatalError_ = false;
  104. /** @private {!shaka.util.Destroyer} */
  105. this.destroyer_ = new shaka.util.Destroyer(() => this.doDestroy_());
  106. /** @private {number} */
  107. this.lastMediaSourceReset_ = Date.now() / 1000;
  108. /**
  109. * @private {!Map<shaka.extern.Stream, !shaka.media.SegmentPrefetch>}
  110. */
  111. this.audioPrefetchMap_ = new Map();
  112. /** @private {!shaka.extern.SpatialVideoInfo} */
  113. this.spatialVideoInfo_ = {
  114. projection: null,
  115. hfov: null,
  116. };
  117. }
  118. /** @override */
  119. destroy() {
  120. return this.destroyer_.destroy();
  121. }
  122. /**
  123. * @return {!Promise}
  124. * @private
  125. */
  126. async doDestroy_() {
  127. const aborts = [];
  128. for (const state of this.mediaStates_.values()) {
  129. this.cancelUpdate_(state);
  130. aborts.push(this.abortOperations_(state));
  131. }
  132. for (const prefetch of this.audioPrefetchMap_.values()) {
  133. prefetch.clearAll();
  134. }
  135. await Promise.all(aborts);
  136. this.mediaStates_.clear();
  137. this.audioPrefetchMap_.clear();
  138. this.playerInterface_ = null;
  139. this.manifest_ = null;
  140. this.config_ = null;
  141. }
  142. /**
  143. * Called by the Player to provide an updated configuration any time it
  144. * changes. Must be called at least once before start().
  145. *
  146. * @param {shaka.extern.StreamingConfiguration} config
  147. */
  148. configure(config) {
  149. this.config_ = config;
  150. // Create separate parameters for backoff during streaming failure.
  151. /** @type {shaka.extern.RetryParameters} */
  152. const failureRetryParams = {
  153. // The term "attempts" includes the initial attempt, plus all retries.
  154. // In order to see a delay, there would have to be at least 2 attempts.
  155. maxAttempts: Math.max(config.retryParameters.maxAttempts, 2),
  156. baseDelay: config.retryParameters.baseDelay,
  157. backoffFactor: config.retryParameters.backoffFactor,
  158. fuzzFactor: config.retryParameters.fuzzFactor,
  159. timeout: 0, // irrelevant
  160. stallTimeout: 0, // irrelevant
  161. connectionTimeout: 0, // irrelevant
  162. };
  163. // We don't want to ever run out of attempts. The application should be
  164. // allowed to retry streaming infinitely if it wishes.
  165. const autoReset = true;
  166. this.failureCallbackBackoff_ =
  167. new shaka.net.Backoff(failureRetryParams, autoReset);
  168. const ContentType = shaka.util.ManifestParserUtils.ContentType;
  169. // disable audio segment prefetch if this is now set
  170. if (config.disableAudioPrefetch) {
  171. const state = this.mediaStates_.get(ContentType.AUDIO);
  172. if (state && state.segmentPrefetch) {
  173. state.segmentPrefetch.clearAll();
  174. state.segmentPrefetch = null;
  175. }
  176. for (const stream of this.audioPrefetchMap_.keys()) {
  177. const prefetch = this.audioPrefetchMap_.get(stream);
  178. prefetch.clearAll();
  179. this.audioPrefetchMap_.delete(stream);
  180. }
  181. }
  182. // disable text segment prefetch if this is now set
  183. if (config.disableTextPrefetch) {
  184. const state = this.mediaStates_.get(ContentType.TEXT);
  185. if (state && state.segmentPrefetch) {
  186. state.segmentPrefetch.clearAll();
  187. state.segmentPrefetch = null;
  188. }
  189. }
  190. // disable video segment prefetch if this is now set
  191. if (config.disableVideoPrefetch) {
  192. const state = this.mediaStates_.get(ContentType.VIDEO);
  193. if (state && state.segmentPrefetch) {
  194. state.segmentPrefetch.clearAll();
  195. state.segmentPrefetch = null;
  196. }
  197. }
  198. // Allow configuring the segment prefetch in middle of the playback.
  199. for (const type of this.mediaStates_.keys()) {
  200. const state = this.mediaStates_.get(type);
  201. if (state.segmentPrefetch) {
  202. state.segmentPrefetch.resetLimit(config.segmentPrefetchLimit);
  203. if (!(config.segmentPrefetchLimit > 0)) {
  204. // ResetLimit is still needed in this case,
  205. // to abort existing prefetch operations.
  206. state.segmentPrefetch = null;
  207. }
  208. } else if (config.segmentPrefetchLimit > 0) {
  209. state.segmentPrefetch = this.createSegmentPrefetch_(state.stream);
  210. }
  211. }
  212. if (!config.disableAudioPrefetch) {
  213. this.updatePrefetchMapForAudio_();
  214. }
  215. }
  216. /**
  217. * Initialize and start streaming.
  218. *
  219. * By calling this method, StreamingEngine will start streaming the variant
  220. * chosen by a prior call to switchVariant(), and optionally, the text stream
  221. * chosen by a prior call to switchTextStream(). Once the Promise resolves,
  222. * switch*() may be called freely.
  223. *
  224. * @param {!Map.<number, shaka.media.SegmentPrefetch>=} segmentPrefetchById
  225. * If provided, segments prefetched for these streams will be used as needed
  226. * during playback.
  227. * @return {!Promise}
  228. */
  229. async start(segmentPrefetchById) {
  230. goog.asserts.assert(this.config_,
  231. 'StreamingEngine configure() must be called before init()!');
  232. // Setup the initial set of Streams and then begin each update cycle.
  233. await this.initStreams_(segmentPrefetchById || (new Map()));
  234. this.destroyer_.ensureNotDestroyed();
  235. shaka.log.debug('init: completed initial Stream setup');
  236. this.startupComplete_ = true;
  237. }
  238. /**
  239. * Get the current variant we are streaming. Returns null if nothing is
  240. * streaming.
  241. * @return {?shaka.extern.Variant}
  242. */
  243. getCurrentVariant() {
  244. return this.currentVariant_;
  245. }
  246. /**
  247. * Get the text stream we are streaming. Returns null if there is no text
  248. * streaming.
  249. * @return {?shaka.extern.Stream}
  250. */
  251. getCurrentTextStream() {
  252. return this.currentTextStream_;
  253. }
  254. /**
  255. * Start streaming text, creating a new media state.
  256. *
  257. * @param {shaka.extern.Stream} stream
  258. * @return {!Promise}
  259. * @private
  260. */
  261. async loadNewTextStream_(stream) {
  262. const ContentType = shaka.util.ManifestParserUtils.ContentType;
  263. goog.asserts.assert(!this.mediaStates_.has(ContentType.TEXT),
  264. 'Should not call loadNewTextStream_ while streaming text!');
  265. this.textStreamSequenceId_++;
  266. const currentSequenceId = this.textStreamSequenceId_;
  267. try {
  268. // Clear MediaSource's buffered text, so that the new text stream will
  269. // properly replace the old buffered text.
  270. // TODO: Should this happen in unloadTextStream() instead?
  271. await this.playerInterface_.mediaSourceEngine.clear(ContentType.TEXT);
  272. } catch (error) {
  273. if (this.playerInterface_) {
  274. this.playerInterface_.onError(error);
  275. }
  276. }
  277. const mimeType = shaka.util.MimeUtils.getFullType(
  278. stream.mimeType, stream.codecs);
  279. this.playerInterface_.mediaSourceEngine.reinitText(
  280. mimeType, this.manifest_.sequenceMode, stream.external);
  281. const textDisplayer =
  282. this.playerInterface_.mediaSourceEngine.getTextDisplayer();
  283. const streamText =
  284. textDisplayer.isTextVisible() || this.config_.alwaysStreamText;
  285. if (streamText && (this.textStreamSequenceId_ == currentSequenceId)) {
  286. const state = this.createMediaState_(stream);
  287. this.mediaStates_.set(ContentType.TEXT, state);
  288. this.scheduleUpdate_(state, 0);
  289. }
  290. }
  291. /**
  292. * Stop fetching text stream when the user chooses to hide the captions.
  293. */
  294. unloadTextStream() {
  295. const ContentType = shaka.util.ManifestParserUtils.ContentType;
  296. const state = this.mediaStates_.get(ContentType.TEXT);
  297. if (state) {
  298. this.cancelUpdate_(state);
  299. this.abortOperations_(state).catch(() => {});
  300. this.mediaStates_.delete(ContentType.TEXT);
  301. }
  302. this.currentTextStream_ = null;
  303. }
  304. /**
  305. * Set trick play on or off.
  306. * If trick play is on, related trick play streams will be used when possible.
  307. * @param {boolean} on
  308. */
  309. setTrickPlay(on) {
  310. const ContentType = shaka.util.ManifestParserUtils.ContentType;
  311. this.updateSegmentIteratorReverse_();
  312. const mediaState = this.mediaStates_.get(ContentType.VIDEO);
  313. if (!mediaState) {
  314. return;
  315. }
  316. const stream = mediaState.stream;
  317. if (!stream) {
  318. return;
  319. }
  320. shaka.log.debug('setTrickPlay', on);
  321. if (on) {
  322. const trickModeVideo = stream.trickModeVideo;
  323. if (!trickModeVideo) {
  324. return; // Can't engage trick play.
  325. }
  326. const normalVideo = mediaState.restoreStreamAfterTrickPlay;
  327. if (normalVideo) {
  328. return; // Already in trick play.
  329. }
  330. shaka.log.debug('Engaging trick mode stream', trickModeVideo);
  331. this.switchInternal_(trickModeVideo, /* clearBuffer= */ false,
  332. /* safeMargin= */ 0, /* force= */ false);
  333. mediaState.restoreStreamAfterTrickPlay = stream;
  334. } else {
  335. const normalVideo = mediaState.restoreStreamAfterTrickPlay;
  336. if (!normalVideo) {
  337. return;
  338. }
  339. shaka.log.debug('Restoring non-trick-mode stream', normalVideo);
  340. mediaState.restoreStreamAfterTrickPlay = null;
  341. this.switchInternal_(normalVideo, /* clearBuffer= */ true,
  342. /* safeMargin= */ 0, /* force= */ false);
  343. }
  344. }
  345. /**
  346. * @param {shaka.extern.Variant} variant
  347. * @param {boolean=} clearBuffer
  348. * @param {number=} safeMargin
  349. * @param {boolean=} force
  350. * If true, reload the variant even if it did not change.
  351. * @param {boolean=} adaptation
  352. * If true, update the media state to indicate MediaSourceEngine should
  353. * reset the timestamp offset to ensure the new track segments are correctly
  354. * placed on the timeline.
  355. */
  356. switchVariant(
  357. variant, clearBuffer = false, safeMargin = 0, force = false,
  358. adaptation = false) {
  359. this.currentVariant_ = variant;
  360. if (!this.startupComplete_) {
  361. // The selected variant will be used in start().
  362. return;
  363. }
  364. if (variant.video) {
  365. this.switchInternal_(
  366. variant.video, /* clearBuffer= */ clearBuffer,
  367. /* safeMargin= */ safeMargin, /* force= */ force,
  368. /* adaptation= */ adaptation);
  369. }
  370. if (variant.audio) {
  371. this.switchInternal_(
  372. variant.audio, /* clearBuffer= */ clearBuffer,
  373. /* safeMargin= */ safeMargin, /* force= */ force,
  374. /* adaptation= */ adaptation);
  375. }
  376. }
  377. /**
  378. * @param {shaka.extern.Stream} textStream
  379. */
  380. async switchTextStream(textStream) {
  381. this.currentTextStream_ = textStream;
  382. if (!this.startupComplete_) {
  383. // The selected text stream will be used in start().
  384. return;
  385. }
  386. const ContentType = shaka.util.ManifestParserUtils.ContentType;
  387. goog.asserts.assert(textStream && textStream.type == ContentType.TEXT,
  388. 'Wrong stream type passed to switchTextStream!');
  389. // In HLS it is possible that the mimetype changes when the media
  390. // playlist is downloaded, so it is necessary to have the updated data
  391. // here.
  392. if (!textStream.segmentIndex) {
  393. await textStream.createSegmentIndex();
  394. }
  395. this.switchInternal_(
  396. textStream, /* clearBuffer= */ true,
  397. /* safeMargin= */ 0, /* force= */ false);
  398. }
  399. /** Reload the current text stream. */
  400. reloadTextStream() {
  401. const ContentType = shaka.util.ManifestParserUtils.ContentType;
  402. const mediaState = this.mediaStates_.get(ContentType.TEXT);
  403. if (mediaState) { // Don't reload if there's no text to begin with.
  404. this.switchInternal_(
  405. mediaState.stream, /* clearBuffer= */ true,
  406. /* safeMargin= */ 0, /* force= */ true);
  407. }
  408. }
  409. /**
  410. * Switches to the given Stream. |stream| may be from any Variant.
  411. *
  412. * @param {shaka.extern.Stream} stream
  413. * @param {boolean} clearBuffer
  414. * @param {number} safeMargin
  415. * @param {boolean} force
  416. * If true, reload the text stream even if it did not change.
  417. * @param {boolean=} adaptation
  418. * If true, update the media state to indicate MediaSourceEngine should
  419. * reset the timestamp offset to ensure the new track segments are correctly
  420. * placed on the timeline.
  421. * @private
  422. */
  423. switchInternal_(stream, clearBuffer, safeMargin, force, adaptation) {
  424. const ContentType = shaka.util.ManifestParserUtils.ContentType;
  425. const type = /** @type {!ContentType} */(stream.type);
  426. const mediaState = this.mediaStates_.get(type);
  427. if (!mediaState && stream.type == ContentType.TEXT) {
  428. this.loadNewTextStream_(stream);
  429. return;
  430. }
  431. goog.asserts.assert(mediaState, 'switch: expected mediaState to exist');
  432. if (!mediaState) {
  433. return;
  434. }
  435. if (mediaState.restoreStreamAfterTrickPlay) {
  436. shaka.log.debug('switch during trick play mode', stream);
  437. // Already in trick play mode, so stick with trick mode tracks if
  438. // possible.
  439. if (stream.trickModeVideo) {
  440. // Use the trick mode stream, but revert to the new selection later.
  441. mediaState.restoreStreamAfterTrickPlay = stream;
  442. stream = stream.trickModeVideo;
  443. shaka.log.debug('switch found trick play stream', stream);
  444. } else {
  445. // There is no special trick mode video for this stream!
  446. mediaState.restoreStreamAfterTrickPlay = null;
  447. shaka.log.debug('switch found no special trick play stream');
  448. }
  449. }
  450. if (mediaState.stream == stream && !force) {
  451. const streamTag = shaka.media.StreamingEngine.logPrefix_(mediaState);
  452. shaka.log.debug('switch: Stream ' + streamTag + ' already active');
  453. return;
  454. }
  455. if (this.audioPrefetchMap_.has(stream)) {
  456. mediaState.segmentPrefetch = this.audioPrefetchMap_.get(stream);
  457. } else if (mediaState.segmentPrefetch) {
  458. mediaState.segmentPrefetch.switchStream(stream);
  459. }
  460. if (stream.type == ContentType.TEXT) {
  461. // Mime types are allowed to change for text streams.
  462. // Reinitialize the text parser, but only if we are going to fetch the
  463. // init segment again.
  464. const fullMimeType = shaka.util.MimeUtils.getFullType(
  465. stream.mimeType, stream.codecs);
  466. this.playerInterface_.mediaSourceEngine.reinitText(
  467. fullMimeType, this.manifest_.sequenceMode, stream.external);
  468. }
  469. // Releases the segmentIndex of the old stream.
  470. // Do not close segment indexes we are prefetching.
  471. if (!this.audioPrefetchMap_.has(mediaState.stream)) {
  472. if (mediaState.stream.closeSegmentIndex) {
  473. mediaState.stream.closeSegmentIndex();
  474. }
  475. }
  476. mediaState.stream = stream;
  477. mediaState.segmentIterator = null;
  478. mediaState.adaptation = !!adaptation;
  479. const streamTag = shaka.media.StreamingEngine.logPrefix_(mediaState);
  480. shaka.log.debug('switch: switching to Stream ' + streamTag);
  481. if (clearBuffer) {
  482. if (mediaState.clearingBuffer) {
  483. // We are already going to clear the buffer, but make sure it is also
  484. // flushed.
  485. mediaState.waitingToFlushBuffer = true;
  486. } else if (mediaState.performingUpdate) {
  487. // We are performing an update, so we have to wait until it's finished.
  488. // onUpdate_() will call clearBuffer_() when the update has finished.
  489. // We need to save the safe margin because its value will be needed when
  490. // clearing the buffer after the update.
  491. mediaState.waitingToClearBuffer = true;
  492. mediaState.clearBufferSafeMargin = safeMargin;
  493. mediaState.waitingToFlushBuffer = true;
  494. } else {
  495. // Cancel the update timer, if any.
  496. this.cancelUpdate_(mediaState);
  497. // Clear right away.
  498. this.clearBuffer_(mediaState, /* flush= */ true, safeMargin)
  499. .catch((error) => {
  500. if (this.playerInterface_) {
  501. goog.asserts.assert(error instanceof shaka.util.Error,
  502. 'Wrong error type!');
  503. this.playerInterface_.onError(error);
  504. }
  505. });
  506. }
  507. }
  508. this.makeAbortDecision_(mediaState).catch((error) => {
  509. if (this.playerInterface_) {
  510. goog.asserts.assert(error instanceof shaka.util.Error,
  511. 'Wrong error type!');
  512. this.playerInterface_.onError(error);
  513. }
  514. });
  515. }
  516. /**
  517. * Decide if it makes sense to abort the current operation, and abort it if
  518. * so.
  519. *
  520. * @param {!shaka.media.StreamingEngine.MediaState_} mediaState
  521. * @private
  522. */
  523. async makeAbortDecision_(mediaState) {
  524. // If the operation is completed, it will be set to null, and there's no
  525. // need to abort the request.
  526. if (!mediaState.operation) {
  527. return;
  528. }
  529. const originalStream = mediaState.stream;
  530. const originalOperation = mediaState.operation;
  531. if (!originalStream.segmentIndex) {
  532. // Create the new segment index so the time taken is accounted for when
  533. // deciding whether to abort.
  534. await originalStream.createSegmentIndex();
  535. }
  536. if (mediaState.operation != originalOperation) {
  537. // The original operation completed while we were getting a segment index,
  538. // so there's nothing to do now.
  539. return;
  540. }
  541. if (mediaState.stream != originalStream) {
  542. // The stream changed again while we were getting a segment index. We
  543. // can't carry out this check, since another one might be in progress by
  544. // now.
  545. return;
  546. }
  547. goog.asserts.assert(mediaState.stream.segmentIndex,
  548. 'Segment index should exist by now!');
  549. if (this.shouldAbortCurrentRequest_(mediaState)) {
  550. shaka.log.info('Aborting current segment request.');
  551. mediaState.operation.abort();
  552. }
  553. }
  554. /**
  555. * Returns whether we should abort the current request.
  556. *
  557. * @param {!shaka.media.StreamingEngine.MediaState_} mediaState
  558. * @return {boolean}
  559. * @private
  560. */
  561. shouldAbortCurrentRequest_(mediaState) {
  562. goog.asserts.assert(mediaState.operation,
  563. 'Abort logic requires an ongoing operation!');
  564. goog.asserts.assert(mediaState.stream && mediaState.stream.segmentIndex,
  565. 'Abort logic requires a segment index');
  566. const presentationTime = this.playerInterface_.getPresentationTime();
  567. const bufferEnd =
  568. this.playerInterface_.mediaSourceEngine.bufferEnd(mediaState.type);
  569. // The next segment to append from the current stream. This doesn't
  570. // account for a pending network request and will likely be different from
  571. // that since we just switched.
  572. const timeNeeded = this.getTimeNeeded_(mediaState, presentationTime);
  573. const index = mediaState.stream.segmentIndex.find(timeNeeded);
  574. const newSegment =
  575. index == null ? null : mediaState.stream.segmentIndex.get(index);
  576. let newSegmentSize = newSegment ? newSegment.getSize() : null;
  577. if (newSegment && !newSegmentSize) {
  578. // compute approximate segment size using stream bandwidth
  579. const duration = newSegment.getEndTime() - newSegment.getStartTime();
  580. const bandwidth = mediaState.stream.bandwidth || 0;
  581. // bandwidth is in bits per second, and the size is in bytes
  582. newSegmentSize = duration * bandwidth / 8;
  583. }
  584. if (!newSegmentSize) {
  585. return false;
  586. }
  587. // When switching, we'll need to download the init segment.
  588. const init = newSegment.initSegmentReference;
  589. if (init) {
  590. newSegmentSize += init.getSize() || 0;
  591. }
  592. const bandwidthEstimate = this.playerInterface_.getBandwidthEstimate();
  593. // The estimate is in bits per second, and the size is in bytes. The time
  594. // remaining is in seconds after this calculation.
  595. const timeToFetchNewSegment = (newSegmentSize * 8) / bandwidthEstimate;
  596. // If the new segment can be finished in time without risking a buffer
  597. // underflow, we should abort the old one and switch.
  598. const bufferedAhead = (bufferEnd || 0) - presentationTime;
  599. const safetyBuffer = Math.max(
  600. this.manifest_.minBufferTime || 0,
  601. this.config_.rebufferingGoal);
  602. const safeBufferedAhead = bufferedAhead - safetyBuffer;
  603. if (timeToFetchNewSegment < safeBufferedAhead) {
  604. return true;
  605. }
  606. // If the thing we want to switch to will be done more quickly than what
  607. // we've got in progress, we should abort the old one and switch.
  608. const bytesRemaining = mediaState.operation.getBytesRemaining();
  609. if (bytesRemaining > newSegmentSize) {
  610. return true;
  611. }
  612. // Otherwise, complete the operation in progress.
  613. return false;
  614. }
  615. /**
  616. * Notifies the StreamingEngine that the playhead has moved to a valid time
  617. * within the presentation timeline.
  618. */
  619. seeked() {
  620. if (!this.playerInterface_) {
  621. // Already destroyed.
  622. return;
  623. }
  624. const presentationTime = this.playerInterface_.getPresentationTime();
  625. const ContentType = shaka.util.ManifestParserUtils.ContentType;
  626. const newTimeIsBuffered = (type) => {
  627. return this.playerInterface_.mediaSourceEngine.isBuffered(
  628. type, presentationTime);
  629. };
  630. let streamCleared = false;
  631. for (const type of this.mediaStates_.keys()) {
  632. const mediaState = this.mediaStates_.get(type);
  633. const logPrefix = shaka.media.StreamingEngine.logPrefix_(mediaState);
  634. let segment = null;
  635. if (mediaState.segmentIterator) {
  636. segment = mediaState.segmentIterator.current();
  637. }
  638. // Only reset the iterator if we seek outside the current segment.
  639. if (!segment || segment.startTime > presentationTime ||
  640. segment.endTime < presentationTime) {
  641. mediaState.segmentIterator = null;
  642. }
  643. if (!newTimeIsBuffered(type)) {
  644. const bufferEnd =
  645. this.playerInterface_.mediaSourceEngine.bufferEnd(type);
  646. const somethingBuffered = bufferEnd != null;
  647. // Don't clear the buffer unless something is buffered. This extra
  648. // check prevents extra, useless calls to clear the buffer.
  649. if (somethingBuffered || mediaState.performingUpdate) {
  650. this.forceClearBuffer_(mediaState);
  651. streamCleared = true;
  652. }
  653. // If there is an operation in progress, stop it now.
  654. if (mediaState.operation) {
  655. mediaState.operation.abort();
  656. shaka.log.debug(logPrefix, 'Aborting operation due to seek');
  657. mediaState.operation = null;
  658. }
  659. // The pts has shifted from the seek, invalidating captions currently
  660. // in the text buffer. Thus, clear and reset the caption parser.
  661. if (type === ContentType.TEXT) {
  662. this.playerInterface_.mediaSourceEngine.resetCaptionParser();
  663. }
  664. // Mark the media state as having seeked, so that the new buffers know
  665. // that they will need to be at a new position (for sequence mode).
  666. mediaState.seeked = true;
  667. }
  668. }
  669. if (!streamCleared) {
  670. shaka.log.debug(
  671. '(all): seeked: buffered seek: presentationTime=' + presentationTime);
  672. }
  673. }
  674. /**
  675. * Clear the buffer for a given stream. Unlike clearBuffer_, this will handle
  676. * cases where a MediaState is performing an update. After this runs, the
  677. * MediaState will have a pending update.
  678. * @param {!shaka.media.StreamingEngine.MediaState_} mediaState
  679. * @private
  680. */
  681. forceClearBuffer_(mediaState) {
  682. const logPrefix = shaka.media.StreamingEngine.logPrefix_(mediaState);
  683. if (mediaState.clearingBuffer) {
  684. // We're already clearing the buffer, so we don't need to clear the
  685. // buffer again.
  686. shaka.log.debug(logPrefix, 'clear: already clearing the buffer');
  687. return;
  688. }
  689. if (mediaState.waitingToClearBuffer) {
  690. // May not be performing an update, but an update will still happen.
  691. // See: https://github.com/shaka-project/shaka-player/issues/334
  692. shaka.log.debug(logPrefix, 'clear: already waiting');
  693. return;
  694. }
  695. if (mediaState.performingUpdate) {
  696. // We are performing an update, so we have to wait until it's finished.
  697. // onUpdate_() will call clearBuffer_() when the update has finished.
  698. shaka.log.debug(logPrefix, 'clear: currently updating');
  699. mediaState.waitingToClearBuffer = true;
  700. // We can set the offset to zero to remember that this was a call to
  701. // clearAllBuffers.
  702. mediaState.clearBufferSafeMargin = 0;
  703. return;
  704. }
  705. const type = mediaState.type;
  706. if (this.playerInterface_.mediaSourceEngine.bufferStart(type) == null) {
  707. // Nothing buffered.
  708. shaka.log.debug(logPrefix, 'clear: nothing buffered');
  709. if (mediaState.updateTimer == null) {
  710. // Note: an update cycle stops when we buffer to the end of the
  711. // presentation, or when we raise an error.
  712. this.scheduleUpdate_(mediaState, 0);
  713. }
  714. return;
  715. }
  716. // An update may be scheduled, but we can just cancel it and clear the
  717. // buffer right away. Note: clearBuffer_() will schedule the next update.
  718. shaka.log.debug(logPrefix, 'clear: handling right now');
  719. this.cancelUpdate_(mediaState);
  720. this.clearBuffer_(mediaState, /* flush= */ false, 0).catch((error) => {
  721. if (this.playerInterface_) {
  722. goog.asserts.assert(error instanceof shaka.util.Error,
  723. 'Wrong error type!');
  724. this.playerInterface_.onError(error);
  725. }
  726. });
  727. }
  728. /**
  729. * Initializes the initial streams and media states. This will schedule
  730. * updates for the given types.
  731. *
  732. * @param {!Map.<number, shaka.media.SegmentPrefetch>} segmentPrefetchById
  733. * @return {!Promise}
  734. * @private
  735. */
  736. async initStreams_(segmentPrefetchById) {
  737. const ContentType = shaka.util.ManifestParserUtils.ContentType;
  738. goog.asserts.assert(this.config_,
  739. 'StreamingEngine configure() must be called before init()!');
  740. if (!this.currentVariant_) {
  741. shaka.log.error('init: no Streams chosen');
  742. throw new shaka.util.Error(
  743. shaka.util.Error.Severity.CRITICAL,
  744. shaka.util.Error.Category.STREAMING,
  745. shaka.util.Error.Code.STREAMING_ENGINE_STARTUP_INVALID_STATE);
  746. }
  747. /**
  748. * @type {!Map.<shaka.util.ManifestParserUtils.ContentType,
  749. * shaka.extern.Stream>}
  750. */
  751. const streamsByType = new Map();
  752. /** @type {!Set.<shaka.extern.Stream>} */
  753. const streams = new Set();
  754. if (this.currentVariant_.audio) {
  755. streamsByType.set(ContentType.AUDIO, this.currentVariant_.audio);
  756. streams.add(this.currentVariant_.audio);
  757. }
  758. if (this.currentVariant_.video) {
  759. streamsByType.set(ContentType.VIDEO, this.currentVariant_.video);
  760. streams.add(this.currentVariant_.video);
  761. }
  762. if (this.currentTextStream_) {
  763. streamsByType.set(ContentType.TEXT, this.currentTextStream_);
  764. streams.add(this.currentTextStream_);
  765. }
  766. // Init MediaSourceEngine.
  767. const mediaSourceEngine = this.playerInterface_.mediaSourceEngine;
  768. await mediaSourceEngine.init(streamsByType,
  769. this.manifest_.sequenceMode,
  770. this.manifest_.type,
  771. this.manifest_.ignoreManifestTimestampsInSegmentsMode,
  772. );
  773. this.destroyer_.ensureNotDestroyed();
  774. this.updateDuration();
  775. for (const type of streamsByType.keys()) {
  776. const stream = streamsByType.get(type);
  777. if (!this.mediaStates_.has(type)) {
  778. const mediaState = this.createMediaState_(stream);
  779. if (segmentPrefetchById.has(stream.id)) {
  780. const segmentPrefetch = segmentPrefetchById.get(stream.id);
  781. segmentPrefetch.replaceFetchDispatcher(
  782. (reference, stream, streamDataCallback) => {
  783. return this.dispatchFetch_(
  784. reference, stream, streamDataCallback);
  785. });
  786. mediaState.segmentPrefetch = segmentPrefetch;
  787. }
  788. this.mediaStates_.set(type, mediaState);
  789. this.scheduleUpdate_(mediaState, 0);
  790. }
  791. }
  792. }
  793. /**
  794. * Creates a media state.
  795. *
  796. * @param {shaka.extern.Stream} stream
  797. * @return {shaka.media.StreamingEngine.MediaState_}
  798. * @private
  799. */
  800. createMediaState_(stream) {
  801. return /** @type {shaka.media.StreamingEngine.MediaState_} */ ({
  802. stream,
  803. type: stream.type,
  804. segmentIterator: null,
  805. segmentPrefetch: this.createSegmentPrefetch_(stream),
  806. lastSegmentReference: null,
  807. lastInitSegmentReference: null,
  808. lastTimestampOffset: null,
  809. lastAppendWindowStart: null,
  810. lastAppendWindowEnd: null,
  811. restoreStreamAfterTrickPlay: null,
  812. endOfStream: false,
  813. performingUpdate: false,
  814. updateTimer: null,
  815. waitingToClearBuffer: false,
  816. clearBufferSafeMargin: 0,
  817. waitingToFlushBuffer: false,
  818. clearingBuffer: false,
  819. // The playhead might be seeking on startup, if a start time is set, so
  820. // start "seeked" as true.
  821. seeked: true,
  822. recovering: false,
  823. hasError: false,
  824. operation: null,
  825. });
  826. }
  827. /**
  828. * Creates a media state.
  829. *
  830. * @param {shaka.extern.Stream} stream
  831. * @return {shaka.media.SegmentPrefetch | null}
  832. * @private
  833. */
  834. createSegmentPrefetch_(stream) {
  835. const ContentType = shaka.util.ManifestParserUtils.ContentType;
  836. if (stream.type === ContentType.VIDEO &&
  837. this.config_.disableVideoPrefetch) {
  838. return null;
  839. }
  840. if (stream.type === ContentType.AUDIO &&
  841. this.config_.disableAudioPrefetch) {
  842. return null;
  843. }
  844. const MimeUtils = shaka.util.MimeUtils;
  845. const CEA608_MIME = MimeUtils.CEA608_CLOSED_CAPTION_MIMETYPE;
  846. const CEA708_MIME = MimeUtils.CEA708_CLOSED_CAPTION_MIMETYPE;
  847. if (stream.type === ContentType.TEXT &&
  848. (stream.mimeType == CEA608_MIME || stream.mimeType == CEA708_MIME)) {
  849. return null;
  850. }
  851. if (stream.type === ContentType.TEXT &&
  852. this.config_.disableTextPrefetch) {
  853. return null;
  854. }
  855. if (this.audioPrefetchMap_.has(stream)) {
  856. return this.audioPrefetchMap_.get(stream);
  857. }
  858. const type = /** @type {!shaka.util.ManifestParserUtils.ContentType} */
  859. (stream.type);
  860. const mediaState = this.mediaStates_.get(type);
  861. const currentSegmentPrefetch = mediaState && mediaState.segmentPrefetch;
  862. if (currentSegmentPrefetch &&
  863. stream === currentSegmentPrefetch.getStream()) {
  864. return currentSegmentPrefetch;
  865. }
  866. if (this.config_.segmentPrefetchLimit > 0) {
  867. return new shaka.media.SegmentPrefetch(
  868. this.config_.segmentPrefetchLimit,
  869. stream,
  870. (reference, stream, streamDataCallback) => {
  871. return this.dispatchFetch_(reference, stream, streamDataCallback);
  872. },
  873. );
  874. }
  875. return null;
  876. }
  877. /**
  878. * Populates the prefetch map depending on the configuration
  879. * @private
  880. */
  881. updatePrefetchMapForAudio_() {
  882. const prefetchLimit = this.config_.segmentPrefetchLimit;
  883. const prefetchLanguages = this.config_.prefetchAudioLanguages;
  884. const LanguageUtils = shaka.util.LanguageUtils;
  885. for (const variant of this.manifest_.variants) {
  886. if (!variant.audio) {
  887. continue;
  888. }
  889. if (this.audioPrefetchMap_.has(variant.audio)) {
  890. // if we already have a segment prefetch,
  891. // update it's prefetch limit and if the new limit isn't positive,
  892. // remove the segment prefetch from our prefetch map.
  893. const prefetch = this.audioPrefetchMap_.get(variant.audio);
  894. prefetch.resetLimit(prefetchLimit);
  895. if (!(prefetchLimit > 0) ||
  896. !prefetchLanguages.some(
  897. (lang) => LanguageUtils.areLanguageCompatible(
  898. variant.audio.language, lang))
  899. ) {
  900. const type = /** @type {!shaka.util.ManifestParserUtils.ContentType}*/
  901. (variant.audio.type);
  902. const mediaState = this.mediaStates_.get(type);
  903. const currentSegmentPrefetch = mediaState &&
  904. mediaState.segmentPrefetch;
  905. // if this prefetch isn't the current one, we want to clear it
  906. if (prefetch !== currentSegmentPrefetch) {
  907. prefetch.clearAll();
  908. }
  909. this.audioPrefetchMap_.delete(variant.audio);
  910. }
  911. continue;
  912. }
  913. // don't try to create a new segment prefetch if the limit isn't positive.
  914. if (prefetchLimit <= 0) {
  915. continue;
  916. }
  917. // only create a segment prefetch if its language is configured
  918. // to be prefetched
  919. if (!prefetchLanguages.some(
  920. (lang) => LanguageUtils.areLanguageCompatible(
  921. variant.audio.language, lang))) {
  922. continue;
  923. }
  924. // use the helper to create a segment prefetch to ensure that existing
  925. // objects are reused.
  926. const segmentPrefetch = this.createSegmentPrefetch_(variant.audio);
  927. // if a segment prefetch wasn't created, skip the rest
  928. if (!segmentPrefetch) {
  929. continue;
  930. }
  931. if (!variant.audio.segmentIndex) {
  932. variant.audio.createSegmentIndex();
  933. }
  934. this.audioPrefetchMap_.set(variant.audio, segmentPrefetch);
  935. }
  936. }
  937. /**
  938. * Sets the MediaSource's duration.
  939. */
  940. updateDuration() {
  941. const duration = this.manifest_.presentationTimeline.getDuration();
  942. if (duration < Infinity) {
  943. this.playerInterface_.mediaSourceEngine.setDuration(duration);
  944. } else {
  945. // To set the media source live duration as Infinity
  946. // If infiniteLiveStreamDuration as true
  947. const duration =
  948. this.config_.infiniteLiveStreamDuration ? Infinity : Math.pow(2, 32);
  949. // Not all platforms support infinite durations, so set a finite duration
  950. // so we can append segments and so the user agent can seek.
  951. this.playerInterface_.mediaSourceEngine.setDuration(duration);
  952. }
  953. }
  954. /**
  955. * Called when |mediaState|'s update timer has expired.
  956. *
  957. * @param {!shaka.media.StreamingEngine.MediaState_} mediaState
  958. * @suppress {suspiciousCode} The compiler assumes that updateTimer can't
  959. * change during the await, and so complains about the null check.
  960. * @private
  961. */
  962. async onUpdate_(mediaState) {
  963. this.destroyer_.ensureNotDestroyed();
  964. const logPrefix = shaka.media.StreamingEngine.logPrefix_(mediaState);
  965. // Sanity check.
  966. goog.asserts.assert(
  967. !mediaState.performingUpdate && (mediaState.updateTimer != null),
  968. logPrefix + ' unexpected call to onUpdate_()');
  969. if (mediaState.performingUpdate || (mediaState.updateTimer == null)) {
  970. return;
  971. }
  972. goog.asserts.assert(
  973. !mediaState.clearingBuffer, logPrefix +
  974. ' onUpdate_() should not be called when clearing the buffer');
  975. if (mediaState.clearingBuffer) {
  976. return;
  977. }
  978. mediaState.updateTimer = null;
  979. // Handle pending buffer clears.
  980. if (mediaState.waitingToClearBuffer) {
  981. // Note: clearBuffer_() will schedule the next update.
  982. shaka.log.debug(logPrefix, 'skipping update and clearing the buffer');
  983. await this.clearBuffer_(
  984. mediaState, mediaState.waitingToFlushBuffer,
  985. mediaState.clearBufferSafeMargin);
  986. return;
  987. }
  988. // Make sure the segment index exists. If not, create the segment index.
  989. if (!mediaState.stream.segmentIndex) {
  990. const thisStream = mediaState.stream;
  991. await mediaState.stream.createSegmentIndex();
  992. if (thisStream != mediaState.stream) {
  993. // We switched streams while in the middle of this async call to
  994. // createSegmentIndex. Abandon this update and schedule a new one if
  995. // there's not already one pending.
  996. // Releases the segmentIndex of the old stream.
  997. if (thisStream.closeSegmentIndex) {
  998. goog.asserts.assert(!mediaState.stream.segmentIndex,
  999. 'mediastate.stream should not have segmentIndex yet.');
  1000. thisStream.closeSegmentIndex();
  1001. }
  1002. if (!mediaState.performingUpdate && !mediaState.updateTimer) {
  1003. this.scheduleUpdate_(mediaState, 0);
  1004. }
  1005. return;
  1006. }
  1007. }
  1008. // Update the MediaState.
  1009. try {
  1010. const delay = this.update_(mediaState);
  1011. if (delay != null) {
  1012. this.scheduleUpdate_(mediaState, delay);
  1013. mediaState.hasError = false;
  1014. }
  1015. } catch (error) {
  1016. await this.handleStreamingError_(mediaState, error);
  1017. return;
  1018. }
  1019. const mediaStates = Array.from(this.mediaStates_.values());
  1020. // Check if we've buffered to the end of the presentation. We delay adding
  1021. // the audio and video media states, so it is possible for the text stream
  1022. // to be the only state and buffer to the end. So we need to wait until we
  1023. // have completed startup to determine if we have reached the end.
  1024. if (this.startupComplete_ &&
  1025. mediaStates.every((ms) => ms.endOfStream)) {
  1026. shaka.log.v1(logPrefix, 'calling endOfStream()...');
  1027. await this.playerInterface_.mediaSourceEngine.endOfStream();
  1028. this.destroyer_.ensureNotDestroyed();
  1029. // If the media segments don't reach the end, then we need to update the
  1030. // timeline duration to match the final media duration to avoid
  1031. // buffering forever at the end.
  1032. // We should only do this if the duration needs to shrink.
  1033. // Growing it by less than 1ms can actually cause buffering on
  1034. // replay, as in https://github.com/shaka-project/shaka-player/issues/979
  1035. // On some platforms, this can spuriously be 0, so ignore this case.
  1036. // https://github.com/shaka-project/shaka-player/issues/1967,
  1037. const duration = this.playerInterface_.mediaSourceEngine.getDuration();
  1038. if (duration != 0 &&
  1039. duration < this.manifest_.presentationTimeline.getDuration()) {
  1040. this.manifest_.presentationTimeline.setDuration(duration);
  1041. }
  1042. }
  1043. }
  1044. /**
  1045. * Updates the given MediaState.
  1046. *
  1047. * @param {shaka.media.StreamingEngine.MediaState_} mediaState
  1048. * @return {?number} The number of seconds to wait until updating again or
  1049. * null if another update does not need to be scheduled.
  1050. * @private
  1051. */
  1052. update_(mediaState) {
  1053. goog.asserts.assert(this.manifest_, 'manifest_ should not be null');
  1054. goog.asserts.assert(this.config_, 'config_ should not be null');
  1055. const ContentType = shaka.util.ManifestParserUtils.ContentType;
  1056. // Do not schedule update for closed captions text mediastate, since closed
  1057. // captions are embedded in video streams.
  1058. if (shaka.media.StreamingEngine.isEmbeddedText_(mediaState)) {
  1059. this.playerInterface_.mediaSourceEngine.setSelectedClosedCaptionId(
  1060. mediaState.stream.originalId || '');
  1061. return null;
  1062. } else if (mediaState.type == ContentType.TEXT) {
  1063. // Disable embedded captions if not desired (e.g. if transitioning from
  1064. // embedded to not-embedded captions).
  1065. this.playerInterface_.mediaSourceEngine.clearSelectedClosedCaptionId();
  1066. }
  1067. if (!this.playerInterface_.mediaSourceEngine.isStreamingAllowed() &&
  1068. mediaState.type != ContentType.TEXT) {
  1069. // It is not allowed to add segments yet, so we schedule an update to
  1070. // check again later. So any prediction we make now could be terribly
  1071. // invalid soon.
  1072. return this.config_.updateIntervalSeconds / 2;
  1073. }
  1074. const logPrefix = shaka.media.StreamingEngine.logPrefix_(mediaState);
  1075. // Compute how far we've buffered ahead of the playhead.
  1076. const presentationTime = this.playerInterface_.getPresentationTime();
  1077. if (mediaState.type === ContentType.AUDIO) {
  1078. // evict all prefetched segments that are before the presentationTime
  1079. for (const stream of this.audioPrefetchMap_.keys()) {
  1080. const prefetch = this.audioPrefetchMap_.get(stream);
  1081. prefetch.evict(presentationTime, /* clearInitSegments= */ true);
  1082. prefetch.prefetchSegmentsByTime(presentationTime);
  1083. }
  1084. }
  1085. // Get the next timestamp we need.
  1086. const timeNeeded = this.getTimeNeeded_(mediaState, presentationTime);
  1087. shaka.log.v2(logPrefix, 'timeNeeded=' + timeNeeded);
  1088. // Get the amount of content we have buffered, accounting for drift. This
  1089. // is only used to determine if we have meet the buffering goal. This
  1090. // should be the same method that PlayheadObserver uses.
  1091. const bufferedAhead =
  1092. this.playerInterface_.mediaSourceEngine.bufferedAheadOf(
  1093. mediaState.type, presentationTime);
  1094. shaka.log.v2(logPrefix,
  1095. 'update_:',
  1096. 'presentationTime=' + presentationTime,
  1097. 'bufferedAhead=' + bufferedAhead);
  1098. const unscaledBufferingGoal = Math.max(
  1099. this.manifest_.minBufferTime || 0,
  1100. this.config_.rebufferingGoal,
  1101. this.config_.bufferingGoal);
  1102. const scaledBufferingGoal = Math.max(1,
  1103. unscaledBufferingGoal * this.bufferingGoalScale_);
  1104. // Check if we've buffered to the end of the presentation.
  1105. const timeUntilEnd =
  1106. this.manifest_.presentationTimeline.getDuration() - timeNeeded;
  1107. const oneMicrosecond = 1e-6;
  1108. const bufferEnd =
  1109. this.playerInterface_.mediaSourceEngine.bufferEnd(mediaState.type);
  1110. if (timeUntilEnd < oneMicrosecond && !!bufferEnd) {
  1111. // We shouldn't rebuffer if the playhead is close to the end of the
  1112. // presentation.
  1113. shaka.log.debug(logPrefix, 'buffered to end of presentation');
  1114. mediaState.endOfStream = true;
  1115. if (mediaState.type == ContentType.VIDEO) {
  1116. // Since the text stream of CEA closed captions doesn't have update
  1117. // timer, we have to set the text endOfStream based on the video
  1118. // stream's endOfStream state.
  1119. const textState = this.mediaStates_.get(ContentType.TEXT);
  1120. if (textState &&
  1121. shaka.media.StreamingEngine.isEmbeddedText_(textState)) {
  1122. textState.endOfStream = true;
  1123. }
  1124. }
  1125. return null;
  1126. }
  1127. mediaState.endOfStream = false;
  1128. // If we've buffered to the buffering goal then schedule an update.
  1129. if (bufferedAhead >= scaledBufferingGoal) {
  1130. shaka.log.v2(logPrefix, 'buffering goal met');
  1131. // Do not try to predict the next update. Just poll according to
  1132. // configuration (seconds). The playback rate can change at any time, so
  1133. // any prediction we make now could be terribly invalid soon.
  1134. return this.config_.updateIntervalSeconds / 2;
  1135. }
  1136. const reference = this.getSegmentReferenceNeeded_(
  1137. mediaState, presentationTime, bufferEnd);
  1138. if (!reference) {
  1139. // The segment could not be found, does not exist, or is not available.
  1140. // In any case just try again... if the manifest is incomplete or is not
  1141. // being updated then we'll idle forever; otherwise, we'll end up getting
  1142. // a SegmentReference eventually.
  1143. return this.config_.updateIntervalSeconds;
  1144. }
  1145. // Do not let any one stream get far ahead of any other.
  1146. let minTimeNeeded = Infinity;
  1147. const mediaStates = Array.from(this.mediaStates_.values());
  1148. for (const otherState of mediaStates) {
  1149. // Do not consider embedded captions in this calculation. It could lead
  1150. // to hangs in streaming.
  1151. if (shaka.media.StreamingEngine.isEmbeddedText_(otherState)) {
  1152. continue;
  1153. }
  1154. // If there is no next segment, ignore this stream. This happens with
  1155. // text when there's a Period with no text in it.
  1156. if (otherState.segmentIterator && !otherState.segmentIterator.current()) {
  1157. continue;
  1158. }
  1159. const timeNeeded = this.getTimeNeeded_(otherState, presentationTime);
  1160. minTimeNeeded = Math.min(minTimeNeeded, timeNeeded);
  1161. }
  1162. const maxSegmentDuration =
  1163. this.manifest_.presentationTimeline.getMaxSegmentDuration();
  1164. const maxRunAhead = maxSegmentDuration *
  1165. shaka.media.StreamingEngine.MAX_RUN_AHEAD_SEGMENTS_;
  1166. if (timeNeeded >= minTimeNeeded + maxRunAhead) {
  1167. // Wait and give other media types time to catch up to this one.
  1168. // For example, let video buffering catch up to audio buffering before
  1169. // fetching another audio segment.
  1170. shaka.log.v2(logPrefix, 'waiting for other streams to buffer');
  1171. return this.config_.updateIntervalSeconds;
  1172. }
  1173. if (mediaState.segmentPrefetch && mediaState.segmentIterator &&
  1174. !this.audioPrefetchMap_.has(mediaState.stream)) {
  1175. mediaState.segmentPrefetch.evict(presentationTime);
  1176. mediaState.segmentPrefetch.prefetchSegmentsByTime(reference.startTime);
  1177. }
  1178. const p = this.fetchAndAppend_(mediaState, presentationTime, reference);
  1179. p.catch(() => {}); // TODO(#1993): Handle asynchronous errors.
  1180. return null;
  1181. }
  1182. /**
  1183. * Gets the next timestamp needed. Returns the playhead's position if the
  1184. * buffer is empty; otherwise, returns the time at which the last segment
  1185. * appended ends.
  1186. *
  1187. * @param {shaka.media.StreamingEngine.MediaState_} mediaState
  1188. * @param {number} presentationTime
  1189. * @return {number} The next timestamp needed.
  1190. * @private
  1191. */
  1192. getTimeNeeded_(mediaState, presentationTime) {
  1193. // Get the next timestamp we need. We must use |lastSegmentReference|
  1194. // to determine this and not the actual buffer for two reasons:
  1195. // 1. Actual segments end slightly before their advertised end times, so
  1196. // the next timestamp we need is actually larger than |bufferEnd|.
  1197. // 2. There may be drift (the timestamps in the segments are ahead/behind
  1198. // of the timestamps in the manifest), but we need drift-free times
  1199. // when comparing times against the presentation timeline.
  1200. if (!mediaState.lastSegmentReference) {
  1201. return presentationTime;
  1202. }
  1203. return mediaState.lastSegmentReference.endTime;
  1204. }
  1205. /**
  1206. * Gets the SegmentReference of the next segment needed.
  1207. *
  1208. * @param {shaka.media.StreamingEngine.MediaState_} mediaState
  1209. * @param {number} presentationTime
  1210. * @param {?number} bufferEnd
  1211. * @return {shaka.media.SegmentReference} The SegmentReference of the
  1212. * next segment needed. Returns null if a segment could not be found, does
  1213. * not exist, or is not available.
  1214. * @private
  1215. */
  1216. getSegmentReferenceNeeded_(mediaState, presentationTime, bufferEnd) {
  1217. const logPrefix = shaka.media.StreamingEngine.logPrefix_(mediaState);
  1218. goog.asserts.assert(
  1219. mediaState.stream.segmentIndex,
  1220. 'segment index should have been generated already');
  1221. if (mediaState.segmentIterator) {
  1222. // Something is buffered from the same Stream. Use the current position
  1223. // in the segment index. This is updated via next() after each segment is
  1224. // appended.
  1225. return mediaState.segmentIterator.current();
  1226. } else if (mediaState.lastSegmentReference || bufferEnd) {
  1227. // Something is buffered from another Stream.
  1228. const time = mediaState.lastSegmentReference ?
  1229. mediaState.lastSegmentReference.endTime :
  1230. bufferEnd;
  1231. goog.asserts.assert(time != null, 'Should have a time to search');
  1232. shaka.log.v1(
  1233. logPrefix, 'looking up segment from new stream endTime:', time);
  1234. const reverse = this.playerInterface_.getPlaybackRate() < 0;
  1235. mediaState.segmentIterator =
  1236. mediaState.stream.segmentIndex.getIteratorForTime(
  1237. time, /* allowNonIndepedent= */ false, reverse);
  1238. const ref = mediaState.segmentIterator &&
  1239. mediaState.segmentIterator.next().value;
  1240. if (ref == null) {
  1241. shaka.log.warning(logPrefix, 'cannot find segment', 'endTime:', time);
  1242. }
  1243. return ref;
  1244. } else {
  1245. // Nothing is buffered. Start at the playhead time.
  1246. // If there's positive drift then we need to adjust the lookup time, and
  1247. // may wind up requesting the previous segment to be safe.
  1248. // inaccurateManifestTolerance should be 0 for low latency streaming.
  1249. const inaccurateTolerance = this.config_.inaccurateManifestTolerance;
  1250. const lookupTime = Math.max(presentationTime - inaccurateTolerance, 0);
  1251. shaka.log.v1(logPrefix, 'looking up segment',
  1252. 'lookupTime:', lookupTime,
  1253. 'presentationTime:', presentationTime);
  1254. const reverse = this.playerInterface_.getPlaybackRate() < 0;
  1255. let ref = null;
  1256. if (inaccurateTolerance) {
  1257. mediaState.segmentIterator =
  1258. mediaState.stream.segmentIndex.getIteratorForTime(
  1259. lookupTime, /* allowNonIndepedent= */ false, reverse);
  1260. ref = mediaState.segmentIterator &&
  1261. mediaState.segmentIterator.next().value;
  1262. }
  1263. if (!ref) {
  1264. // If we can't find a valid segment with the drifted time, look for a
  1265. // segment with the presentation time.
  1266. mediaState.segmentIterator =
  1267. mediaState.stream.segmentIndex.getIteratorForTime(
  1268. presentationTime, /* allowNonIndepedent= */ false, reverse);
  1269. ref = mediaState.segmentIterator &&
  1270. mediaState.segmentIterator.next().value;
  1271. }
  1272. if (ref == null) {
  1273. shaka.log.warning(logPrefix, 'cannot find segment',
  1274. 'lookupTime:', lookupTime,
  1275. 'presentationTime:', presentationTime);
  1276. }
  1277. return ref;
  1278. }
  1279. }
  1280. /**
  1281. * Fetches and appends the given segment. Sets up the given MediaState's
  1282. * associated SourceBuffer and evicts segments if either are required
  1283. * beforehand. Schedules another update after completing successfully.
  1284. *
  1285. * @param {!shaka.media.StreamingEngine.MediaState_} mediaState
  1286. * @param {number} presentationTime
  1287. * @param {!shaka.media.SegmentReference} reference
  1288. * @private
  1289. */
  1290. async fetchAndAppend_(mediaState, presentationTime, reference) {
  1291. const ContentType = shaka.util.ManifestParserUtils.ContentType;
  1292. const StreamingEngine = shaka.media.StreamingEngine;
  1293. const logPrefix = StreamingEngine.logPrefix_(mediaState);
  1294. shaka.log.v1(logPrefix,
  1295. 'fetchAndAppend_:',
  1296. 'presentationTime=' + presentationTime,
  1297. 'reference.startTime=' + reference.startTime,
  1298. 'reference.endTime=' + reference.endTime);
  1299. // Subtlety: The playhead may move while asynchronous update operations are
  1300. // in progress, so we should avoid calling playhead.getTime() in any
  1301. // callbacks. Furthermore, switch() or seeked() may be called at any time,
  1302. // so we store the old iterator. This allows the mediaState to change and
  1303. // we'll update the old iterator.
  1304. const stream = mediaState.stream;
  1305. const iter = mediaState.segmentIterator;
  1306. mediaState.performingUpdate = true;
  1307. try {
  1308. if (reference.getStatus() ==
  1309. shaka.media.SegmentReference.Status.MISSING) {
  1310. throw new shaka.util.Error(
  1311. shaka.util.Error.Severity.RECOVERABLE,
  1312. shaka.util.Error.Category.NETWORK,
  1313. shaka.util.Error.Code.SEGMENT_MISSING);
  1314. }
  1315. await this.initSourceBuffer_(mediaState, reference);
  1316. this.destroyer_.ensureNotDestroyed();
  1317. if (this.fatalError_) {
  1318. return;
  1319. }
  1320. shaka.log.v2(logPrefix, 'fetching segment');
  1321. const isMP4 = stream.mimeType == 'video/mp4' ||
  1322. stream.mimeType == 'audio/mp4';
  1323. const isReadableStreamSupported = window.ReadableStream;
  1324. // Enable MP4 low latency streaming with ReadableStream chunked data.
  1325. // And only for DASH and HLS with byterange optimization.
  1326. if (this.config_.lowLatencyMode && isReadableStreamSupported && isMP4 &&
  1327. (this.manifest_.type != shaka.media.ManifestParser.HLS ||
  1328. reference.hasByterangeOptimization())) {
  1329. let remaining = new Uint8Array(0);
  1330. let processingResult = false;
  1331. let callbackCalled = false;
  1332. let streamDataCallbackError;
  1333. const streamDataCallback = async (data) => {
  1334. if (processingResult) {
  1335. // If the fallback result processing was triggered, don't also
  1336. // append the buffer here. In theory this should never happen,
  1337. // but it does on some older TVs.
  1338. return;
  1339. }
  1340. callbackCalled = true;
  1341. this.destroyer_.ensureNotDestroyed();
  1342. if (this.fatalError_) {
  1343. return;
  1344. }
  1345. try {
  1346. // Append the data with complete boxes.
  1347. // Every time streamDataCallback gets called, append the new data
  1348. // to the remaining data.
  1349. // Find the last fully completed Mdat box, and slice the data into
  1350. // two parts: the first part with completed Mdat boxes, and the
  1351. // second part with an incomplete box.
  1352. // Append the first part, and save the second part as remaining
  1353. // data, and handle it with the next streamDataCallback call.
  1354. remaining = this.concatArray_(remaining, data);
  1355. let sawMDAT = false;
  1356. let offset = 0;
  1357. new shaka.util.Mp4Parser()
  1358. .box('mdat', (box) => {
  1359. offset = box.size + box.start;
  1360. sawMDAT = true;
  1361. })
  1362. .parse(remaining, /* partialOkay= */ false,
  1363. /* isChunkedData= */ true);
  1364. if (sawMDAT) {
  1365. const dataToAppend = remaining.subarray(0, offset);
  1366. remaining = remaining.subarray(offset);
  1367. await this.append_(
  1368. mediaState, presentationTime, stream, reference, dataToAppend,
  1369. /* isChunkedData= */ true);
  1370. if (mediaState.segmentPrefetch && mediaState.segmentIterator) {
  1371. mediaState.segmentPrefetch.prefetchSegmentsByTime(
  1372. reference.startTime, /* skipFirst= */ true);
  1373. }
  1374. }
  1375. } catch (error) {
  1376. streamDataCallbackError = error;
  1377. }
  1378. };
  1379. const result =
  1380. await this.fetch_(mediaState, reference, streamDataCallback);
  1381. if (streamDataCallbackError) {
  1382. throw streamDataCallbackError;
  1383. }
  1384. if (!callbackCalled) {
  1385. // In some environments, we might be forced to use network plugins
  1386. // that don't support streamDataCallback. In those cases, as a
  1387. // fallback, append the buffer here.
  1388. processingResult = true;
  1389. this.destroyer_.ensureNotDestroyed();
  1390. if (this.fatalError_) {
  1391. return;
  1392. }
  1393. // If the text stream gets switched between fetch_() and append_(),
  1394. // the new text parser is initialized, but the new init segment is
  1395. // not fetched yet. That would cause an error in
  1396. // TextParser.parseMedia().
  1397. // See http://b/168253400
  1398. if (mediaState.waitingToClearBuffer) {
  1399. shaka.log.info(logPrefix, 'waitingToClearBuffer, skip append');
  1400. mediaState.performingUpdate = false;
  1401. this.scheduleUpdate_(mediaState, 0);
  1402. return;
  1403. }
  1404. await this.append_(
  1405. mediaState, presentationTime, stream, reference, result);
  1406. }
  1407. if (mediaState.segmentPrefetch && mediaState.segmentIterator) {
  1408. mediaState.segmentPrefetch.prefetchSegmentsByTime(
  1409. reference.startTime, /* skipFirst= */ true);
  1410. }
  1411. } else {
  1412. if (this.config_.lowLatencyMode && !isReadableStreamSupported) {
  1413. shaka.log.warning('Low latency streaming mode is enabled, but ' +
  1414. 'ReadableStream is not supported by the browser.');
  1415. }
  1416. const fetchSegment = this.fetch_(mediaState, reference);
  1417. const result = await fetchSegment;
  1418. this.destroyer_.ensureNotDestroyed();
  1419. if (this.fatalError_) {
  1420. return;
  1421. }
  1422. this.destroyer_.ensureNotDestroyed();
  1423. // If the text stream gets switched between fetch_() and append_(), the
  1424. // new text parser is initialized, but the new init segment is not
  1425. // fetched yet. That would cause an error in TextParser.parseMedia().
  1426. // See http://b/168253400
  1427. if (mediaState.waitingToClearBuffer) {
  1428. shaka.log.info(logPrefix, 'waitingToClearBuffer, skip append');
  1429. mediaState.performingUpdate = false;
  1430. this.scheduleUpdate_(mediaState, 0);
  1431. return;
  1432. }
  1433. await this.append_(
  1434. mediaState, presentationTime, stream, reference, result);
  1435. }
  1436. this.destroyer_.ensureNotDestroyed();
  1437. if (this.fatalError_) {
  1438. return;
  1439. }
  1440. // move to next segment after appending the current segment.
  1441. mediaState.lastSegmentReference = reference;
  1442. const newRef = iter.next().value;
  1443. shaka.log.v2(logPrefix, 'advancing to next segment', newRef);
  1444. mediaState.performingUpdate = false;
  1445. mediaState.recovering = false;
  1446. const info = this.playerInterface_.mediaSourceEngine.getBufferedInfo();
  1447. const buffered = info[mediaState.type];
  1448. // Convert the buffered object to a string capture its properties on
  1449. // WebOS.
  1450. shaka.log.v1(logPrefix, 'finished fetch and append',
  1451. JSON.stringify(buffered));
  1452. if (!mediaState.waitingToClearBuffer) {
  1453. this.playerInterface_.onSegmentAppended(reference, mediaState.stream);
  1454. }
  1455. // Update right away.
  1456. this.scheduleUpdate_(mediaState, 0);
  1457. } catch (error) {
  1458. this.destroyer_.ensureNotDestroyed(error);
  1459. if (this.fatalError_) {
  1460. return;
  1461. }
  1462. goog.asserts.assert(error instanceof shaka.util.Error,
  1463. 'Should only receive a Shaka error');
  1464. mediaState.performingUpdate = false;
  1465. if (error.code == shaka.util.Error.Code.OPERATION_ABORTED) {
  1466. // If the network slows down, abort the current fetch request and start
  1467. // a new one, and ignore the error message.
  1468. mediaState.performingUpdate = false;
  1469. this.cancelUpdate_(mediaState);
  1470. this.scheduleUpdate_(mediaState, 0);
  1471. } else if (mediaState.type == ContentType.TEXT &&
  1472. this.config_.ignoreTextStreamFailures) {
  1473. if (error.code == shaka.util.Error.Code.BAD_HTTP_STATUS) {
  1474. shaka.log.warning(logPrefix,
  1475. 'Text stream failed to download. Proceeding without it.');
  1476. } else {
  1477. shaka.log.warning(logPrefix,
  1478. 'Text stream failed to parse. Proceeding without it.');
  1479. }
  1480. this.mediaStates_.delete(ContentType.TEXT);
  1481. } else if (error.code == shaka.util.Error.Code.QUOTA_EXCEEDED_ERROR) {
  1482. this.handleQuotaExceeded_(mediaState, error);
  1483. } else {
  1484. shaka.log.error(logPrefix, 'failed fetch and append: code=' +
  1485. error.code);
  1486. mediaState.hasError = true;
  1487. if (error.category == shaka.util.Error.Category.NETWORK &&
  1488. mediaState.segmentPrefetch) {
  1489. mediaState.segmentPrefetch.removeReference(reference);
  1490. }
  1491. error.severity = shaka.util.Error.Severity.CRITICAL;
  1492. await this.handleStreamingError_(mediaState, error);
  1493. }
  1494. }
  1495. }
  1496. /**
  1497. * @param {!BufferSource} rawResult
  1498. * @param {shaka.extern.aesKey} aesKey
  1499. * @param {number} position
  1500. * @return {!Promise.<!BufferSource>} finalResult
  1501. * @private
  1502. */
  1503. async aesDecrypt_(rawResult, aesKey, position) {
  1504. const key = aesKey;
  1505. if (!key.cryptoKey) {
  1506. goog.asserts.assert(key.fetchKey, 'If AES cryptoKey was not ' +
  1507. 'preloaded, fetchKey function should be provided');
  1508. await key.fetchKey();
  1509. goog.asserts.assert(key.cryptoKey, 'AES cryptoKey should now be set');
  1510. }
  1511. let iv = key.iv;
  1512. if (!iv) {
  1513. iv = shaka.util.BufferUtils.toUint8(new ArrayBuffer(16));
  1514. let sequence = key.firstMediaSequenceNumber + position;
  1515. for (let i = iv.byteLength - 1; i >= 0; i--) {
  1516. iv[i] = sequence & 0xff;
  1517. sequence >>= 8;
  1518. }
  1519. }
  1520. let algorithm;
  1521. if (aesKey.blockCipherMode == 'CBC') {
  1522. algorithm = {
  1523. name: 'AES-CBC',
  1524. iv,
  1525. };
  1526. } else {
  1527. algorithm = {
  1528. name: 'AES-CTR',
  1529. counter: iv,
  1530. // NIST SP800-38A standard suggests that the counter should occupy half
  1531. // of the counter block
  1532. length: 64,
  1533. };
  1534. }
  1535. return window.crypto.subtle.decrypt(algorithm, key.cryptoKey, rawResult);
  1536. }
  1537. /**
  1538. * Clear per-stream error states and retry any failed streams.
  1539. * @param {number} delaySeconds
  1540. * @return {boolean} False if unable to retry.
  1541. */
  1542. retry(delaySeconds) {
  1543. if (this.destroyer_.destroyed()) {
  1544. shaka.log.error('Unable to retry after StreamingEngine is destroyed!');
  1545. return false;
  1546. }
  1547. if (this.fatalError_) {
  1548. shaka.log.error('Unable to retry after StreamingEngine encountered a ' +
  1549. 'fatal error!');
  1550. return false;
  1551. }
  1552. for (const mediaState of this.mediaStates_.values()) {
  1553. const logPrefix = shaka.media.StreamingEngine.logPrefix_(mediaState);
  1554. // Only schedule an update if it has an error, but it's not mid-update
  1555. // and there is not already an update scheduled.
  1556. if (mediaState.hasError && !mediaState.performingUpdate &&
  1557. !mediaState.updateTimer) {
  1558. shaka.log.info(logPrefix, 'Retrying after failure...');
  1559. mediaState.hasError = false;
  1560. this.scheduleUpdate_(mediaState, delaySeconds);
  1561. }
  1562. }
  1563. return true;
  1564. }
  1565. /**
  1566. * Append the data to the remaining data.
  1567. * @param {!Uint8Array} remaining
  1568. * @param {!Uint8Array} data
  1569. * @return {!Uint8Array}
  1570. * @private
  1571. */
  1572. concatArray_(remaining, data) {
  1573. const result = new Uint8Array(remaining.length + data.length);
  1574. result.set(remaining);
  1575. result.set(data, remaining.length);
  1576. return result;
  1577. }
  1578. /**
  1579. * Handles a QUOTA_EXCEEDED_ERROR.
  1580. *
  1581. * @param {shaka.media.StreamingEngine.MediaState_} mediaState
  1582. * @param {!shaka.util.Error} error
  1583. * @private
  1584. */
  1585. handleQuotaExceeded_(mediaState, error) {
  1586. const logPrefix = shaka.media.StreamingEngine.logPrefix_(mediaState);
  1587. // The segment cannot fit into the SourceBuffer. Ideally, MediaSource would
  1588. // have evicted old data to accommodate the segment; however, it may have
  1589. // failed to do this if the segment is very large, or if it could not find
  1590. // a suitable time range to remove.
  1591. //
  1592. // We can overcome the latter by trying to append the segment again;
  1593. // however, to avoid continuous QuotaExceededErrors we must reduce the size
  1594. // of the buffer going forward.
  1595. //
  1596. // If we've recently reduced the buffering goals, wait until the stream
  1597. // which caused the first QuotaExceededError recovers. Doing this ensures
  1598. // we don't reduce the buffering goals too quickly.
  1599. const mediaStates = Array.from(this.mediaStates_.values());
  1600. const waitingForAnotherStreamToRecover = mediaStates.some((ms) => {
  1601. return ms != mediaState && ms.recovering;
  1602. });
  1603. if (!waitingForAnotherStreamToRecover) {
  1604. if (this.config_.maxDisabledTime > 0) {
  1605. const handled = this.playerInterface_.disableStream(
  1606. mediaState.stream, this.config_.maxDisabledTime);
  1607. if (handled) {
  1608. return;
  1609. }
  1610. }
  1611. // Reduction schedule: 80%, 60%, 40%, 20%, 16%, 12%, 8%, 4%, fail.
  1612. // Note: percentages are used for comparisons to avoid rounding errors.
  1613. const percentBefore = Math.round(100 * this.bufferingGoalScale_);
  1614. if (percentBefore > 20) {
  1615. this.bufferingGoalScale_ -= 0.2;
  1616. } else if (percentBefore > 4) {
  1617. this.bufferingGoalScale_ -= 0.04;
  1618. } else {
  1619. shaka.log.error(
  1620. logPrefix, 'MediaSource threw QuotaExceededError too many times');
  1621. mediaState.hasError = true;
  1622. this.fatalError_ = true;
  1623. this.playerInterface_.onError(error);
  1624. return;
  1625. }
  1626. const percentAfter = Math.round(100 * this.bufferingGoalScale_);
  1627. shaka.log.warning(
  1628. logPrefix,
  1629. 'MediaSource threw QuotaExceededError:',
  1630. 'reducing buffering goals by ' + (100 - percentAfter) + '%');
  1631. mediaState.recovering = true;
  1632. } else {
  1633. shaka.log.debug(
  1634. logPrefix,
  1635. 'MediaSource threw QuotaExceededError:',
  1636. 'waiting for another stream to recover...');
  1637. }
  1638. // QuotaExceededError gets thrown if eviction didn't help to make room
  1639. // for a segment. We want to wait for a while (4 seconds is just an
  1640. // arbitrary number) before updating to give the playhead a chance to
  1641. // advance, so we don't immediately throw again.
  1642. this.scheduleUpdate_(mediaState, 4);
  1643. }
  1644. /**
  1645. * Sets the given MediaState's associated SourceBuffer's timestamp offset,
  1646. * append window, and init segment if they have changed. If an error occurs
  1647. * then neither the timestamp offset or init segment are unset, since another
  1648. * call to switch() will end up superseding them.
  1649. *
  1650. * @param {shaka.media.StreamingEngine.MediaState_} mediaState
  1651. * @param {!shaka.media.SegmentReference} reference
  1652. * @return {!Promise}
  1653. * @private
  1654. */
  1655. async initSourceBuffer_(mediaState, reference) {
  1656. const ContentType = shaka.util.ManifestParserUtils.ContentType;
  1657. const MimeUtils = shaka.util.MimeUtils;
  1658. const StreamingEngine = shaka.media.StreamingEngine;
  1659. const logPrefix = StreamingEngine.logPrefix_(mediaState);
  1660. /** @type {!Array.<!Promise>} */
  1661. const operations = [];
  1662. // Rounding issues can cause us to remove the first frame of a Period, so
  1663. // reduce the window start time slightly.
  1664. const appendWindowStart = Math.max(0,
  1665. reference.appendWindowStart -
  1666. StreamingEngine.APPEND_WINDOW_START_FUDGE_);
  1667. const appendWindowEnd =
  1668. reference.appendWindowEnd + StreamingEngine.APPEND_WINDOW_END_FUDGE_;
  1669. goog.asserts.assert(
  1670. reference.startTime <= appendWindowEnd,
  1671. logPrefix + ' segment should start before append window end');
  1672. const codecs = MimeUtils.getCodecBase(mediaState.stream.codecs);
  1673. const mimeType = MimeUtils.getBasicType(mediaState.stream.mimeType);
  1674. const timestampOffset = reference.timestampOffset;
  1675. if (timestampOffset != mediaState.lastTimestampOffset ||
  1676. appendWindowStart != mediaState.lastAppendWindowStart ||
  1677. appendWindowEnd != mediaState.lastAppendWindowEnd ||
  1678. codecs != mediaState.lastCodecs ||
  1679. mimeType != mediaState.lastMimeType) {
  1680. shaka.log.v1(logPrefix, 'setting timestamp offset to ' + timestampOffset);
  1681. shaka.log.v1(logPrefix,
  1682. 'setting append window start to ' + appendWindowStart);
  1683. shaka.log.v1(logPrefix,
  1684. 'setting append window end to ' + appendWindowEnd);
  1685. const isResetMediaSourceNecessary =
  1686. mediaState.lastCodecs && mediaState.lastMimeType &&
  1687. this.playerInterface_.mediaSourceEngine.isResetMediaSourceNecessary(
  1688. mediaState.type, mediaState.stream, mimeType, codecs);
  1689. if (isResetMediaSourceNecessary) {
  1690. let otherState = null;
  1691. if (mediaState.type === ContentType.VIDEO) {
  1692. otherState = this.mediaStates_.get(ContentType.AUDIO);
  1693. } else if (mediaState.type === ContentType.AUDIO) {
  1694. otherState = this.mediaStates_.get(ContentType.VIDEO);
  1695. }
  1696. if (otherState) {
  1697. // First, abort all operations in progress on the other stream.
  1698. await this.abortOperations_(otherState).catch(() => {});
  1699. // Then clear our cache of the last init segment, since MSE will be
  1700. // reloaded and no init segment will be there post-reload.
  1701. otherState.lastInitSegmentReference = null;
  1702. // Now force the existing buffer to be cleared. It is not necessary
  1703. // to perform the MSE clear operation, but this has the side-effect
  1704. // that our state for that stream will then match MSE's post-reload
  1705. // state.
  1706. this.forceClearBuffer_(otherState);
  1707. }
  1708. }
  1709. const setProperties = async () => {
  1710. /**
  1711. * @type {!Map.<shaka.util.ManifestParserUtils.ContentType,
  1712. * shaka.extern.Stream>}
  1713. */
  1714. const streamsByType = new Map();
  1715. if (this.currentVariant_.audio) {
  1716. streamsByType.set(ContentType.AUDIO, this.currentVariant_.audio);
  1717. }
  1718. if (this.currentVariant_.video) {
  1719. streamsByType.set(ContentType.VIDEO, this.currentVariant_.video);
  1720. }
  1721. try {
  1722. mediaState.lastAppendWindowStart = appendWindowStart;
  1723. mediaState.lastAppendWindowEnd = appendWindowEnd;
  1724. mediaState.lastCodecs = codecs;
  1725. mediaState.lastMimeType = mimeType;
  1726. mediaState.lastTimestampOffset = timestampOffset;
  1727. const ignoreTimestampOffset = this.manifest_.sequenceMode ||
  1728. this.manifest_.type == shaka.media.ManifestParser.HLS;
  1729. await this.playerInterface_.mediaSourceEngine.setStreamProperties(
  1730. mediaState.type, timestampOffset, appendWindowStart,
  1731. appendWindowEnd, ignoreTimestampOffset,
  1732. reference.mimeType || mediaState.stream.mimeType,
  1733. reference.codecs || mediaState.stream.codecs, streamsByType);
  1734. } catch (error) {
  1735. mediaState.lastAppendWindowStart = null;
  1736. mediaState.lastAppendWindowEnd = null;
  1737. mediaState.lastCodecs = null;
  1738. mediaState.lastTimestampOffset = null;
  1739. throw error;
  1740. }
  1741. };
  1742. // Dispatching init asynchronously causes the sourceBuffers in
  1743. // the MediaSourceEngine to become detached do to race conditions
  1744. // with mediaSource and sourceBuffers being created simultaneously.
  1745. await setProperties();
  1746. }
  1747. if (!shaka.media.InitSegmentReference.equal(
  1748. reference.initSegmentReference, mediaState.lastInitSegmentReference)) {
  1749. mediaState.lastInitSegmentReference = reference.initSegmentReference;
  1750. if (reference.isIndependent() && reference.initSegmentReference) {
  1751. shaka.log.v1(logPrefix, 'fetching init segment');
  1752. const fetchInit =
  1753. this.fetch_(mediaState, reference.initSegmentReference);
  1754. const append = async () => {
  1755. try {
  1756. const initSegment = await fetchInit;
  1757. this.destroyer_.ensureNotDestroyed();
  1758. let lastTimescale = null;
  1759. const timescaleMap = new Map();
  1760. /** @type {!shaka.extern.SpatialVideoInfo} */
  1761. const spatialVideoInfo = {
  1762. projection: null,
  1763. hfov: null,
  1764. };
  1765. const parser = new shaka.util.Mp4Parser();
  1766. const Mp4Parser = shaka.util.Mp4Parser;
  1767. const Mp4BoxParsers = shaka.util.Mp4BoxParsers;
  1768. parser.box('moov', Mp4Parser.children)
  1769. .box('trak', Mp4Parser.children)
  1770. .box('mdia', Mp4Parser.children)
  1771. .fullBox('mdhd', (box) => {
  1772. goog.asserts.assert(
  1773. box.version != null,
  1774. 'MDHD is a full box and should have a valid version.');
  1775. const parsedMDHDBox = Mp4BoxParsers.parseMDHD(
  1776. box.reader, box.version);
  1777. lastTimescale = parsedMDHDBox.timescale;
  1778. })
  1779. .box('hdlr', (box) => {
  1780. const parsedHDLR = Mp4BoxParsers.parseHDLR(box.reader);
  1781. switch (parsedHDLR.handlerType) {
  1782. case 'soun':
  1783. timescaleMap.set(ContentType.AUDIO, lastTimescale);
  1784. break;
  1785. case 'vide':
  1786. timescaleMap.set(ContentType.VIDEO, lastTimescale);
  1787. break;
  1788. }
  1789. lastTimescale = null;
  1790. })
  1791. .box('minf', Mp4Parser.children)
  1792. .box('stbl', Mp4Parser.children)
  1793. .fullBox('stsd', Mp4Parser.sampleDescription)
  1794. .box('encv', Mp4Parser.visualSampleEntry)
  1795. .box('avc1', Mp4Parser.visualSampleEntry)
  1796. .box('avc3', Mp4Parser.visualSampleEntry)
  1797. .box('hev1', Mp4Parser.visualSampleEntry)
  1798. .box('hvc1', Mp4Parser.visualSampleEntry)
  1799. .box('dvav', Mp4Parser.visualSampleEntry)
  1800. .box('dva1', Mp4Parser.visualSampleEntry)
  1801. .box('dvh1', Mp4Parser.visualSampleEntry)
  1802. .box('dvhe', Mp4Parser.visualSampleEntry)
  1803. .box('vexu', Mp4Parser.children)
  1804. .box('proj', Mp4Parser.children)
  1805. .fullBox('prji', (box) => {
  1806. const parsedPRJIBox = Mp4BoxParsers.parsePRJI(box.reader);
  1807. spatialVideoInfo.projection = parsedPRJIBox.projection;
  1808. })
  1809. .box('hfov', (box) => {
  1810. const parsedHFOVBox = Mp4BoxParsers.parseHFOV(box.reader);
  1811. spatialVideoInfo.hfov = parsedHFOVBox.hfov;
  1812. })
  1813. .parse(initSegment);
  1814. this.updateSpatialVideoInfo_(spatialVideoInfo);
  1815. if (timescaleMap.has(mediaState.type)) {
  1816. reference.initSegmentReference.timescale =
  1817. timescaleMap.get(mediaState.type);
  1818. } else if (lastTimescale != null) {
  1819. // Fallback for segments without HDLR box
  1820. reference.initSegmentReference.timescale = lastTimescale;
  1821. }
  1822. shaka.log.v1(logPrefix, 'appending init segment');
  1823. const hasClosedCaptions = mediaState.stream.closedCaptions &&
  1824. mediaState.stream.closedCaptions.size > 0;
  1825. await this.playerInterface_.beforeAppendSegment(
  1826. mediaState.type, initSegment);
  1827. await this.playerInterface_.mediaSourceEngine.appendBuffer(
  1828. mediaState.type, initSegment, /* reference= */ null,
  1829. mediaState.stream, hasClosedCaptions);
  1830. } catch (error) {
  1831. mediaState.lastInitSegmentReference = null;
  1832. throw error;
  1833. }
  1834. };
  1835. this.playerInterface_.onInitSegmentAppended(
  1836. reference.startTime, reference.initSegmentReference);
  1837. operations.push(append());
  1838. }
  1839. }
  1840. if (this.manifest_.sequenceMode) {
  1841. const lastDiscontinuitySequence =
  1842. mediaState.lastSegmentReference ?
  1843. mediaState.lastSegmentReference.discontinuitySequence : null;
  1844. // Across discontinuity bounds, we should resync timestamps for
  1845. // sequence mode playbacks. The next segment appended should
  1846. // land at its theoretical timestamp from the segment index.
  1847. if (reference.discontinuitySequence != lastDiscontinuitySequence) {
  1848. operations.push(this.playerInterface_.mediaSourceEngine.resync(
  1849. mediaState.type, reference.startTime));
  1850. }
  1851. }
  1852. await Promise.all(operations);
  1853. }
  1854. /**
  1855. * Appends the given segment and evicts content if required to append.
  1856. *
  1857. * @param {!shaka.media.StreamingEngine.MediaState_} mediaState
  1858. * @param {number} presentationTime
  1859. * @param {shaka.extern.Stream} stream
  1860. * @param {!shaka.media.SegmentReference} reference
  1861. * @param {BufferSource} segment
  1862. * @param {boolean=} isChunkedData
  1863. * @return {!Promise}
  1864. * @private
  1865. */
  1866. async append_(mediaState, presentationTime, stream, reference, segment,
  1867. isChunkedData = false) {
  1868. const logPrefix = shaka.media.StreamingEngine.logPrefix_(mediaState);
  1869. const hasClosedCaptions = stream.closedCaptions &&
  1870. stream.closedCaptions.size > 0;
  1871. let parser;
  1872. const hasEmsg = ((stream.emsgSchemeIdUris != null &&
  1873. stream.emsgSchemeIdUris.length > 0) ||
  1874. this.config_.dispatchAllEmsgBoxes);
  1875. const shouldParsePrftBox =
  1876. (this.config_.parsePrftBox && !this.parsedPrftEventRaised_);
  1877. if (hasEmsg || shouldParsePrftBox) {
  1878. parser = new shaka.util.Mp4Parser();
  1879. }
  1880. if (hasEmsg) {
  1881. parser
  1882. .fullBox(
  1883. 'emsg',
  1884. (box) => this.parseEMSG_(
  1885. reference, stream.emsgSchemeIdUris, box));
  1886. }
  1887. if (shouldParsePrftBox) {
  1888. parser
  1889. .fullBox(
  1890. 'prft',
  1891. (box) => this.parsePrft_(
  1892. reference, box));
  1893. }
  1894. if (hasEmsg || shouldParsePrftBox) {
  1895. parser.parse(segment);
  1896. }
  1897. await this.evict_(mediaState, presentationTime);
  1898. this.destroyer_.ensureNotDestroyed();
  1899. // 'seeked' or 'adaptation' triggered logic applies only to this
  1900. // appendBuffer() call.
  1901. const seeked = mediaState.seeked;
  1902. mediaState.seeked = false;
  1903. const adaptation = mediaState.adaptation;
  1904. mediaState.adaptation = false;
  1905. await this.playerInterface_.beforeAppendSegment(mediaState.type, segment);
  1906. await this.playerInterface_.mediaSourceEngine.appendBuffer(
  1907. mediaState.type,
  1908. segment,
  1909. reference,
  1910. stream,
  1911. hasClosedCaptions,
  1912. seeked,
  1913. adaptation,
  1914. isChunkedData);
  1915. this.destroyer_.ensureNotDestroyed();
  1916. shaka.log.v2(logPrefix, 'appended media segment');
  1917. }
  1918. /**
  1919. * Parse the EMSG box from a MP4 container.
  1920. *
  1921. * @param {!shaka.media.SegmentReference} reference
  1922. * @param {?Array.<string>} emsgSchemeIdUris Array of emsg
  1923. * scheme_id_uri for which emsg boxes should be parsed.
  1924. * @param {!shaka.extern.ParsedBox} box
  1925. * @private
  1926. * https://dashif-documents.azurewebsites.net/Events/master/event.html#emsg-format
  1927. * aligned(8) class DASHEventMessageBox
  1928. * extends FullBox(‘emsg’, version, flags = 0){
  1929. * if (version==0) {
  1930. * string scheme_id_uri;
  1931. * string value;
  1932. * unsigned int(32) timescale;
  1933. * unsigned int(32) presentation_time_delta;
  1934. * unsigned int(32) event_duration;
  1935. * unsigned int(32) id;
  1936. * } else if (version==1) {
  1937. * unsigned int(32) timescale;
  1938. * unsigned int(64) presentation_time;
  1939. * unsigned int(32) event_duration;
  1940. * unsigned int(32) id;
  1941. * string scheme_id_uri;
  1942. * string value;
  1943. * }
  1944. * unsigned int(8) message_data[];
  1945. */
  1946. parseEMSG_(reference, emsgSchemeIdUris, box) {
  1947. let timescale;
  1948. let id;
  1949. let eventDuration;
  1950. let schemeId;
  1951. let startTime;
  1952. let presentationTimeDelta;
  1953. let value;
  1954. if (box.version === 0) {
  1955. schemeId = box.reader.readTerminatedString();
  1956. value = box.reader.readTerminatedString();
  1957. timescale = box.reader.readUint32();
  1958. presentationTimeDelta = box.reader.readUint32();
  1959. eventDuration = box.reader.readUint32();
  1960. id = box.reader.readUint32();
  1961. startTime = reference.startTime + (presentationTimeDelta / timescale);
  1962. } else {
  1963. timescale = box.reader.readUint32();
  1964. const pts = box.reader.readUint64();
  1965. startTime = (pts / timescale) + reference.timestampOffset;
  1966. presentationTimeDelta = startTime - reference.startTime;
  1967. eventDuration = box.reader.readUint32();
  1968. id = box.reader.readUint32();
  1969. schemeId = box.reader.readTerminatedString();
  1970. value = box.reader.readTerminatedString();
  1971. }
  1972. const messageData = box.reader.readBytes(
  1973. box.reader.getLength() - box.reader.getPosition());
  1974. // See DASH sec. 5.10.3.3.1
  1975. // If a DASH client detects an event message box with a scheme that is not
  1976. // defined in MPD, the client is expected to ignore it.
  1977. if ((emsgSchemeIdUris && emsgSchemeIdUris.includes(schemeId)) ||
  1978. this.config_.dispatchAllEmsgBoxes) {
  1979. // See DASH sec. 5.10.4.1
  1980. // A special scheme in DASH used to signal manifest updates.
  1981. if (schemeId == 'urn:mpeg:dash:event:2012') {
  1982. this.playerInterface_.onManifestUpdate();
  1983. } else {
  1984. // All other schemes are dispatched as a general 'emsg' event.
  1985. /** @type {shaka.extern.EmsgInfo} */
  1986. const emsg = {
  1987. startTime: startTime,
  1988. endTime: startTime + (eventDuration / timescale),
  1989. schemeIdUri: schemeId,
  1990. value: value,
  1991. timescale: timescale,
  1992. presentationTimeDelta: presentationTimeDelta,
  1993. eventDuration: eventDuration,
  1994. id: id,
  1995. messageData: messageData,
  1996. };
  1997. // Dispatch an event to notify the application about the emsg box.
  1998. const eventName = shaka.util.FakeEvent.EventName.Emsg;
  1999. const data = (new Map()).set('detail', emsg);
  2000. const event = new shaka.util.FakeEvent(eventName, data);
  2001. // A user can call preventDefault() on a cancelable event.
  2002. event.cancelable = true;
  2003. this.playerInterface_.onEvent(event);
  2004. if (event.defaultPrevented) {
  2005. // If the caller uses preventDefault() on the 'emsg' event, don't
  2006. // process any further, and don't generate an ID3 'metadata' event
  2007. // for the same data.
  2008. return;
  2009. }
  2010. // Additionally, ID3 events generate a 'metadata' event. This is a
  2011. // pre-parsed version of the metadata blob already dispatched in the
  2012. // 'emsg' event.
  2013. if (schemeId == 'https://aomedia.org/emsg/ID3' ||
  2014. schemeId == 'https://developer.apple.com/streaming/emsg-id3') {
  2015. // See https://aomediacodec.github.io/id3-emsg/
  2016. const frames = shaka.util.Id3Utils.getID3Frames(messageData);
  2017. if (frames.length && reference) {
  2018. /** @private {shaka.extern.ID3Metadata} */
  2019. const metadata = {
  2020. cueTime: reference.startTime,
  2021. data: messageData,
  2022. frames: frames,
  2023. dts: reference.startTime,
  2024. pts: reference.startTime,
  2025. };
  2026. this.playerInterface_.onMetadata(
  2027. [metadata], /* offset= */ 0, reference.endTime);
  2028. }
  2029. }
  2030. }
  2031. }
  2032. }
  2033. /**
  2034. * Parse PRFT box.
  2035. * @param {!shaka.media.SegmentReference} reference
  2036. * @param {!shaka.extern.ParsedBox} box
  2037. * @private
  2038. */
  2039. parsePrft_(reference, box) {
  2040. if (this.parsedPrftEventRaised_ ||
  2041. !reference.initSegmentReference.timescale) {
  2042. return;
  2043. }
  2044. goog.asserts.assert(
  2045. box.version == 0 || box.version == 1,
  2046. 'PRFT version can only be 0 or 1');
  2047. const parsed = shaka.util.Mp4BoxParsers.parsePRFTInaccurate(
  2048. box.reader, box.version);
  2049. const timescale = reference.initSegmentReference.timescale;
  2050. const wallClockTime = this.convertNtp(parsed.ntpTimestamp);
  2051. const programStartDate = new Date(wallClockTime -
  2052. (parsed.mediaTime / timescale) * 1000);
  2053. const prftInfo = {
  2054. wallClockTime,
  2055. programStartDate,
  2056. };
  2057. const eventName = shaka.util.FakeEvent.EventName.Prft;
  2058. const data = (new Map()).set('detail', prftInfo);
  2059. const event = new shaka.util.FakeEvent(
  2060. eventName, data);
  2061. this.playerInterface_.onEvent(event);
  2062. this.parsedPrftEventRaised_ = true;
  2063. }
  2064. /**
  2065. * Convert Ntp ntpTimeStamp to UTC Time
  2066. *
  2067. * @param {number} ntpTimeStamp
  2068. * @return {number} utcTime
  2069. */
  2070. convertNtp(ntpTimeStamp) {
  2071. const start = new Date(Date.UTC(1900, 0, 1, 0, 0, 0));
  2072. return new Date(start.getTime() + ntpTimeStamp).getTime();
  2073. }
  2074. /**
  2075. * Evicts media to meet the max buffer behind limit.
  2076. *
  2077. * @param {shaka.media.StreamingEngine.MediaState_} mediaState
  2078. * @param {number} presentationTime
  2079. * @private
  2080. */
  2081. async evict_(mediaState, presentationTime) {
  2082. const logPrefix = shaka.media.StreamingEngine.logPrefix_(mediaState);
  2083. shaka.log.v2(logPrefix, 'checking buffer length');
  2084. // Use the max segment duration, if it is longer than the bufferBehind, to
  2085. // avoid accidentally clearing too much data when dealing with a manifest
  2086. // with a long keyframe interval.
  2087. const bufferBehind = Math.max(this.config_.bufferBehind,
  2088. this.manifest_.presentationTimeline.getMaxSegmentDuration());
  2089. const startTime =
  2090. this.playerInterface_.mediaSourceEngine.bufferStart(mediaState.type);
  2091. if (startTime == null) {
  2092. shaka.log.v2(logPrefix,
  2093. 'buffer behind okay because nothing buffered:',
  2094. 'presentationTime=' + presentationTime,
  2095. 'bufferBehind=' + bufferBehind);
  2096. return;
  2097. }
  2098. const bufferedBehind = presentationTime - startTime;
  2099. const overflow = bufferedBehind - bufferBehind;
  2100. // See: https://github.com/shaka-project/shaka-player/issues/6240
  2101. if (overflow <= this.config_.evictionGoal) {
  2102. shaka.log.v2(logPrefix,
  2103. 'buffer behind okay:',
  2104. 'presentationTime=' + presentationTime,
  2105. 'bufferedBehind=' + bufferedBehind,
  2106. 'bufferBehind=' + bufferBehind,
  2107. 'evictionGoal=' + this.config_.evictionGoal,
  2108. 'underflow=' + Math.abs(overflow));
  2109. return;
  2110. }
  2111. shaka.log.v1(logPrefix,
  2112. 'buffer behind too large:',
  2113. 'presentationTime=' + presentationTime,
  2114. 'bufferedBehind=' + bufferedBehind,
  2115. 'bufferBehind=' + bufferBehind,
  2116. 'evictionGoal=' + this.config_.evictionGoal,
  2117. 'overflow=' + overflow);
  2118. await this.playerInterface_.mediaSourceEngine.remove(mediaState.type,
  2119. startTime, startTime + overflow);
  2120. this.destroyer_.ensureNotDestroyed();
  2121. shaka.log.v1(logPrefix, 'evicted ' + overflow + ' seconds');
  2122. }
  2123. /**
  2124. * @param {shaka.media.StreamingEngine.MediaState_} mediaState
  2125. * @return {boolean}
  2126. * @private
  2127. */
  2128. static isEmbeddedText_(mediaState) {
  2129. const MimeUtils = shaka.util.MimeUtils;
  2130. const CEA608_MIME = MimeUtils.CEA608_CLOSED_CAPTION_MIMETYPE;
  2131. const CEA708_MIME = MimeUtils.CEA708_CLOSED_CAPTION_MIMETYPE;
  2132. return mediaState &&
  2133. mediaState.type == shaka.util.ManifestParserUtils.ContentType.TEXT &&
  2134. (mediaState.stream.mimeType == CEA608_MIME ||
  2135. mediaState.stream.mimeType == CEA708_MIME);
  2136. }
  2137. /**
  2138. * Fetches the given segment.
  2139. *
  2140. * @param {!shaka.media.StreamingEngine.MediaState_} mediaState
  2141. * @param {(!shaka.media.InitSegmentReference|!shaka.media.SegmentReference)}
  2142. * reference
  2143. * @param {?function(BufferSource):!Promise=} streamDataCallback
  2144. *
  2145. * @return {!Promise.<BufferSource>}
  2146. * @private
  2147. */
  2148. async fetch_(mediaState, reference, streamDataCallback) {
  2149. const segmentData = reference.getSegmentData();
  2150. if (segmentData) {
  2151. return segmentData;
  2152. }
  2153. let op = null;
  2154. if (mediaState.segmentPrefetch) {
  2155. op = mediaState.segmentPrefetch.getPrefetchedSegment(
  2156. reference, streamDataCallback);
  2157. }
  2158. if (!op) {
  2159. op = this.dispatchFetch_(
  2160. reference, mediaState.stream, streamDataCallback);
  2161. }
  2162. let position = 0;
  2163. if (mediaState.segmentIterator) {
  2164. position = mediaState.segmentIterator.currentPosition();
  2165. }
  2166. mediaState.operation = op;
  2167. const response = await op.promise;
  2168. mediaState.operation = null;
  2169. let result = response.data;
  2170. if (reference.aesKey) {
  2171. result = await this.aesDecrypt_(result, reference.aesKey, position);
  2172. }
  2173. return result;
  2174. }
  2175. /**
  2176. * Fetches the given segment.
  2177. *
  2178. * @param {!shaka.extern.Stream} stream
  2179. * @param {(!shaka.media.InitSegmentReference|!shaka.media.SegmentReference)}
  2180. * reference
  2181. * @param {?function(BufferSource):!Promise=} streamDataCallback
  2182. *
  2183. * @return {!shaka.net.NetworkingEngine.PendingRequest}
  2184. * @private
  2185. */
  2186. dispatchFetch_(reference, stream, streamDataCallback) {
  2187. goog.asserts.assert(
  2188. this.playerInterface_.netEngine, 'Must have net engine');
  2189. return shaka.media.StreamingEngine.dispatchFetch(
  2190. reference, stream, streamDataCallback || null,
  2191. this.config_.retryParameters, this.playerInterface_.netEngine);
  2192. }
  2193. /**
  2194. * Fetches the given segment.
  2195. *
  2196. * @param {!shaka.extern.Stream} stream
  2197. * @param {(!shaka.media.InitSegmentReference|!shaka.media.SegmentReference)}
  2198. * reference
  2199. * @param {?function(BufferSource):!Promise} streamDataCallback
  2200. * @param {shaka.extern.RetryParameters} retryParameters
  2201. * @param {!shaka.net.NetworkingEngine} netEngine
  2202. *
  2203. * @return {!shaka.net.NetworkingEngine.PendingRequest}
  2204. */
  2205. static dispatchFetch(
  2206. reference, stream, streamDataCallback, retryParameters, netEngine) {
  2207. const requestType = shaka.net.NetworkingEngine.RequestType.SEGMENT;
  2208. const segment = reference instanceof shaka.media.SegmentReference ?
  2209. reference : undefined;
  2210. const type = segment ?
  2211. shaka.net.NetworkingEngine.AdvancedRequestType.MEDIA_SEGMENT :
  2212. shaka.net.NetworkingEngine.AdvancedRequestType.INIT_SEGMENT;
  2213. const request = shaka.util.Networking.createSegmentRequest(
  2214. reference.getUris(),
  2215. reference.startByte,
  2216. reference.endByte,
  2217. retryParameters,
  2218. streamDataCallback);
  2219. request.contentType = stream.type;
  2220. shaka.log.v2('fetching: reference=', reference);
  2221. return netEngine.request(requestType, request, {type, stream, segment});
  2222. }
  2223. /**
  2224. * Clears the buffer and schedules another update.
  2225. * The optional parameter safeMargin allows to retain a certain amount
  2226. * of buffer, which can help avoiding rebuffering events.
  2227. * The value of the safe margin should be provided by the ABR manager.
  2228. *
  2229. * @param {!shaka.media.StreamingEngine.MediaState_} mediaState
  2230. * @param {boolean} flush
  2231. * @param {number} safeMargin
  2232. * @private
  2233. */
  2234. async clearBuffer_(mediaState, flush, safeMargin) {
  2235. const logPrefix = shaka.media.StreamingEngine.logPrefix_(mediaState);
  2236. goog.asserts.assert(
  2237. !mediaState.performingUpdate && (mediaState.updateTimer == null),
  2238. logPrefix + ' unexpected call to clearBuffer_()');
  2239. mediaState.waitingToClearBuffer = false;
  2240. mediaState.waitingToFlushBuffer = false;
  2241. mediaState.clearBufferSafeMargin = 0;
  2242. mediaState.clearingBuffer = true;
  2243. mediaState.lastSegmentReference = null;
  2244. mediaState.lastInitSegmentReference = null;
  2245. mediaState.segmentIterator = null;
  2246. shaka.log.debug(logPrefix, 'clearing buffer');
  2247. if (mediaState.segmentPrefetch &&
  2248. !this.audioPrefetchMap_.has(mediaState.stream)) {
  2249. mediaState.segmentPrefetch.clearAll();
  2250. }
  2251. if (safeMargin) {
  2252. const presentationTime = this.playerInterface_.getPresentationTime();
  2253. const duration = this.playerInterface_.mediaSourceEngine.getDuration();
  2254. await this.playerInterface_.mediaSourceEngine.remove(
  2255. mediaState.type, presentationTime + safeMargin, duration);
  2256. } else {
  2257. await this.playerInterface_.mediaSourceEngine.clear(mediaState.type);
  2258. this.destroyer_.ensureNotDestroyed();
  2259. if (flush) {
  2260. await this.playerInterface_.mediaSourceEngine.flush(
  2261. mediaState.type);
  2262. }
  2263. }
  2264. this.destroyer_.ensureNotDestroyed();
  2265. shaka.log.debug(logPrefix, 'cleared buffer');
  2266. mediaState.clearingBuffer = false;
  2267. mediaState.endOfStream = false;
  2268. // Since the clear operation was async, check to make sure we're not doing
  2269. // another update and we don't have one scheduled yet.
  2270. if (!mediaState.performingUpdate && !mediaState.updateTimer) {
  2271. this.scheduleUpdate_(mediaState, 0);
  2272. }
  2273. }
  2274. /**
  2275. * Schedules |mediaState|'s next update.
  2276. *
  2277. * @param {!shaka.media.StreamingEngine.MediaState_} mediaState
  2278. * @param {number} delay The delay in seconds.
  2279. * @private
  2280. */
  2281. scheduleUpdate_(mediaState, delay) {
  2282. const logPrefix = shaka.media.StreamingEngine.logPrefix_(mediaState);
  2283. // If the text's update is canceled and its mediaState is deleted, stop
  2284. // scheduling another update.
  2285. const type = mediaState.type;
  2286. if (type == shaka.util.ManifestParserUtils.ContentType.TEXT &&
  2287. !this.mediaStates_.has(type)) {
  2288. shaka.log.v1(logPrefix, 'Text stream is unloaded. No update is needed.');
  2289. return;
  2290. }
  2291. shaka.log.v2(logPrefix, 'updating in ' + delay + ' seconds');
  2292. goog.asserts.assert(mediaState.updateTimer == null,
  2293. logPrefix + ' did not expect update to be scheduled');
  2294. mediaState.updateTimer = new shaka.util.DelayedTick(async () => {
  2295. try {
  2296. await this.onUpdate_(mediaState);
  2297. } catch (error) {
  2298. if (this.playerInterface_) {
  2299. this.playerInterface_.onError(error);
  2300. }
  2301. }
  2302. }).tickAfter(delay);
  2303. }
  2304. /**
  2305. * If |mediaState| is scheduled to update, stop it.
  2306. *
  2307. * @param {shaka.media.StreamingEngine.MediaState_} mediaState
  2308. * @private
  2309. */
  2310. cancelUpdate_(mediaState) {
  2311. if (mediaState.updateTimer == null) {
  2312. return;
  2313. }
  2314. mediaState.updateTimer.stop();
  2315. mediaState.updateTimer = null;
  2316. }
  2317. /**
  2318. * If |mediaState| holds any in-progress operations, abort them.
  2319. *
  2320. * @return {!Promise}
  2321. * @private
  2322. */
  2323. async abortOperations_(mediaState) {
  2324. if (mediaState.operation) {
  2325. await mediaState.operation.abort();
  2326. }
  2327. }
  2328. /**
  2329. * Handle streaming errors by delaying, then notifying the application by
  2330. * error callback and by streaming failure callback.
  2331. *
  2332. * @param {shaka.media.StreamingEngine.MediaState_} mediaState
  2333. * @param {!shaka.util.Error} error
  2334. * @return {!Promise}
  2335. * @private
  2336. */
  2337. async handleStreamingError_(mediaState, error) {
  2338. // If we invoke the callback right away, the application could trigger a
  2339. // rapid retry cycle that could be very unkind to the server. Instead,
  2340. // use the backoff system to delay and backoff the error handling.
  2341. await this.failureCallbackBackoff_.attempt();
  2342. this.destroyer_.ensureNotDestroyed();
  2343. const maxDisabledTime = this.getDisabledTime_(error);
  2344. // Try to recover from network errors
  2345. if (error.category === shaka.util.Error.Category.NETWORK &&
  2346. maxDisabledTime > 0) {
  2347. error.handled = this.playerInterface_.disableStream(
  2348. mediaState.stream, maxDisabledTime);
  2349. // Decrease the error severity to recoverable
  2350. if (error.handled) {
  2351. error.severity = shaka.util.Error.Severity.RECOVERABLE;
  2352. }
  2353. }
  2354. // First fire an error event.
  2355. this.playerInterface_.onError(error);
  2356. // If the error was not handled by the application, call the failure
  2357. // callback.
  2358. if (!error.handled) {
  2359. this.config_.failureCallback(error);
  2360. }
  2361. }
  2362. /**
  2363. * @param {!shaka.util.Error} error
  2364. * @private
  2365. */
  2366. getDisabledTime_(error) {
  2367. if (this.config_.maxDisabledTime === 0 &&
  2368. error.code == shaka.util.Error.Code.SEGMENT_MISSING) {
  2369. // Spec: https://datatracker.ietf.org/doc/html/draft-pantos-hls-rfc8216bis#section-6.3.3
  2370. // The client SHOULD NOT attempt to load Media Segments that have been
  2371. // marked with an EXT-X-GAP tag, or to load Partial Segments with a
  2372. // GAP=YES attribute. Instead, clients are encouraged to look for
  2373. // another Variant Stream of the same Rendition which does not have the
  2374. // same gap, and play that instead.
  2375. return 1;
  2376. }
  2377. return this.config_.maxDisabledTime;
  2378. }
  2379. /**
  2380. * Reset Media Source
  2381. *
  2382. * @return {!Promise.<boolean>}
  2383. */
  2384. async resetMediaSource() {
  2385. const now = (Date.now() / 1000);
  2386. const minTimeBetweenRecoveries = this.config_.minTimeBetweenRecoveries;
  2387. if (!this.config_.allowMediaSourceRecoveries ||
  2388. (now - this.lastMediaSourceReset_) < minTimeBetweenRecoveries) {
  2389. return false;
  2390. }
  2391. this.lastMediaSourceReset_ = now;
  2392. const ContentType = shaka.util.ManifestParserUtils.ContentType;
  2393. const audioMediaState = this.mediaStates_.get(ContentType.AUDIO);
  2394. if (audioMediaState) {
  2395. audioMediaState.lastInitSegmentReference = null;
  2396. this.forceClearBuffer_(audioMediaState);
  2397. this.abortOperations_(audioMediaState).catch(() => {});
  2398. }
  2399. const videoMediaState = this.mediaStates_.get(ContentType.VIDEO);
  2400. if (videoMediaState) {
  2401. videoMediaState.lastInitSegmentReference = null;
  2402. this.forceClearBuffer_(videoMediaState);
  2403. this.abortOperations_(videoMediaState).catch(() => {});
  2404. }
  2405. /**
  2406. * @type {!Map.<shaka.util.ManifestParserUtils.ContentType,
  2407. * shaka.extern.Stream>}
  2408. */
  2409. const streamsByType = new Map();
  2410. if (this.currentVariant_.audio) {
  2411. streamsByType.set(ContentType.AUDIO, this.currentVariant_.audio);
  2412. }
  2413. if (this.currentVariant_.video) {
  2414. streamsByType.set(ContentType.VIDEO, this.currentVariant_.video);
  2415. }
  2416. await this.playerInterface_.mediaSourceEngine.reset(streamsByType);
  2417. return true;
  2418. }
  2419. /**
  2420. * Update the spatial video info and notify to the app.
  2421. *
  2422. * @param {shaka.extern.SpatialVideoInfo} info
  2423. * @private
  2424. */
  2425. updateSpatialVideoInfo_(info) {
  2426. if (this.spatialVideoInfo_.projection != info.projection ||
  2427. this.spatialVideoInfo_.hfov != info.hfov) {
  2428. const EventName = shaka.util.FakeEvent.EventName;
  2429. let event;
  2430. if (info.projection != null || info.hfov != null) {
  2431. const eventName = EventName.SpatialVideoInfoEvent;
  2432. const data = (new Map()).set('detail', info);
  2433. event = new shaka.util.FakeEvent(eventName, data);
  2434. } else {
  2435. const eventName = EventName.NoSpatialVideoInfoEvent;
  2436. event = new shaka.util.FakeEvent(eventName);
  2437. }
  2438. event.cancelable = true;
  2439. this.playerInterface_.onEvent(event);
  2440. this.spatialVideoInfo_ = info;
  2441. }
  2442. }
  2443. /**
  2444. * Update the segment iterator direction.
  2445. *
  2446. * @private
  2447. */
  2448. updateSegmentIteratorReverse_() {
  2449. const ContentType = shaka.util.ManifestParserUtils.ContentType;
  2450. const reverse = this.playerInterface_.getPlaybackRate() < 0;
  2451. const videoState = this.mediaStates_.get(ContentType.VIDEO);
  2452. if (videoState && videoState.segmentIterator) {
  2453. videoState.segmentIterator.setReverse(reverse);
  2454. }
  2455. const audioState = this.mediaStates_.get(ContentType.AUDIO);
  2456. if (audioState && audioState.segmentIterator) {
  2457. audioState.segmentIterator.setReverse(reverse);
  2458. }
  2459. const textState = this.mediaStates_.get(ContentType.TEXT);
  2460. if (textState && textState.segmentIterator) {
  2461. textState.segmentIterator.setReverse(reverse);
  2462. }
  2463. }
  2464. /**
  2465. * @param {shaka.media.StreamingEngine.MediaState_} mediaState
  2466. * @return {string} A log prefix of the form ($CONTENT_TYPE:$STREAM_ID), e.g.,
  2467. * "(audio:5)" or "(video:hd)".
  2468. * @private
  2469. */
  2470. static logPrefix_(mediaState) {
  2471. return '(' + mediaState.type + ':' + mediaState.stream.id + ')';
  2472. }
  2473. };
  2474. /**
  2475. * @typedef {{
  2476. * getPresentationTime: function():number,
  2477. * getBandwidthEstimate: function():number,
  2478. * getPlaybackRate: function():number,
  2479. * mediaSourceEngine: !shaka.media.MediaSourceEngine,
  2480. * netEngine: shaka.net.NetworkingEngine,
  2481. * onError: function(!shaka.util.Error),
  2482. * onEvent: function(!Event),
  2483. * onManifestUpdate: function(),
  2484. * onSegmentAppended: function(!shaka.media.SegmentReference,
  2485. * !shaka.extern.Stream),
  2486. * onInitSegmentAppended: function(!number,!shaka.media.InitSegmentReference),
  2487. * beforeAppendSegment: function(
  2488. * shaka.util.ManifestParserUtils.ContentType,!BufferSource):Promise,
  2489. * onMetadata: !function(!Array.<shaka.extern.ID3Metadata>, number, ?number),
  2490. * disableStream: function(!shaka.extern.Stream, number):boolean
  2491. * }}
  2492. *
  2493. * @property {function():number} getPresentationTime
  2494. * Get the position in the presentation (in seconds) of the content that the
  2495. * viewer is seeing on screen right now.
  2496. * @property {function():number} getBandwidthEstimate
  2497. * Get the estimated bandwidth in bits per second.
  2498. * @property {function():number} getPlaybackRate
  2499. * Get the playback rate
  2500. * @property {!shaka.media.MediaSourceEngine} mediaSourceEngine
  2501. * The MediaSourceEngine. The caller retains ownership.
  2502. * @property {shaka.net.NetworkingEngine} netEngine
  2503. * The NetworkingEngine instance to use. The caller retains ownership.
  2504. * @property {function(!shaka.util.Error)} onError
  2505. * Called when an error occurs. If the error is recoverable (see
  2506. * {@link shaka.util.Error}) then the caller may invoke either
  2507. * StreamingEngine.switch*() or StreamingEngine.seeked() to attempt recovery.
  2508. * @property {function(!Event)} onEvent
  2509. * Called when an event occurs that should be sent to the app.
  2510. * @property {function()} onManifestUpdate
  2511. * Called when an embedded 'emsg' box should trigger a manifest update.
  2512. * @property {function(!shaka.media.SegmentReference,
  2513. * !shaka.extern.Stream)} onSegmentAppended
  2514. * Called after a segment is successfully appended to a MediaSource.
  2515. * @property
  2516. * {function(!number, !shaka.media.InitSegmentReference)} onInitSegmentAppended
  2517. * Called when an init segment is appended to a MediaSource.
  2518. * @property {!function(shaka.util.ManifestParserUtils.ContentType,
  2519. * !BufferSource):Promise} beforeAppendSegment
  2520. * A function called just before appending to the source buffer.
  2521. * @property
  2522. * {!function(!Array.<shaka.extern.ID3Metadata>, number, ?number)} onMetadata
  2523. * Called when an ID3 is found in a EMSG.
  2524. * @property {function(!shaka.extern.Stream, number):boolean} disableStream
  2525. * Called to temporarily disable a stream i.e. disabling all variant
  2526. * containing said stream.
  2527. */
  2528. shaka.media.StreamingEngine.PlayerInterface;
  2529. /**
  2530. * @typedef {{
  2531. * type: shaka.util.ManifestParserUtils.ContentType,
  2532. * stream: shaka.extern.Stream,
  2533. * segmentIterator: shaka.media.SegmentIterator,
  2534. * lastSegmentReference: shaka.media.SegmentReference,
  2535. * lastInitSegmentReference: shaka.media.InitSegmentReference,
  2536. * lastTimestampOffset: ?number,
  2537. * lastAppendWindowStart: ?number,
  2538. * lastAppendWindowEnd: ?number,
  2539. * lastCodecs: ?string,
  2540. * lastMimeType: ?string,
  2541. * restoreStreamAfterTrickPlay: ?shaka.extern.Stream,
  2542. * endOfStream: boolean,
  2543. * performingUpdate: boolean,
  2544. * updateTimer: shaka.util.DelayedTick,
  2545. * waitingToClearBuffer: boolean,
  2546. * waitingToFlushBuffer: boolean,
  2547. * clearBufferSafeMargin: number,
  2548. * clearingBuffer: boolean,
  2549. * seeked: boolean,
  2550. * adaptation: boolean,
  2551. * recovering: boolean,
  2552. * hasError: boolean,
  2553. * operation: shaka.net.NetworkingEngine.PendingRequest,
  2554. * segmentPrefetch: shaka.media.SegmentPrefetch
  2555. * }}
  2556. *
  2557. * @description
  2558. * Contains the state of a logical stream, i.e., a sequence of segmented data
  2559. * for a particular content type. At any given time there is a Stream object
  2560. * associated with the state of the logical stream.
  2561. *
  2562. * @property {shaka.util.ManifestParserUtils.ContentType} type
  2563. * The stream's content type, e.g., 'audio', 'video', or 'text'.
  2564. * @property {shaka.extern.Stream} stream
  2565. * The current Stream.
  2566. * @property {shaka.media.SegmentIndexIterator} segmentIterator
  2567. * An iterator through the segments of |stream|.
  2568. * @property {shaka.media.SegmentReference} lastSegmentReference
  2569. * The SegmentReference of the last segment that was appended.
  2570. * @property {shaka.media.InitSegmentReference} lastInitSegmentReference
  2571. * The InitSegmentReference of the last init segment that was appended.
  2572. * @property {?number} lastTimestampOffset
  2573. * The last timestamp offset given to MediaSourceEngine for this type.
  2574. * @property {?number} lastAppendWindowStart
  2575. * The last append window start given to MediaSourceEngine for this type.
  2576. * @property {?number} lastAppendWindowEnd
  2577. * The last append window end given to MediaSourceEngine for this type.
  2578. * @property {?string} lastCodecs
  2579. * The last append codecs given to MediaSourceEngine for this type.
  2580. * @property {?string} lastMimeType
  2581. * The last append mime type given to MediaSourceEngine for this type.
  2582. * @property {?shaka.extern.Stream} restoreStreamAfterTrickPlay
  2583. * The Stream to restore after trick play mode is turned off.
  2584. * @property {boolean} endOfStream
  2585. * True indicates that the end of the buffer has hit the end of the
  2586. * presentation.
  2587. * @property {boolean} performingUpdate
  2588. * True indicates that an update is in progress.
  2589. * @property {shaka.util.DelayedTick} updateTimer
  2590. * A timer used to update the media state.
  2591. * @property {boolean} waitingToClearBuffer
  2592. * True indicates that the buffer must be cleared after the current update
  2593. * finishes.
  2594. * @property {boolean} waitingToFlushBuffer
  2595. * True indicates that the buffer must be flushed after it is cleared.
  2596. * @property {number} clearBufferSafeMargin
  2597. * The amount of buffer to retain when clearing the buffer after the update.
  2598. * @property {boolean} clearingBuffer
  2599. * True indicates that the buffer is being cleared.
  2600. * @property {boolean} seeked
  2601. * True indicates that the presentation just seeked.
  2602. * @property {boolean} adaptation
  2603. * True indicates that the presentation just automatically switched variants.
  2604. * @property {boolean} recovering
  2605. * True indicates that the last segment was not appended because it could not
  2606. * fit in the buffer.
  2607. * @property {boolean} hasError
  2608. * True indicates that the stream has encountered an error and has stopped
  2609. * updating.
  2610. * @property {shaka.net.NetworkingEngine.PendingRequest} operation
  2611. * Operation with the number of bytes to be downloaded.
  2612. * @property {?shaka.media.SegmentPrefetch} segmentPrefetch
  2613. * A prefetch object for managing prefetching. Null if unneeded
  2614. * (if prefetching is disabled, etc).
  2615. */
  2616. shaka.media.StreamingEngine.MediaState_;
  2617. /**
  2618. * The fudge factor for appendWindowStart. By adjusting the window backward, we
  2619. * avoid rounding errors that could cause us to remove the keyframe at the start
  2620. * of the Period.
  2621. *
  2622. * NOTE: This was increased as part of the solution to
  2623. * https://github.com/shaka-project/shaka-player/issues/1281
  2624. *
  2625. * @const {number}
  2626. * @private
  2627. */
  2628. shaka.media.StreamingEngine.APPEND_WINDOW_START_FUDGE_ = 0.1;
  2629. /**
  2630. * The fudge factor for appendWindowEnd. By adjusting the window backward, we
  2631. * avoid rounding errors that could cause us to remove the last few samples of
  2632. * the Period. This rounding error could then create an artificial gap and a
  2633. * stutter when the gap-jumping logic takes over.
  2634. *
  2635. * https://github.com/shaka-project/shaka-player/issues/1597
  2636. *
  2637. * @const {number}
  2638. * @private
  2639. */
  2640. shaka.media.StreamingEngine.APPEND_WINDOW_END_FUDGE_ = 0.01;
  2641. /**
  2642. * The maximum number of segments by which a stream can get ahead of other
  2643. * streams.
  2644. *
  2645. * Introduced to keep StreamingEngine from letting one media type get too far
  2646. * ahead of another. For example, audio segments are typically much smaller
  2647. * than video segments, so in the time it takes to fetch one video segment, we
  2648. * could fetch many audio segments. This doesn't help with buffering, though,
  2649. * since the intersection of the two buffered ranges is what counts.
  2650. *
  2651. * @const {number}
  2652. * @private
  2653. */
  2654. shaka.media.StreamingEngine.MAX_RUN_AHEAD_SEGMENTS_ = 1;