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