Source: lib/media/gap_jumping_controller.js

  1. /*! @license
  2. * Shaka Player
  3. * Copyright 2016 Google LLC
  4. * SPDX-License-Identifier: Apache-2.0
  5. */
  6. goog.provide('shaka.media.GapJumpingController');
  7. goog.provide('shaka.media.StallDetector');
  8. goog.provide('shaka.media.StallDetector.Implementation');
  9. goog.provide('shaka.media.StallDetector.MediaElementImplementation');
  10. goog.require('goog.asserts');
  11. goog.require('shaka.log');
  12. goog.require('shaka.media.PresentationTimeline');
  13. goog.require('shaka.media.TimeRangesUtils');
  14. goog.require('shaka.util.EventManager');
  15. goog.require('shaka.util.FakeEvent');
  16. goog.require('shaka.util.IReleasable');
  17. goog.require('shaka.util.Timer');
  18. /**
  19. * GapJumpingController handles jumping gaps that appear within the content.
  20. * This will only jump gaps between two buffered ranges, so we should not have
  21. * to worry about the availability window.
  22. *
  23. * @implements {shaka.util.IReleasable}
  24. */
  25. shaka.media.GapJumpingController = class {
  26. /**
  27. * @param {!HTMLMediaElement} video
  28. * @param {!shaka.media.PresentationTimeline} timeline
  29. * @param {shaka.extern.StreamingConfiguration} config
  30. * @param {function(!Event)} onEvent
  31. * Called when an event is raised to be sent to the application.
  32. */
  33. constructor(video, timeline, config, onEvent) {
  34. /** @private {?function(!Event)} */
  35. this.onEvent_ = onEvent;
  36. /** @private {HTMLMediaElement} */
  37. this.video_ = video;
  38. /** @private {?shaka.media.PresentationTimeline} */
  39. this.timeline_ = timeline;
  40. /** @private {?shaka.extern.StreamingConfiguration} */
  41. this.config_ = config;
  42. /** @private {shaka.util.EventManager} */
  43. this.eventManager_ = new shaka.util.EventManager();
  44. /** @private {boolean} */
  45. this.started_ = false;
  46. /** @private {boolean} */
  47. this.seekingEventReceived_ = false;
  48. /** @private {number} */
  49. this.prevReadyState_ = video.readyState;
  50. /** @private {number} */
  51. this.startTime_ = 0;
  52. /** @private {number} */
  53. this.gapsJumped_ = 0;
  54. /** @private {number} */
  55. this.stallsDetected_ = 0;
  56. /**
  57. * The stall detector tries to keep the playhead moving forward. It is
  58. * managed by the gap-jumping controller to avoid conflicts. On some
  59. * platforms, the stall detector is not wanted, so it may be null.
  60. *
  61. * @private {shaka.media.StallDetector}
  62. */
  63. this.stallDetector_ = this.createStallDetector_();
  64. /** @private {boolean} */
  65. this.hadSegmentAppended_ = false;
  66. this.eventManager_.listen(video, 'waiting', () => this.onPollGapJump_());
  67. /**
  68. * We can't trust |readyState| or 'waiting' events on all platforms. To make
  69. * up for this, we poll the current time. If we think we are in a gap, jump
  70. * out of it.
  71. *
  72. * See: https://bit.ly/2McuXxm and https://bit.ly/2K5xmJO
  73. *
  74. * @private {?shaka.util.Timer}
  75. */
  76. this.gapJumpTimer_ = new shaka.util.Timer(() => {
  77. this.onPollGapJump_();
  78. }).tickEvery(this.config_.gapJumpTimerTime);
  79. }
  80. /** @override */
  81. release() {
  82. if (this.eventManager_) {
  83. this.eventManager_.release();
  84. this.eventManager_ = null;
  85. }
  86. if (this.gapJumpTimer_ != null) {
  87. this.gapJumpTimer_.stop();
  88. this.gapJumpTimer_ = null;
  89. }
  90. if (this.stallDetector_) {
  91. this.stallDetector_.release();
  92. this.stallDetector_ = null;
  93. }
  94. this.onEvent_ = null;
  95. this.timeline_ = null;
  96. this.video_ = null;
  97. }
  98. /**
  99. * Called when a segment is appended by StreamingEngine, but not when a clear
  100. * is pending. This means StreamingEngine will continue buffering forward from
  101. * what is buffered. So we know about any gaps before the start.
  102. */
  103. onSegmentAppended() {
  104. this.hadSegmentAppended_ = true;
  105. if (this.gapJumpTimer_) {
  106. this.gapJumpTimer_.tickEvery(this.config_.gapJumpTimerTime);
  107. }
  108. this.onPollGapJump_();
  109. }
  110. /**
  111. * Called when playback has started and the video element is
  112. * listening for seeks.
  113. *
  114. * @param {number} startTime
  115. */
  116. onStarted(startTime) {
  117. if (this.video_.seeking && !this.seekingEventReceived_) {
  118. this.seekingEventReceived_ = true;
  119. this.startTime_ = startTime;
  120. }
  121. if (this.gapJumpTimer_) {
  122. this.gapJumpTimer_.tickEvery(this.config_.gapJumpTimerTime);
  123. }
  124. this.onPollGapJump_();
  125. }
  126. /** Called when a seek has started. */
  127. onSeeking() {
  128. this.seekingEventReceived_ = true;
  129. this.hadSegmentAppended_ = false;
  130. if (this.gapJumpTimer_) {
  131. this.gapJumpTimer_.tickEvery(this.config_.gapJumpTimerTime);
  132. }
  133. this.onPollGapJump_();
  134. }
  135. /**
  136. * Returns the total number of playback gaps jumped.
  137. * @return {number}
  138. */
  139. getGapsJumped() {
  140. return this.gapsJumped_;
  141. }
  142. /**
  143. * Returns the number of playback stalls detected.
  144. * @return {number}
  145. */
  146. getStallsDetected() {
  147. return this.stallsDetected_;
  148. }
  149. /**
  150. * Called on a recurring timer to check for gaps in the media. This is also
  151. * called in a 'waiting' event.
  152. *
  153. * @private
  154. */
  155. onPollGapJump_() {
  156. // Don't gap jump before the video is ready to play.
  157. if (this.video_.readyState == 0) {
  158. return;
  159. }
  160. // Do not gap jump if seeking has begun, but the seeking event has not
  161. // yet fired for this particular seek.
  162. if (this.video_.seeking) {
  163. if (!this.seekingEventReceived_) {
  164. return;
  165. }
  166. } else {
  167. this.seekingEventReceived_ = false;
  168. }
  169. // Don't gap jump while paused, so that you don't constantly jump ahead
  170. // while paused on a livestream. We make an exception for time 0, since we
  171. // may be _required_ to seek on startup before play can begin, but only if
  172. // autoplay is enabled.
  173. if (this.video_.paused && (this.video_.currentTime != this.startTime_ ||
  174. (!this.video_.autoplay && this.video_.currentTime == this.startTime_))) {
  175. return;
  176. }
  177. // When the ready state changes, we have moved on, so we should fire the
  178. // large gap event if we see one.
  179. if (this.video_.readyState != this.prevReadyState_) {
  180. this.prevReadyState_ = this.video_.readyState;
  181. }
  182. if (this.stallDetector_ && this.stallDetector_.poll()) {
  183. // Some action was taken by StallDetector, so don't do anything yet.
  184. return;
  185. }
  186. const currentTime = this.video_.currentTime;
  187. const buffered = this.video_.buffered;
  188. const gapDetectionThreshold = this.config_.gapDetectionThreshold;
  189. const gapIndex = shaka.media.TimeRangesUtils.getGapIndex(
  190. buffered, currentTime, gapDetectionThreshold);
  191. // The current time is unbuffered or is too far from a gap.
  192. if (gapIndex == null) {
  193. return;
  194. }
  195. // If we are before the first buffered range, this could be an unbuffered
  196. // seek. So wait until a segment is appended so we are sure it is a gap.
  197. if (gapIndex == 0 && !this.hadSegmentAppended_) {
  198. return;
  199. }
  200. // StreamingEngine can buffer past the seek end, but still don't allow
  201. // seeking past it.
  202. let jumpTo = buffered.start(gapIndex);
  203. const gapPadding = this.config_.gapPadding;
  204. // Workaround for some platforms. On theses platforms video element
  205. // often rounds value we want to set as currentTime and we are not able
  206. // to jump over the gap.
  207. if (gapPadding) {
  208. jumpTo = Math.ceil((jumpTo + gapPadding) * 100) / 100;
  209. }
  210. const seekEnd = this.timeline_.getSeekRangeEnd();
  211. if (jumpTo >= seekEnd) {
  212. return;
  213. }
  214. const jumpSize = jumpTo - currentTime;
  215. // If we jump to exactly the gap start, we may detect a small gap due to
  216. // rounding errors or browser bugs. We can ignore these extremely small
  217. // gaps since the browser should play through them for us.
  218. if (jumpSize < shaka.media.GapJumpingController.BROWSER_GAP_TOLERANCE) {
  219. return;
  220. }
  221. if (gapIndex == 0) {
  222. shaka.log.info(
  223. 'Jumping forward', jumpSize,
  224. 'seconds because of gap before start time of', jumpTo);
  225. } else {
  226. shaka.log.info(
  227. 'Jumping forward', jumpSize, 'seconds because of gap starting at',
  228. buffered.end(gapIndex - 1), 'and ending at', jumpTo);
  229. }
  230. this.video_.currentTime = jumpTo;
  231. // This accounts for the possibility that we jump a gap at the start
  232. // position but we jump _into_ another gap. By setting the start
  233. // position to the new jumpTo we ensure that the check above will
  234. // pass even though the video is still paused.
  235. if (currentTime == this.startTime_) {
  236. this.startTime_ = jumpTo;
  237. }
  238. this.gapsJumped_++;
  239. this.onEvent_(
  240. new shaka.util.FakeEvent(shaka.util.FakeEvent.EventName.GapJumped));
  241. }
  242. /**
  243. * Create and configure a stall detector using the player's streaming
  244. * configuration settings. If the player is configured to have no stall
  245. * detector, this will return |null|.
  246. * @return {shaka.media.StallDetector}
  247. * @private
  248. */
  249. createStallDetector_() {
  250. if (!this.config_.stallEnabled) {
  251. return null;
  252. }
  253. goog.asserts.assert(this.video_, 'Must have video');
  254. // Cache the values from the config so that changes to the config won't
  255. // change the initialized behaviour.
  256. const threshold = this.config_.stallThreshold;
  257. const skip = this.config_.stallSkip;
  258. const onStall = async (at, duration) => {
  259. goog.asserts.assert(this.video_, 'Must have video');
  260. const bufferedInfo =
  261. shaka.media.TimeRangesUtils.getBufferedInfo(this.video_.buffered);
  262. if (!bufferedInfo.length) {
  263. // Nothing in the buffer.
  264. return;
  265. }
  266. shaka.log.debug(`Stall detected at ${at} for ${duration} seconds.`);
  267. if (skip) {
  268. shaka.log.debug(`Seeking forward ${skip} seconds to break stall.`);
  269. this.video_.currentTime += skip;
  270. } else {
  271. shaka.log.debug(
  272. 'Wait for play to avoid reject a possible other play call.');
  273. await this.video_.play();
  274. if (!this.video_) {
  275. return;
  276. }
  277. shaka.log.debug('Pausing and unpausing to break stall.');
  278. this.video_.pause();
  279. this.video_.play();
  280. }
  281. this.stallsDetected_++;
  282. this.onEvent_(new shaka.util.FakeEvent(
  283. shaka.util.FakeEvent.EventName.StallDetected));
  284. };
  285. // When we see a stall, we will try to "jump-start" playback by moving the
  286. // playhead forward.
  287. const detector = new shaka.media.StallDetector(
  288. new shaka.media.StallDetector.MediaElementImplementation(this.video_),
  289. threshold, onStall);
  290. return detector;
  291. }
  292. };
  293. /**
  294. * The limit, in seconds, for the gap size that we will assume the browser will
  295. * handle for us.
  296. * @const
  297. */
  298. shaka.media.GapJumpingController.BROWSER_GAP_TOLERANCE = 0.001;
  299. /**
  300. * Some platforms/browsers can get stuck in the middle of a buffered range (e.g.
  301. * when seeking in a background tab). Detect when we get stuck so that the
  302. * player can respond.
  303. *
  304. * @implements {shaka.util.IReleasable}
  305. * @final
  306. */
  307. shaka.media.StallDetector = class {
  308. /**
  309. * @param {shaka.media.StallDetector.Implementation} implementation
  310. * @param {number} stallThresholdSeconds
  311. * @param {function(number, number)} onStall
  312. * Callback that should be called when a stall is detected.
  313. */
  314. constructor(implementation, stallThresholdSeconds, onStall) {
  315. /** @private {shaka.media.StallDetector.Implementation} */
  316. this.implementation_ = implementation;
  317. /** @private {boolean} */
  318. this.wasMakingProgress_ = implementation.shouldBeMakingProgress();
  319. /** @private {number} */
  320. this.value_ = implementation.getPresentationSeconds();
  321. /** @private {number} */
  322. this.lastUpdateSeconds_ = implementation.getWallSeconds();
  323. /** @private {boolean} */
  324. this.didJump_ = false;
  325. /**
  326. * The amount of time in seconds that we must have the same value of
  327. * |value_| before we declare it as a stall.
  328. *
  329. * @private {number}
  330. */
  331. this.stallThresholdSeconds_ = stallThresholdSeconds;
  332. /** @private {?function(number, number)} */
  333. this.onStall_ = onStall;
  334. }
  335. /** @override */
  336. release() {
  337. // Drop external references to make things easier on the GC.
  338. this.implementation_ = null;
  339. this.onStall_ = null;
  340. }
  341. /**
  342. * Have the detector update itself and fire the "on stall" callback if a stall
  343. * was detected.
  344. *
  345. * @return {boolean} True if action was taken.
  346. */
  347. poll() {
  348. const impl = this.implementation_;
  349. const shouldBeMakingProgress = impl.shouldBeMakingProgress();
  350. const value = impl.getPresentationSeconds();
  351. const wallTimeSeconds = impl.getWallSeconds();
  352. const acceptUpdate = this.value_ != value ||
  353. this.wasMakingProgress_ != shouldBeMakingProgress;
  354. if (acceptUpdate) {
  355. this.lastUpdateSeconds_ = wallTimeSeconds;
  356. this.value_ = value;
  357. this.wasMakingProgress_ = shouldBeMakingProgress;
  358. this.didJump_ = false;
  359. }
  360. const stallSeconds = wallTimeSeconds - this.lastUpdateSeconds_;
  361. const triggerCallback = stallSeconds >= this.stallThresholdSeconds_ &&
  362. shouldBeMakingProgress && !this.didJump_;
  363. if (triggerCallback) {
  364. if (this.onStall_) {
  365. this.onStall_(this.value_, stallSeconds);
  366. }
  367. this.didJump_ = true;
  368. // If the onStall_ method updated the current time, update our stored
  369. // value so we don't think that was an update.
  370. this.value_ = impl.getPresentationSeconds();
  371. }
  372. return triggerCallback;
  373. }
  374. };
  375. /**
  376. * @interface
  377. */
  378. shaka.media.StallDetector.Implementation = class {
  379. /**
  380. * Check if the presentation time should be changing. This will return |true|
  381. * when we expect the presentation time to change.
  382. *
  383. * @return {boolean}
  384. */
  385. shouldBeMakingProgress() {}
  386. /**
  387. * Get the presentation time in seconds.
  388. *
  389. * @return {number}
  390. */
  391. getPresentationSeconds() {}
  392. /**
  393. * Get the time wall time in seconds.
  394. *
  395. * @return {number}
  396. */
  397. getWallSeconds() {}
  398. };
  399. /**
  400. * Some platforms/browsers can get stuck in the middle of a buffered range (e.g.
  401. * when seeking in a background tab). Force a seek to help get it going again.
  402. *
  403. * @implements {shaka.media.StallDetector.Implementation}
  404. * @final
  405. */
  406. shaka.media.StallDetector.MediaElementImplementation = class {
  407. /**
  408. * @param {!HTMLMediaElement} mediaElement
  409. */
  410. constructor(mediaElement) {
  411. /** @private {!HTMLMediaElement} */
  412. this.mediaElement_ = mediaElement;
  413. }
  414. /** @override */
  415. shouldBeMakingProgress() {
  416. // If we are not trying to play, the lack of change could be misidentified
  417. // as a stall.
  418. if (this.mediaElement_.paused) {
  419. return false;
  420. }
  421. if (this.mediaElement_.playbackRate == 0) {
  422. return false;
  423. }
  424. // If we have don't have enough content, we are not stalled, we are
  425. // buffering.
  426. if (this.mediaElement_.buffered.length == 0) {
  427. return false;
  428. }
  429. return this.hasContentFor_(this.mediaElement_.buffered,
  430. /* timeInSeconds= */ this.mediaElement_.currentTime);
  431. }
  432. /** @override */
  433. getPresentationSeconds() {
  434. return this.mediaElement_.currentTime;
  435. }
  436. /** @override */
  437. getWallSeconds() {
  438. return Date.now() / 1000;
  439. }
  440. /**
  441. * Check if we have buffered enough content to play at |timeInSeconds|. Ignore
  442. * the end of the buffered range since it may not play any more on all
  443. * platforms.
  444. *
  445. * @param {!TimeRanges} buffered
  446. * @param {number} timeInSeconds
  447. * @return {boolean}
  448. * @private
  449. */
  450. hasContentFor_(buffered, timeInSeconds) {
  451. const TimeRangesUtils = shaka.media.TimeRangesUtils;
  452. for (const {start, end} of TimeRangesUtils.getBufferedInfo(buffered)) {
  453. // Can be as much as 100ms before the range
  454. if (timeInSeconds < start - 0.1) {
  455. continue;
  456. }
  457. // Must be at least 500ms inside the range
  458. if (timeInSeconds > end - 0.5) {
  459. continue;
  460. }
  461. return true;
  462. }
  463. return false;
  464. }
  465. };