Source: lib/media/playhead.js

  1. /*! @license
  2. * Shaka Player
  3. * Copyright 2016 Google LLC
  4. * SPDX-License-Identifier: Apache-2.0
  5. */
  6. goog.provide('shaka.media.MediaSourcePlayhead');
  7. goog.provide('shaka.media.Playhead');
  8. goog.provide('shaka.media.SrcEqualsPlayhead');
  9. goog.require('goog.asserts');
  10. goog.require('shaka.log');
  11. goog.require('shaka.media.GapJumpingController');
  12. goog.require('shaka.media.StallDetector');
  13. goog.require('shaka.media.StallDetector.MediaElementImplementation');
  14. goog.require('shaka.media.TimeRangesUtils');
  15. goog.require('shaka.media.VideoWrapper');
  16. goog.require('shaka.util.EventManager');
  17. goog.require('shaka.util.IReleasable');
  18. goog.require('shaka.util.MediaReadyState');
  19. goog.require('shaka.util.Platform');
  20. goog.require('shaka.util.Timer');
  21. goog.requireType('shaka.media.PresentationTimeline');
  22. /**
  23. * Creates a Playhead, which manages the video's current time.
  24. *
  25. * The Playhead provides mechanisms for setting the presentation's start time,
  26. * restricting seeking to valid time ranges, and stopping playback for startup
  27. * and re-buffering.
  28. *
  29. * @extends {shaka.util.IReleasable}
  30. * @interface
  31. */
  32. shaka.media.Playhead = class {
  33. /**
  34. * Called when the Player is ready to begin playback. Anything that depends
  35. * on setStartTime() should be done here, not in the constructor.
  36. *
  37. * @see https://github.com/shaka-project/shaka-player/issues/4244
  38. */
  39. ready() {}
  40. /**
  41. * Set the start time. If the content has already started playback, this will
  42. * be ignored.
  43. *
  44. * @param {number} startTime
  45. */
  46. setStartTime(startTime) {}
  47. /**
  48. * Get the number of playback stalls detected by the StallDetector.
  49. *
  50. * @return {number}
  51. */
  52. getStallsDetected() {}
  53. /**
  54. * Get the number of playback gaps jumped by the GapJumpingController.
  55. *
  56. * @return {number}
  57. */
  58. getGapsJumped() {}
  59. /**
  60. * Get the current playhead position. The position will be restricted to valid
  61. * time ranges.
  62. *
  63. * @return {number}
  64. */
  65. getTime() {}
  66. /**
  67. * Notify the playhead that the buffered ranges have changed.
  68. */
  69. notifyOfBufferingChange() {}
  70. };
  71. /**
  72. * A playhead implementation that only relies on the media element.
  73. *
  74. * @implements {shaka.media.Playhead}
  75. * @final
  76. */
  77. shaka.media.SrcEqualsPlayhead = class {
  78. /**
  79. * @param {!HTMLMediaElement} mediaElement
  80. */
  81. constructor(mediaElement) {
  82. /** @private {HTMLMediaElement} */
  83. this.mediaElement_ = mediaElement;
  84. /** @private {boolean} */
  85. this.started_ = false;
  86. /** @private {?number} */
  87. this.startTime_ = null;
  88. /** @private {shaka.util.EventManager} */
  89. this.eventManager_ = new shaka.util.EventManager();
  90. }
  91. /** @override */
  92. ready() {
  93. goog.asserts.assert(
  94. this.mediaElement_ != null,
  95. 'Playhead should not be released before calling ready()',
  96. );
  97. // We listen for the loaded-data-event so that we know when we can
  98. // interact with |currentTime|.
  99. const onLoaded = () => {
  100. if (this.startTime_ == null ||
  101. (this.startTime_ == 0 && this.mediaElement_.duration != Infinity)) {
  102. this.started_ = true;
  103. } else {
  104. const currentTime = this.mediaElement_.currentTime;
  105. let newTime = this.startTime_;
  106. // Using the currentTime allows using a negative number in Live HLS
  107. if (this.startTime_ < 0) {
  108. newTime = Math.max(0, currentTime + this.startTime_);
  109. }
  110. if (currentTime != newTime) {
  111. // Startup is complete only when the video element acknowledges the
  112. // seek.
  113. this.eventManager_.listenOnce(this.mediaElement_, 'seeking', () => {
  114. this.started_ = true;
  115. });
  116. this.mediaElement_.currentTime = newTime;
  117. } else {
  118. this.started_ = true;
  119. }
  120. }
  121. };
  122. shaka.util.MediaReadyState.waitForReadyState(this.mediaElement_,
  123. HTMLMediaElement.HAVE_CURRENT_DATA,
  124. this.eventManager_, () => {
  125. onLoaded();
  126. });
  127. }
  128. /** @override */
  129. release() {
  130. if (this.eventManager_) {
  131. this.eventManager_.release();
  132. this.eventManager_ = null;
  133. }
  134. this.mediaElement_ = null;
  135. }
  136. /** @override */
  137. setStartTime(startTime) {
  138. // If we have already started playback, ignore updates to the start time.
  139. // This is just to make things consistent.
  140. this.startTime_ = this.started_ ? this.startTime_ : startTime;
  141. }
  142. /** @override */
  143. getTime() {
  144. // If we have not started playback yet, return the start time. However once
  145. // we start playback we assume that we can always return the current time.
  146. const time = this.started_ ?
  147. this.mediaElement_.currentTime :
  148. this.startTime_;
  149. // In the case that we have not started playback, but the start time was
  150. // never set, we don't know what the start time should be. To ensure we
  151. // always return a number, we will default back to 0.
  152. return time || 0;
  153. }
  154. /** @override */
  155. getStallsDetected() {
  156. return 0;
  157. }
  158. /** @override */
  159. getGapsJumped() {
  160. return 0;
  161. }
  162. /** @override */
  163. notifyOfBufferingChange() {}
  164. };
  165. /**
  166. * A playhead implementation that relies on the media element and a manifest.
  167. * When provided with a manifest, we can provide more accurate control than
  168. * the SrcEqualsPlayhead.
  169. *
  170. * TODO: Clean up and simplify Playhead. There are too many layers of, methods
  171. * for, and conditions on timestamp adjustment.
  172. *
  173. * @implements {shaka.media.Playhead}
  174. * @final
  175. */
  176. shaka.media.MediaSourcePlayhead = class {
  177. /**
  178. * @param {!HTMLMediaElement} mediaElement
  179. * @param {shaka.extern.Manifest} manifest
  180. * @param {shaka.extern.StreamingConfiguration} config
  181. * @param {?number} startTime
  182. * The playhead's initial position in seconds. If null, defaults to the
  183. * start of the presentation for VOD and the live-edge for live.
  184. * @param {function()} onSeek
  185. * Called when the user agent seeks to a time within the presentation
  186. * timeline.
  187. * @param {function(!Event)} onEvent
  188. * Called when an event is raised to be sent to the application.
  189. */
  190. constructor(mediaElement, manifest, config, startTime, onSeek, onEvent) {
  191. /**
  192. * The seek range must be at least this number of seconds long. If it is
  193. * smaller than this, change it to be this big so we don't repeatedly seek
  194. * to keep within a zero-width window.
  195. *
  196. * This is 3s long, to account for the weaker hardware on platforms like
  197. * Chromecast.
  198. *
  199. * @private {number}
  200. */
  201. this.minSeekRange_ = 3.0;
  202. /** @private {HTMLMediaElement} */
  203. this.mediaElement_ = mediaElement;
  204. /** @private {shaka.media.PresentationTimeline} */
  205. this.timeline_ = manifest.presentationTimeline;
  206. /** @private {number} */
  207. this.minBufferTime_ = manifest.minBufferTime || 0;
  208. /** @private {?shaka.extern.StreamingConfiguration} */
  209. this.config_ = config;
  210. /** @private {function()} */
  211. this.onSeek_ = onSeek;
  212. /** @private {?number} */
  213. this.lastCorrectiveSeek_ = null;
  214. /** @private {shaka.media.StallDetector} */
  215. this.stallDetector_ =
  216. this.createStallDetector_(mediaElement, config, onEvent);
  217. /** @private {shaka.media.GapJumpingController} */
  218. this.gapController_ = new shaka.media.GapJumpingController(
  219. mediaElement,
  220. manifest.presentationTimeline,
  221. config,
  222. this.stallDetector_,
  223. onEvent);
  224. /** @private {shaka.media.VideoWrapper} */
  225. this.videoWrapper_ = new shaka.media.VideoWrapper(
  226. mediaElement,
  227. () => this.onSeeking_(),
  228. (realStartTime) => this.onStarted_(realStartTime),
  229. () => this.getStartTime_(startTime));
  230. /** @type {shaka.util.Timer} */
  231. this.checkWindowTimer_ = new shaka.util.Timer(() => {
  232. this.onPollWindow_();
  233. });
  234. }
  235. /** @override */
  236. ready() {
  237. this.checkWindowTimer_.tickEvery(/* seconds= */ 0.25);
  238. }
  239. /** @override */
  240. release() {
  241. if (this.videoWrapper_) {
  242. this.videoWrapper_.release();
  243. this.videoWrapper_ = null;
  244. }
  245. if (this.gapController_) {
  246. this.gapController_.release();
  247. this.gapController_= null;
  248. }
  249. if (this.checkWindowTimer_) {
  250. this.checkWindowTimer_.stop();
  251. this.checkWindowTimer_ = null;
  252. }
  253. this.config_ = null;
  254. this.timeline_ = null;
  255. this.videoWrapper_ = null;
  256. this.mediaElement_ = null;
  257. this.onSeek_ = () => {};
  258. }
  259. /** @override */
  260. setStartTime(startTime) {
  261. this.videoWrapper_.setTime(startTime);
  262. }
  263. /** @override */
  264. getTime() {
  265. const time = this.videoWrapper_.getTime();
  266. // Although we restrict the video's currentTime elsewhere, clamp it here to
  267. // ensure timing issues don't cause us to return a time outside the segment
  268. // availability window. E.g., the user agent seeks and calls this function
  269. // before we receive the 'seeking' event.
  270. //
  271. // We don't buffer when the livestream video is paused and the playhead time
  272. // is out of the seek range; thus, we do not clamp the current time when the
  273. // video is paused.
  274. // https://github.com/shaka-project/shaka-player/issues/1121
  275. if (this.mediaElement_.readyState > 0 && !this.mediaElement_.paused) {
  276. return this.clampTime_(time);
  277. }
  278. return time;
  279. }
  280. /** @override */
  281. getStallsDetected() {
  282. return this.stallDetector_ ? this.stallDetector_.getStallsDetected() : 0;
  283. }
  284. /** @override */
  285. getGapsJumped() {
  286. return this.gapController_.getGapsJumped();
  287. }
  288. /**
  289. * Gets the playhead's initial position in seconds.
  290. *
  291. * @param {?number} startTime
  292. * @return {number}
  293. * @private
  294. */
  295. getStartTime_(startTime) {
  296. if (startTime == null) {
  297. if (this.timeline_.getDuration() < Infinity) {
  298. // If the presentation is VOD, or if the presentation is live but has
  299. // finished broadcasting, then start from the beginning.
  300. startTime = this.timeline_.getSeekRangeStart();
  301. } else {
  302. // Otherwise, start near the live-edge.
  303. startTime = this.timeline_.getSeekRangeEnd();
  304. }
  305. } else if (startTime < 0) {
  306. // For live streams, if the startTime is negative, start from a certain
  307. // offset time from the live edge. If the offset from the live edge is
  308. // not available, start from the current available segment start point
  309. // instead, handled by clampTime_().
  310. startTime = this.timeline_.getSeekRangeEnd() + startTime;
  311. }
  312. return this.clampSeekToDuration_(this.clampTime_(startTime));
  313. }
  314. /** @override */
  315. notifyOfBufferingChange() {
  316. this.gapController_.onSegmentAppended();
  317. }
  318. /**
  319. * Called on a recurring timer to keep the playhead from falling outside the
  320. * availability window.
  321. *
  322. * @private
  323. */
  324. onPollWindow_() {
  325. // Don't catch up to the seek range when we are paused or empty.
  326. // The definition of "seeking" says that we are seeking until the buffered
  327. // data intersects with the playhead. If we fall outside of the seek range,
  328. // it doesn't matter if we are in a "seeking" state. We can and should go
  329. // ahead and catch up while seeking.
  330. if (this.mediaElement_.readyState == 0 || this.mediaElement_.paused) {
  331. return;
  332. }
  333. const currentTime = this.videoWrapper_.getTime();
  334. let seekStart = this.timeline_.getSeekRangeStart();
  335. const seekEnd = this.timeline_.getSeekRangeEnd();
  336. if (seekEnd - seekStart < this.minSeekRange_) {
  337. seekStart = seekEnd - this.minSeekRange_;
  338. }
  339. if (currentTime < seekStart) {
  340. // The seek range has moved past the playhead. Move ahead to catch up.
  341. const targetTime = this.reposition_(currentTime);
  342. shaka.log.info('Jumping forward ' + (targetTime - currentTime) +
  343. ' seconds to catch up with the seek range.');
  344. this.mediaElement_.currentTime = targetTime;
  345. }
  346. }
  347. /**
  348. * Called when the video element has started up and is listening for new seeks
  349. *
  350. * @param {number} startTime
  351. * @private
  352. */
  353. onStarted_(startTime) {
  354. this.gapController_.onStarted(startTime);
  355. }
  356. /**
  357. * Handles when a seek happens on the video.
  358. *
  359. * @private
  360. */
  361. onSeeking_() {
  362. this.gapController_.onSeeking();
  363. const currentTime = this.videoWrapper_.getTime();
  364. const targetTime = this.reposition_(currentTime);
  365. const gapLimit = shaka.media.GapJumpingController.BROWSER_GAP_TOLERANCE;
  366. if (Math.abs(targetTime - currentTime) > gapLimit) {
  367. let canCorrectiveSeek = false;
  368. if (shaka.util.Platform.isSeekingSlow()) {
  369. // You can only seek like this every so often. This is to prevent an
  370. // infinite loop on systems where changing currentTime takes a
  371. // significant amount of time (e.g. Chromecast).
  372. const time = Date.now() / 1000;
  373. if (!this.lastCorrectiveSeek_ || this.lastCorrectiveSeek_ < time - 1) {
  374. this.lastCorrectiveSeek_ = time;
  375. canCorrectiveSeek = true;
  376. }
  377. } else {
  378. canCorrectiveSeek = true;
  379. }
  380. if (canCorrectiveSeek) {
  381. this.videoWrapper_.setTime(targetTime);
  382. return;
  383. }
  384. }
  385. shaka.log.v1('Seek to ' + currentTime);
  386. this.onSeek_();
  387. }
  388. /**
  389. * Clamp seek times and playback start times so that we never seek to the
  390. * presentation duration. Seeking to or starting at duration does not work
  391. * consistently across browsers.
  392. *
  393. * @see https://github.com/shaka-project/shaka-player/issues/979
  394. * @param {number} time
  395. * @return {number} The adjusted seek time.
  396. * @private
  397. */
  398. clampSeekToDuration_(time) {
  399. const duration = this.timeline_.getDuration();
  400. if (time >= duration) {
  401. goog.asserts.assert(this.config_.durationBackoff >= 0,
  402. 'Duration backoff must be non-negative!');
  403. return duration - this.config_.durationBackoff;
  404. }
  405. return time;
  406. }
  407. /**
  408. * Computes a new playhead position that's within the presentation timeline.
  409. *
  410. * @param {number} currentTime
  411. * @return {number} The time to reposition the playhead to.
  412. * @private
  413. */
  414. reposition_(currentTime) {
  415. goog.asserts.assert(
  416. this.config_,
  417. 'Cannot reposition playhead when it has beeen destroyed');
  418. /** @type {function(number)} */
  419. const isBuffered = (playheadTime) => shaka.media.TimeRangesUtils.isBuffered(
  420. this.mediaElement_.buffered, playheadTime);
  421. const rebufferingGoal = Math.max(
  422. this.minBufferTime_,
  423. this.config_.rebufferingGoal);
  424. const safeSeekOffset = this.config_.safeSeekOffset;
  425. let start = this.timeline_.getSeekRangeStart();
  426. const end = this.timeline_.getSeekRangeEnd();
  427. const duration = this.timeline_.getDuration();
  428. if (end - start < this.minSeekRange_) {
  429. start = end - this.minSeekRange_;
  430. }
  431. // With live content, the beginning of the availability window is moving
  432. // forward. This means we cannot seek to it since we will "fall" outside
  433. // the window while we buffer. So we define a "safe" region that is far
  434. // enough away. For VOD, |safe == start|.
  435. const safe = this.timeline_.getSafeSeekRangeStart(rebufferingGoal);
  436. // These are the times to seek to rather than the exact destinations. When
  437. // we seek, we will get another event (after a slight delay) and these steps
  438. // will run again. So if we seeked directly to |start|, |start| would move
  439. // on the next call and we would loop forever.
  440. const seekStart = this.timeline_.getSafeSeekRangeStart(safeSeekOffset);
  441. const seekSafe = this.timeline_.getSafeSeekRangeStart(
  442. rebufferingGoal + safeSeekOffset);
  443. if (currentTime >= duration) {
  444. shaka.log.v1('Playhead past duration.');
  445. return this.clampSeekToDuration_(currentTime);
  446. }
  447. if (currentTime > end) {
  448. shaka.log.v1('Playhead past end.');
  449. return end;
  450. }
  451. if (currentTime < start) {
  452. if (isBuffered(seekStart)) {
  453. shaka.log.v1('Playhead before start & start is buffered');
  454. return seekStart;
  455. } else {
  456. shaka.log.v1('Playhead before start & start is unbuffered');
  457. return seekSafe;
  458. }
  459. }
  460. if (currentTime >= safe || isBuffered(currentTime)) {
  461. shaka.log.v1('Playhead in safe region or in buffered region.');
  462. return currentTime;
  463. } else {
  464. shaka.log.v1('Playhead outside safe region & in unbuffered region.');
  465. return seekSafe;
  466. }
  467. }
  468. /**
  469. * Clamps the given time to the seek range.
  470. *
  471. * @param {number} time The time in seconds.
  472. * @return {number} The clamped time in seconds.
  473. * @private
  474. */
  475. clampTime_(time) {
  476. const start = this.timeline_.getSeekRangeStart();
  477. if (time < start) {
  478. return start;
  479. }
  480. const end = this.timeline_.getSeekRangeEnd();
  481. if (time > end) {
  482. return end;
  483. }
  484. return time;
  485. }
  486. /**
  487. * Create and configure a stall detector using the player's streaming
  488. * configuration settings. If the player is configured to have no stall
  489. * detector, this will return |null|.
  490. *
  491. * @param {!HTMLMediaElement} mediaElement
  492. * @param {shaka.extern.StreamingConfiguration} config
  493. * @param {function(!Event)} onEvent
  494. * Called when an event is raised to be sent to the application.
  495. * @return {shaka.media.StallDetector}
  496. * @private
  497. */
  498. createStallDetector_(mediaElement, config, onEvent) {
  499. if (!config.stallEnabled) {
  500. return null;
  501. }
  502. // Cache the values from the config so that changes to the config won't
  503. // change the initialized behaviour.
  504. const threshold = config.stallThreshold;
  505. const skip = config.stallSkip;
  506. // When we see a stall, we will try to "jump-start" playback by moving the
  507. // playhead forward.
  508. const detector = new shaka.media.StallDetector(
  509. new shaka.media.StallDetector.MediaElementImplementation(mediaElement),
  510. threshold, onEvent);
  511. detector.onStall((at, duration) => {
  512. shaka.log.debug(`Stall detected at ${at} for ${duration} seconds.`);
  513. if (skip) {
  514. shaka.log.debug(`Seeking forward ${skip} seconds to break stall.`);
  515. mediaElement.currentTime += skip;
  516. } else {
  517. shaka.log.debug('Pausing and unpausing to break stall.');
  518. mediaElement.pause();
  519. mediaElement.play();
  520. }
  521. });
  522. return detector;
  523. }
  524. };