Source: lib/net/networking_engine.js

  1. /*! @license
  2. * Shaka Player
  3. * Copyright 2016 Google LLC
  4. * SPDX-License-Identifier: Apache-2.0
  5. */
  6. goog.provide('shaka.net.NetworkingEngine');
  7. goog.provide('shaka.net.NetworkingEngine.AdvancedRequestType');
  8. goog.provide('shaka.net.NetworkingEngine.RequestType');
  9. goog.provide('shaka.net.NetworkingEngine.PendingRequest');
  10. goog.require('goog.Uri');
  11. goog.require('goog.asserts');
  12. goog.require('shaka.net.Backoff');
  13. goog.require('shaka.util.AbortableOperation');
  14. goog.require('shaka.util.BufferUtils');
  15. goog.require('shaka.util.Error');
  16. goog.require('shaka.util.FakeEvent');
  17. goog.require('shaka.util.FakeEventTarget');
  18. goog.require('shaka.util.IDestroyable');
  19. goog.require('shaka.util.ObjectUtils');
  20. goog.require('shaka.util.OperationManager');
  21. goog.require('shaka.util.Timer');
  22. /**
  23. * @event shaka.net.NetworkingEngine.RetryEvent
  24. * @description Fired when the networking engine receives a recoverable error
  25. * and retries.
  26. * @property {string} type
  27. * 'retry'
  28. * @property {?shaka.util.Error} error
  29. * The error that caused the retry. If it was a non-Shaka error, this is set
  30. * to null.
  31. * @exportDoc
  32. */
  33. /**
  34. * NetworkingEngine wraps all networking operations. This accepts plugins that
  35. * handle the actual request. A plugin is registered using registerScheme.
  36. * Each scheme has at most one plugin to handle the request.
  37. *
  38. * @implements {shaka.util.IDestroyable}
  39. * @export
  40. */
  41. shaka.net.NetworkingEngine = class extends shaka.util.FakeEventTarget {
  42. /**
  43. * @param {shaka.net.NetworkingEngine.onProgressUpdated=} onProgressUpdated
  44. * Called when
  45. * a progress event is triggered. Passed the duration, in milliseconds,
  46. * that the request took, the number of bytes transferred, and the boolean
  47. * of whether the switching is allowed.
  48. * @param {shaka.net.NetworkingEngine.OnHeadersReceived=} onHeadersReceived
  49. * Called when the headers are received for a download.
  50. * @param {shaka.net.NetworkingEngine.OnDownloadCompleted=
  51. * } onDownloadCompleted Called when a download completed successfully.
  52. * @param {shaka.net.NetworkingEngine.OnDownloadFailed=} onDownloadFailed
  53. * Called when a download fails, for any reason.
  54. * @param {shaka.net.NetworkingEngine.OnRequest=} onRequest
  55. * Called when a request is made
  56. * @param {shaka.net.NetworkingEngine.OnRetry=} onRetry
  57. * Called when a request retry is made
  58. * @param {shaka.net.NetworkingEngine.OnResponse=} onResponse
  59. * Called when receive the response
  60. */
  61. constructor(onProgressUpdated, onHeadersReceived, onDownloadCompleted,
  62. onDownloadFailed, onRequest, onRetry, onResponse) {
  63. super();
  64. /** @private {boolean} */
  65. this.destroyed_ = false;
  66. /** @private {!shaka.util.OperationManager} */
  67. this.operationManager_ = new shaka.util.OperationManager();
  68. /** @private {!Set<shaka.extern.RequestFilter>} */
  69. this.requestFilters_ = new Set();
  70. /** @private {!Set<shaka.extern.ResponseFilter>} */
  71. this.responseFilters_ = new Set();
  72. /** @private {?shaka.net.NetworkingEngine.onProgressUpdated} */
  73. this.onProgressUpdated_ = onProgressUpdated || null;
  74. /** @private {?shaka.net.NetworkingEngine.OnHeadersReceived} */
  75. this.onHeadersReceived_ = onHeadersReceived || null;
  76. /** @private {?shaka.net.NetworkingEngine.OnDownloadCompleted} */
  77. this.onDownloadCompleted_ = onDownloadCompleted || null;
  78. /** @private {?shaka.net.NetworkingEngine.OnDownloadFailed} */
  79. this.onDownloadFailed_ = onDownloadFailed || null;
  80. /** @private {?shaka.net.NetworkingEngine.OnRequest} */
  81. this.onRequest_ = onRequest || null;
  82. /** @private {?shaka.net.NetworkingEngine.OnRetry} */
  83. this.onRetry_ = onRetry || null;
  84. /** @private {?shaka.net.NetworkingEngine.OnResponse} */
  85. this.onResponse_ = onResponse || null;
  86. /** @private {boolean} */
  87. this.forceHTTP_ = false;
  88. /** @private {boolean} */
  89. this.forceHTTPS_ = false;
  90. /** @private {number} */
  91. this.minBytesForProgressEvents_ = 16e3;
  92. /** @private {!Map<string, string>} */
  93. this.hostCommonAccessTokenMap_ = new Map();
  94. }
  95. /**
  96. * @param {boolean} forceHTTP
  97. * @export
  98. */
  99. setForceHTTP(forceHTTP) {
  100. this.forceHTTP_ = forceHTTP;
  101. }
  102. /**
  103. * @param {boolean} forceHTTPS
  104. * @export
  105. */
  106. setForceHTTPS(forceHTTPS) {
  107. this.forceHTTPS_ = forceHTTPS;
  108. }
  109. /**
  110. * @param {number} minBytes
  111. */
  112. setMinBytesForProgressEvents(minBytes) {
  113. this.minBytesForProgressEvents_ = minBytes;
  114. }
  115. /**
  116. * Registers a scheme plugin. This plugin will handle all requests with the
  117. * given scheme. If a plugin with the same scheme already exists, it is
  118. * replaced, unless the existing plugin is of higher priority.
  119. * If no priority is provided, this defaults to the highest priority of
  120. * APPLICATION.
  121. *
  122. * @param {string} scheme
  123. * @param {shaka.extern.SchemePlugin} plugin
  124. * @param {number=} priority
  125. * @param {boolean=} progressSupport
  126. * @export
  127. */
  128. static registerScheme(scheme, plugin, priority, progressSupport = false) {
  129. goog.asserts.assert(
  130. priority == undefined || priority > 0, 'explicit priority must be > 0');
  131. priority =
  132. priority || shaka.net.NetworkingEngine.PluginPriority.APPLICATION;
  133. const existing = shaka.net.NetworkingEngine.schemes_.get(scheme);
  134. if (!existing || priority >= existing.priority) {
  135. shaka.net.NetworkingEngine.schemes_.set(scheme, {
  136. priority: priority,
  137. plugin: plugin,
  138. progressSupport: progressSupport,
  139. });
  140. }
  141. }
  142. /**
  143. * Removes a scheme plugin.
  144. *
  145. * @param {string} scheme
  146. * @export
  147. */
  148. static unregisterScheme(scheme) {
  149. shaka.net.NetworkingEngine.schemes_.delete(scheme);
  150. }
  151. /**
  152. * Copies all of the filters from this networking engine into another.
  153. * @param {!shaka.net.NetworkingEngine} other
  154. */
  155. copyFiltersInto(other) {
  156. for (const filter of this.requestFilters_) {
  157. other.requestFilters_.add(filter);
  158. }
  159. for (const filter of this.responseFilters_) {
  160. other.responseFilters_.add(filter);
  161. }
  162. }
  163. /**
  164. * Registers a new request filter. All filters are applied in the order they
  165. * are registered.
  166. *
  167. * @param {shaka.extern.RequestFilter} filter
  168. * @export
  169. */
  170. registerRequestFilter(filter) {
  171. this.requestFilters_.add(filter);
  172. }
  173. /**
  174. * Removes a request filter.
  175. *
  176. * @param {shaka.extern.RequestFilter} filter
  177. * @export
  178. */
  179. unregisterRequestFilter(filter) {
  180. this.requestFilters_.delete(filter);
  181. }
  182. /**
  183. * Clears all request filters.
  184. *
  185. * @export
  186. */
  187. clearAllRequestFilters() {
  188. this.requestFilters_.clear();
  189. }
  190. /**
  191. * Registers a new response filter. All filters are applied in the order they
  192. * are registered.
  193. *
  194. * @param {shaka.extern.ResponseFilter} filter
  195. * @export
  196. */
  197. registerResponseFilter(filter) {
  198. this.responseFilters_.add(filter);
  199. }
  200. /**
  201. * Removes a response filter.
  202. *
  203. * @param {shaka.extern.ResponseFilter} filter
  204. * @export
  205. */
  206. unregisterResponseFilter(filter) {
  207. this.responseFilters_.delete(filter);
  208. }
  209. /**
  210. * Clears all response filters.
  211. *
  212. * @export
  213. */
  214. clearAllResponseFilters() {
  215. this.responseFilters_.clear();
  216. }
  217. /**
  218. * Clears Common Access Token map.
  219. *
  220. * @export
  221. */
  222. clearCommonAccessTokenMap() {
  223. this.hostCommonAccessTokenMap_.clear();
  224. }
  225. /**
  226. * Gets a copy of the default retry parameters.
  227. *
  228. * @return {shaka.extern.RetryParameters}
  229. *
  230. * NOTE: The implementation moved to shaka.net.Backoff to avoid a circular
  231. * dependency between the two classes.
  232. *
  233. * @export
  234. */
  235. static defaultRetryParameters() {
  236. return shaka.net.Backoff.defaultRetryParameters();
  237. }
  238. /**
  239. * Makes a simple network request for the given URIs.
  240. *
  241. * @param {!Array<string>} uris
  242. * @param {shaka.extern.RetryParameters} retryParams
  243. * @param {?function(BufferSource):!Promise=} streamDataCallback
  244. * @return {shaka.extern.Request}
  245. * @export
  246. */
  247. static makeRequest(uris, retryParams, streamDataCallback = null) {
  248. return {
  249. uris: uris,
  250. method: 'GET',
  251. body: null,
  252. headers: {},
  253. allowCrossSiteCredentials: false,
  254. retryParameters: retryParams,
  255. licenseRequestType: null,
  256. sessionId: null,
  257. drmInfo: null,
  258. initData: null,
  259. initDataType: null,
  260. streamDataCallback: streamDataCallback,
  261. };
  262. }
  263. /**
  264. * @override
  265. * @export
  266. */
  267. destroy() {
  268. this.destroyed_ = true;
  269. this.requestFilters_.clear();
  270. this.responseFilters_.clear();
  271. this.hostCommonAccessTokenMap_.clear();
  272. // FakeEventTarget implements IReleasable
  273. super.release();
  274. return this.operationManager_.destroy();
  275. }
  276. /**
  277. * Makes a network request and returns the resulting data.
  278. *
  279. * @param {shaka.net.NetworkingEngine.RequestType} type
  280. * @param {shaka.extern.Request} request
  281. * @param {shaka.extern.RequestContext=} context
  282. * @return {!shaka.net.NetworkingEngine.PendingRequest}
  283. * @export
  284. */
  285. request(type, request, context) {
  286. const ObjectUtils = shaka.util.ObjectUtils;
  287. const numBytesRemainingObj =
  288. new shaka.net.NetworkingEngine.NumBytesRemainingClass();
  289. // Reject all requests made after destroy is called.
  290. if (this.destroyed_) {
  291. const p = Promise.reject(new shaka.util.Error(
  292. shaka.util.Error.Severity.CRITICAL,
  293. shaka.util.Error.Category.PLAYER,
  294. shaka.util.Error.Code.OPERATION_ABORTED));
  295. // Silence uncaught rejection errors, which may otherwise occur any place
  296. // we don't explicitly handle aborted operations.
  297. p.catch(() => {});
  298. return new shaka.net.NetworkingEngine.PendingRequest(
  299. p, () => Promise.resolve(), numBytesRemainingObj);
  300. }
  301. goog.asserts.assert(
  302. request.uris && request.uris.length, 'Request without URIs!');
  303. // If a request comes from outside the library, some parameters may be left
  304. // undefined. To make it easier for application developers, we will fill
  305. // them in with defaults if necessary.
  306. //
  307. // We clone retryParameters and uris so that if a filter modifies the
  308. // request, it doesn't contaminate future requests.
  309. request.method = request.method || 'GET';
  310. request.headers = request.headers || {};
  311. request.retryParameters = request.retryParameters ?
  312. ObjectUtils.cloneObject(request.retryParameters) :
  313. shaka.net.NetworkingEngine.defaultRetryParameters();
  314. request.uris = ObjectUtils.cloneObject(request.uris);
  315. // Apply the registered filters to the request.
  316. const requestFilterOperation = this.filterRequest_(type, request, context);
  317. const requestOperation = requestFilterOperation.chain(
  318. () => this.makeRequestWithRetry_(type, request, context,
  319. numBytesRemainingObj));
  320. const responseFilterOperation = requestOperation.chain(
  321. (responseAndGotProgress) =>
  322. this.filterResponse_(type, responseAndGotProgress, context));
  323. // Keep track of time spent in filters.
  324. const requestFilterStartTime = Date.now();
  325. let requestFilterMs = 0;
  326. requestFilterOperation.promise.then(() => {
  327. requestFilterMs = Date.now() - requestFilterStartTime;
  328. }, () => {}); // Silence errors in this fork of the Promise chain.
  329. let responseFilterStartTime = 0;
  330. requestOperation.promise.then(() => {
  331. responseFilterStartTime = Date.now();
  332. }, () => {}); // Silence errors in this fork of the Promise chain.
  333. const op = responseFilterOperation.chain((responseAndGotProgress) => {
  334. const responseFilterMs = Date.now() - responseFilterStartTime;
  335. const response = responseAndGotProgress.response;
  336. response.timeMs += requestFilterMs;
  337. response.timeMs += responseFilterMs;
  338. if (!responseAndGotProgress.gotProgress &&
  339. this.onProgressUpdated_ &&
  340. !response.fromCache &&
  341. request.method != 'HEAD' &&
  342. type == shaka.net.NetworkingEngine.RequestType.SEGMENT) {
  343. const allowSwitch = this.allowSwitch_(context);
  344. this.onProgressUpdated_(
  345. response.timeMs, response.data.byteLength, allowSwitch);
  346. }
  347. if (this.onResponse_) {
  348. this.onResponse_(type, response, context);
  349. }
  350. return response;
  351. }, (e) => {
  352. // Any error thrown from elsewhere should be recategorized as CRITICAL
  353. // here. This is because by the time it gets here, we've exhausted
  354. // retries.
  355. if (e) {
  356. goog.asserts.assert(e instanceof shaka.util.Error, 'Wrong error type');
  357. e.severity = shaka.util.Error.Severity.CRITICAL;
  358. }
  359. throw e;
  360. });
  361. // Return the pending request, which carries the response operation, and the
  362. // number of bytes remaining to be downloaded, updated by the progress
  363. // events. Add the operation to the manager for later cleanup.
  364. const pendingRequest =
  365. new shaka.net.NetworkingEngine.PendingRequest(
  366. op.promise, () => op.abort(), numBytesRemainingObj);
  367. this.operationManager_.manage(pendingRequest);
  368. return pendingRequest;
  369. }
  370. /**
  371. * @param {shaka.net.NetworkingEngine.RequestType} type
  372. * @param {shaka.extern.Request} request
  373. * @param {shaka.extern.RequestContext=} context
  374. * @return {!shaka.util.AbortableOperation.<undefined>}
  375. * @private
  376. */
  377. filterRequest_(type, request, context) {
  378. let filterOperation = shaka.util.AbortableOperation.completed(undefined);
  379. const applyFilter = (requestFilter) => {
  380. filterOperation = filterOperation.chain(() => {
  381. if (request.body) {
  382. // TODO: For v4.0 we should remove this or change to always pass a
  383. // Uint8Array. To make it easier for apps to write filters, it may be
  384. // better to always pass a Uint8Array so they know what they are
  385. // getting; but we shouldn't use ArrayBuffer since that would require
  386. // copying buffers if this is a partial view.
  387. request.body = shaka.util.BufferUtils.toArrayBuffer(request.body);
  388. }
  389. return requestFilter(type, request, context);
  390. });
  391. };
  392. if (this.onRequest_) {
  393. applyFilter(this.onRequest_);
  394. }
  395. for (const requestFilter of this.requestFilters_) {
  396. // Request filters are run sequentially.
  397. applyFilter(requestFilter);
  398. }
  399. // Catch any errors thrown by request filters, and substitute
  400. // them with a Shaka-native error.
  401. return filterOperation.chain(undefined, (e) => {
  402. if (e instanceof shaka.util.Error &&
  403. e.code == shaka.util.Error.Code.OPERATION_ABORTED) {
  404. // Don't change anything if the operation was aborted.
  405. throw e;
  406. }
  407. throw new shaka.util.Error(
  408. shaka.util.Error.Severity.CRITICAL,
  409. shaka.util.Error.Category.NETWORK,
  410. shaka.util.Error.Code.REQUEST_FILTER_ERROR, e);
  411. });
  412. }
  413. /**
  414. * @param {shaka.net.NetworkingEngine.RequestType} type
  415. * @param {shaka.extern.Request} request
  416. * @param {(shaka.extern.RequestContext|undefined)} context
  417. * @param {shaka.net.NetworkingEngine.NumBytesRemainingClass
  418. * } numBytesRemainingObj
  419. * @return {!shaka.extern.IAbortableOperation.<
  420. * shaka.net.NetworkingEngine.ResponseAndGotProgress>}
  421. * @private
  422. */
  423. makeRequestWithRetry_(type, request, context, numBytesRemainingObj) {
  424. const backoff = new shaka.net.Backoff(
  425. request.retryParameters, /* autoReset= */ false);
  426. const index = 0;
  427. return this.send_(
  428. type, request, context, backoff, index, /* lastError= */ null,
  429. numBytesRemainingObj);
  430. }
  431. /**
  432. * Sends the given request to the correct plugin and retry using Backoff.
  433. *
  434. * @param {shaka.net.NetworkingEngine.RequestType} type
  435. * @param {shaka.extern.Request} request
  436. * @param {(shaka.extern.RequestContext|undefined)} context
  437. * @param {!shaka.net.Backoff} backoff
  438. * @param {number} index
  439. * @param {?shaka.util.Error} lastError
  440. * @param {shaka.net.NetworkingEngine.NumBytesRemainingClass
  441. * } numBytesRemainingObj
  442. * @return {!shaka.extern.IAbortableOperation.<
  443. * shaka.net.NetworkingEngine.ResponseAndGotProgress>}
  444. * @private
  445. */
  446. send_(type, request, context, backoff, index, lastError,
  447. numBytesRemainingObj) {
  448. if (this.forceHTTP_) {
  449. request.uris[index] = request.uris[index].replace('https://', 'http://');
  450. }
  451. if (this.forceHTTPS_) {
  452. request.uris[index] = request.uris[index].replace('http://', 'https://');
  453. }
  454. if (index > 0 && this.onRetry_) {
  455. const newUri = request.uris[index];
  456. const oldUri = request.uris[index - 1];
  457. this.onRetry_(type, context, newUri, oldUri);
  458. }
  459. const uri = new goog.Uri(request.uris[index]);
  460. let scheme = uri.getScheme();
  461. // Whether it got a progress event.
  462. let gotProgress = false;
  463. if (!scheme) {
  464. // If there is no scheme, infer one from the location.
  465. scheme = shaka.net.NetworkingEngine.getLocationProtocol_();
  466. goog.asserts.assert(
  467. scheme[scheme.length - 1] == ':',
  468. 'location.protocol expected to end with a colon!');
  469. // Drop the colon.
  470. scheme = scheme.slice(0, -1);
  471. // Override the original URI to make the scheme explicit.
  472. uri.setScheme(scheme);
  473. request.uris[index] = uri.toString();
  474. }
  475. // Schemes are meant to be case-insensitive.
  476. // See https://github.com/shaka-project/shaka-player/issues/2173
  477. // and https://tools.ietf.org/html/rfc3986#section-3.1
  478. scheme = scheme.toLowerCase();
  479. const object = shaka.net.NetworkingEngine.schemes_.get(scheme);
  480. const plugin = object ? object.plugin : null;
  481. if (!plugin) {
  482. return shaka.util.AbortableOperation.failed(
  483. new shaka.util.Error(
  484. shaka.util.Error.Severity.CRITICAL,
  485. shaka.util.Error.Category.NETWORK,
  486. shaka.util.Error.Code.UNSUPPORTED_SCHEME,
  487. uri));
  488. }
  489. const progressSupport = object.progressSupport;
  490. // Add headers from CommonAccessToken
  491. const commonAccessToken =
  492. this.hostCommonAccessTokenMap_.get(uri.getDomain());
  493. if (commonAccessToken) {
  494. request.headers[shaka.net.NetworkingEngine.CommonAccessTokenHeaderName_] =
  495. commonAccessToken;
  496. }
  497. // Every attempt must have an associated backoff.attempt() call so that the
  498. // accounting is correct.
  499. const backoffOperation =
  500. shaka.util.AbortableOperation.notAbortable(backoff.attempt());
  501. /** @type {?shaka.util.Timer} */
  502. let connectionTimer = null;
  503. /** @type {?shaka.util.Timer} */
  504. let stallTimer = null;
  505. let aborted = false;
  506. let headersReceivedCalled = false;
  507. let startTimeMs;
  508. const sendOperation = backoffOperation.chain(() => {
  509. if (this.destroyed_) {
  510. return shaka.util.AbortableOperation.aborted();
  511. }
  512. startTimeMs = Date.now();
  513. const segment = shaka.net.NetworkingEngine.RequestType.SEGMENT;
  514. let packetNumber = 0;
  515. const progressUpdated = (time, bytes, numBytesRemaining) => {
  516. if (connectionTimer) {
  517. connectionTimer.stop();
  518. }
  519. if (stallTimer) {
  520. stallTimer.tickAfter(stallTimeoutMs / 1000);
  521. }
  522. if (this.onProgressUpdated_ && type == segment) {
  523. packetNumber++;
  524. request.packetNumber = packetNumber;
  525. const allowSwitch = this.allowSwitch_(context);
  526. this.onProgressUpdated_(time, bytes, allowSwitch, request);
  527. gotProgress = true;
  528. numBytesRemainingObj.setBytes(numBytesRemaining);
  529. }
  530. };
  531. const headersReceived = (headers) => {
  532. headersReceivedCalled = true;
  533. request.timeToFirstByte = Date.now() -
  534. /** @type {number} */ (request.requestStartTime);
  535. if (this.onHeadersReceived_) {
  536. this.onHeadersReceived_(headers, request, type);
  537. }
  538. };
  539. request.requestStartTime = Date.now();
  540. const requestPlugin = plugin(
  541. request.uris[index], request, type, progressUpdated, headersReceived,
  542. {
  543. minBytesForProgressEvents: this.minBytesForProgressEvents_,
  544. });
  545. if (!progressSupport) {
  546. return requestPlugin;
  547. }
  548. const connectionTimeoutMs = request.retryParameters.connectionTimeout;
  549. if (connectionTimeoutMs) {
  550. connectionTimer = new shaka.util.Timer(() => {
  551. aborted = true;
  552. requestPlugin.abort();
  553. });
  554. connectionTimer.tickAfter(connectionTimeoutMs / 1000);
  555. }
  556. const stallTimeoutMs = request.retryParameters.stallTimeout;
  557. if (stallTimeoutMs) {
  558. stallTimer = new shaka.util.Timer(() => {
  559. aborted = true;
  560. requestPlugin.abort();
  561. });
  562. }
  563. return requestPlugin;
  564. }).chain((response) => {
  565. if (connectionTimer) {
  566. connectionTimer.stop();
  567. }
  568. if (stallTimer) {
  569. stallTimer.stop();
  570. }
  571. if (response.timeMs == undefined) {
  572. response.timeMs = Date.now() - startTimeMs;
  573. }
  574. // Process headers to get the new CommonAccessToken
  575. const commonAccessTokenHeader = response.headers[
  576. shaka.net.NetworkingEngine.CommonAccessTokenHeaderName_];
  577. if (commonAccessTokenHeader) {
  578. const responseHost = new goog.Uri(response.uri);
  579. this.hostCommonAccessTokenMap_.set(
  580. responseHost.getDomain(), commonAccessTokenHeader);
  581. }
  582. const responseAndGotProgress = {
  583. response: response,
  584. gotProgress: gotProgress,
  585. };
  586. if (!headersReceivedCalled) {
  587. // The plugin did not call headersReceived, perhaps because it is not
  588. // able to track that information. So, fire the event manually.
  589. if (this.onHeadersReceived_) {
  590. this.onHeadersReceived_(response.headers, request, type);
  591. }
  592. }
  593. if (this.onDownloadCompleted_) {
  594. this.onDownloadCompleted_(request, response);
  595. }
  596. return responseAndGotProgress;
  597. }, (error) => {
  598. if (connectionTimer) {
  599. connectionTimer.stop();
  600. }
  601. if (stallTimer) {
  602. stallTimer.stop();
  603. }
  604. if (this.onDownloadFailed_) {
  605. let shakaError = null;
  606. let httpResponseCode = 0;
  607. if (error instanceof shaka.util.Error) {
  608. shakaError = error;
  609. if (error.code == shaka.util.Error.Code.BAD_HTTP_STATUS) {
  610. httpResponseCode = /** @type {number} */ (error.data[1]);
  611. }
  612. }
  613. this.onDownloadFailed_(request, shakaError, httpResponseCode, aborted);
  614. }
  615. if (this.destroyed_) {
  616. return shaka.util.AbortableOperation.aborted();
  617. }
  618. if (aborted) {
  619. // It is necessary to change the error code to the correct one because
  620. // otherwise the retry logic would not work.
  621. error = new shaka.util.Error(
  622. shaka.util.Error.Severity.RECOVERABLE,
  623. shaka.util.Error.Category.NETWORK,
  624. shaka.util.Error.Code.TIMEOUT,
  625. request.uris[index], type);
  626. }
  627. if (error instanceof shaka.util.Error) {
  628. if (error.code == shaka.util.Error.Code.OPERATION_ABORTED) {
  629. // Don't change anything if the operation was aborted.
  630. throw error;
  631. } else if (error.code == shaka.util.Error.Code.ATTEMPTS_EXHAUSTED) {
  632. goog.asserts.assert(lastError, 'Should have last error');
  633. throw lastError;
  634. }
  635. if (error.severity == shaka.util.Error.Severity.RECOVERABLE) {
  636. const data = (new Map()).set('error', error);
  637. const event = new shaka.util.FakeEvent('retry', data);
  638. // A user can call preventDefault() on a cancelable event.
  639. event.cancelable = true;
  640. this.dispatchEvent(event);
  641. if (event.defaultPrevented) {
  642. // If the caller uses preventDefault() on the 'retry' event, don't
  643. // retry any more.
  644. throw error;
  645. }
  646. // Move to the next URI.
  647. index = (index + 1) % request.uris.length;
  648. return this.send_(
  649. type, request, context, backoff, index, error,
  650. numBytesRemainingObj);
  651. }
  652. }
  653. // The error was not recoverable, so do not try again.
  654. throw error;
  655. });
  656. return sendOperation;
  657. }
  658. /**
  659. * @param {shaka.net.NetworkingEngine.RequestType} type
  660. * @param {shaka.net.NetworkingEngine.ResponseAndGotProgress
  661. * } responseAndGotProgress
  662. * @param {shaka.extern.RequestContext=} context
  663. * @return {!shaka.extern.IAbortableOperation.<
  664. * shaka.net.NetworkingEngine.ResponseAndGotProgress>}
  665. * @private
  666. */
  667. filterResponse_(type, responseAndGotProgress, context) {
  668. let filterOperation = shaka.util.AbortableOperation.completed(undefined);
  669. for (const responseFilter of this.responseFilters_) {
  670. // Response filters are run sequentially.
  671. filterOperation = filterOperation.chain(() => {
  672. const resp = responseAndGotProgress.response;
  673. if (resp.data) {
  674. // TODO: See TODO in filterRequest_.
  675. resp.data = shaka.util.BufferUtils.toArrayBuffer(resp.data);
  676. }
  677. return responseFilter(type, resp, context);
  678. });
  679. }
  680. // If successful, return the filtered response with whether it got
  681. // progress.
  682. return filterOperation.chain(() => {
  683. return responseAndGotProgress;
  684. }, (e) => {
  685. // Catch any errors thrown by request filters, and substitute
  686. // them with a Shaka-native error.
  687. // The error is assumed to be critical if the original wasn't a Shaka
  688. // error.
  689. let severity = shaka.util.Error.Severity.CRITICAL;
  690. if (e instanceof shaka.util.Error) {
  691. if (e.code == shaka.util.Error.Code.OPERATION_ABORTED) {
  692. // Don't change anything if the operation was aborted.
  693. throw e;
  694. }
  695. severity = e.severity;
  696. }
  697. throw new shaka.util.Error(
  698. severity,
  699. shaka.util.Error.Category.NETWORK,
  700. shaka.util.Error.Code.RESPONSE_FILTER_ERROR, e);
  701. });
  702. }
  703. /**
  704. * @param {(shaka.extern.RequestContext|undefined)} context
  705. * @return {boolean}
  706. * @private
  707. */
  708. allowSwitch_(context) {
  709. if (context) {
  710. const segment = context.segment;
  711. const stream = context.stream;
  712. if (segment && stream && stream.fastSwitching) {
  713. if (segment.isPartial()) {
  714. return false;
  715. }
  716. }
  717. }
  718. return true;
  719. }
  720. /**
  721. * This is here only for testability. We can't mock location in our tests on
  722. * all browsers, so instead we mock this.
  723. *
  724. * @return {string} The value of location.protocol.
  725. * @private
  726. */
  727. static getLocationProtocol_() {
  728. return location.protocol;
  729. }
  730. };
  731. /**
  732. * A wrapper class for the number of bytes remaining to be downloaded for the
  733. * request.
  734. * Instead of using PendingRequest directly, this class is needed to be sent to
  735. * plugin as a parameter, and a Promise is returned, before PendingRequest is
  736. * created.
  737. *
  738. * @export
  739. */
  740. shaka.net.NetworkingEngine.NumBytesRemainingClass = class {
  741. /**
  742. * Constructor
  743. */
  744. constructor() {
  745. /** @private {number} */
  746. this.bytesToLoad_ = 0;
  747. }
  748. /**
  749. * @param {number} bytesToLoad
  750. */
  751. setBytes(bytesToLoad) {
  752. this.bytesToLoad_ = bytesToLoad;
  753. }
  754. /**
  755. * @return {number}
  756. */
  757. getBytes() {
  758. return this.bytesToLoad_;
  759. }
  760. };
  761. /**
  762. * A pending network request. This can track the current progress of the
  763. * download, and allows the request to be aborted if the network is slow.
  764. *
  765. * @implements {shaka.extern.IAbortableOperation.<shaka.extern.Response>}
  766. * @extends {shaka.util.AbortableOperation}
  767. * @export
  768. */
  769. shaka.net.NetworkingEngine.PendingRequest =
  770. class extends shaka.util.AbortableOperation {
  771. /**
  772. * @param {!Promise} promise
  773. * A Promise which represents the underlying operation. It is resolved
  774. * when the operation is complete, and rejected if the operation fails or
  775. * is aborted. Aborted operations should be rejected with a
  776. * shaka.util.Error object using the error code OPERATION_ABORTED.
  777. * @param {function():!Promise} onAbort
  778. * Will be called by this object to abort the underlying operation. This
  779. * is not cancellation, and will not necessarily result in any work being
  780. * undone. abort() should return a Promise which is resolved when the
  781. * underlying operation has been aborted. The returned Promise should
  782. * never be rejected.
  783. * @param {shaka.net.NetworkingEngine.NumBytesRemainingClass
  784. * } numBytesRemainingObj
  785. */
  786. constructor(promise, onAbort, numBytesRemainingObj) {
  787. super(promise, onAbort);
  788. /** @private {shaka.net.NetworkingEngine.NumBytesRemainingClass} */
  789. this.bytesRemaining_ = numBytesRemainingObj;
  790. }
  791. /**
  792. * @return {number}
  793. */
  794. getBytesRemaining() {
  795. return this.bytesRemaining_.getBytes();
  796. }
  797. };
  798. /**
  799. * @const {string}
  800. * @private
  801. */
  802. shaka.net.NetworkingEngine.CommonAccessTokenHeaderName_ =
  803. 'common-access-token';
  804. /**
  805. * Request types. Allows a filter to decide which requests to read/alter.
  806. *
  807. * @enum {number}
  808. * @export
  809. */
  810. shaka.net.NetworkingEngine.RequestType = {
  811. 'MANIFEST': 0,
  812. 'SEGMENT': 1,
  813. 'LICENSE': 2,
  814. 'APP': 3,
  815. 'TIMING': 4,
  816. 'SERVER_CERTIFICATE': 5,
  817. 'KEY': 6,
  818. 'ADS': 7,
  819. 'CONTENT_STEERING': 8,
  820. };
  821. /**
  822. * A more advanced form of the RequestType structure, meant to describe
  823. * sub-types of basic request types.
  824. * For example, an INIT_SEGMENT is a sub-type of SEGMENT.
  825. * This is meant to allow for more specificity to be added to the request type
  826. * data, without breaking backwards compatibility.
  827. *
  828. * @enum {number}
  829. * @export
  830. */
  831. shaka.net.NetworkingEngine.AdvancedRequestType = {
  832. 'INIT_SEGMENT': 0,
  833. 'MEDIA_SEGMENT': 1,
  834. 'MEDIA_PLAYLIST': 2,
  835. 'MASTER_PLAYLIST': 3,
  836. 'MPD': 4,
  837. 'MSS': 5,
  838. 'MPD_PATCH': 6,
  839. 'MEDIATAILOR_SESSION_INFO': 7,
  840. 'MEDIATAILOR_TRACKING_INFO': 8,
  841. 'MEDIATAILOR_STATIC_RESOURCE': 9,
  842. 'MEDIATAILOR_TRACKING_EVENT': 10,
  843. 'INTERSTITIAL_ASSET_LIST': 11,
  844. 'INTERSTITIAL_AD_URL': 12,
  845. };
  846. /**
  847. * Priority level for network scheme plugins.
  848. * If multiple plugins are provided for the same scheme, only the
  849. * highest-priority one is used.
  850. *
  851. * @enum {number}
  852. * @export
  853. */
  854. shaka.net.NetworkingEngine.PluginPriority = {
  855. 'FALLBACK': 1,
  856. 'PREFERRED': 2,
  857. 'APPLICATION': 3,
  858. };
  859. /**
  860. * @typedef {{
  861. * plugin: shaka.extern.SchemePlugin,
  862. * priority: number,
  863. * progressSupport: boolean
  864. * }}
  865. * @property {shaka.extern.SchemePlugin} plugin
  866. * The associated plugin.
  867. * @property {number} priority
  868. * The plugin's priority.
  869. * @property {boolean} progressSupport
  870. * The plugin's supports progress events
  871. */
  872. shaka.net.NetworkingEngine.SchemeObject;
  873. /**
  874. * Contains the scheme plugins.
  875. *
  876. * @private {!Map<string, shaka.net.NetworkingEngine.SchemeObject>}
  877. */
  878. shaka.net.NetworkingEngine.schemes_ = new Map();
  879. /**
  880. * @typedef {{
  881. * response: shaka.extern.Response,
  882. * gotProgress: boolean
  883. * }}
  884. *
  885. * @description
  886. * Defines a response wrapper object, including the response object and whether
  887. * progress event is fired by the scheme plugin.
  888. *
  889. * @property {shaka.extern.Response} response
  890. * @property {boolean} gotProgress
  891. * @private
  892. */
  893. shaka.net.NetworkingEngine.ResponseAndGotProgress;
  894. /**
  895. * @typedef {function(
  896. * !Object<string, string>,
  897. * !shaka.extern.Request,
  898. * !shaka.net.NetworkingEngine.RequestType)}
  899. *
  900. * @description
  901. * A callback function that passes the shaka.extern.HeadersReceived along to
  902. * the player, plus some extra data.
  903. * @export
  904. */
  905. shaka.net.NetworkingEngine.OnHeadersReceived;
  906. /**
  907. * @typedef {function(
  908. * number,
  909. * number,
  910. * boolean,
  911. * shaka.extern.Request=)}
  912. *
  913. * @description
  914. * A callback that is passed the duration, in milliseconds,
  915. * that the request took, the number of bytes transferred, a boolean
  916. * representing whether the switching is allowed and a ref to the
  917. * original request.
  918. * @export
  919. */
  920. shaka.net.NetworkingEngine.onProgressUpdated;
  921. /**
  922. * @typedef {function(
  923. * !shaka.extern.Request,
  924. * !shaka.extern.Response)}
  925. *
  926. * @description
  927. * A callback function that notifies the player when a download completed
  928. * successfully.
  929. * @export
  930. */
  931. shaka.net.NetworkingEngine.OnDownloadCompleted;
  932. /**
  933. * @typedef {function(
  934. * !shaka.extern.Request,
  935. * ?shaka.util.Error,
  936. * number,
  937. * boolean)}
  938. *
  939. * @description
  940. * A callback function that notifies the player when a download fails, for any
  941. * reason (e.g. even if the download was aborted).
  942. * @export
  943. */
  944. shaka.net.NetworkingEngine.OnDownloadFailed;
  945. /**
  946. * @typedef {function(
  947. * !shaka.net.NetworkingEngine.RequestType,
  948. * !shaka.extern.Request,
  949. * (shaka.extern.RequestContext|undefined))}
  950. *
  951. * @description
  952. * A callback function called on every request
  953. * @export
  954. */
  955. shaka.net.NetworkingEngine.OnRequest;
  956. /**
  957. * @typedef {function(
  958. * !shaka.net.NetworkingEngine.RequestType,
  959. * (shaka.extern.RequestContext|undefined),
  960. * string,
  961. * string)}
  962. *
  963. * @description
  964. * A callback function called on every request retry. The first string is the
  965. * new URI and the second string is the old URI.
  966. * @export
  967. */
  968. shaka.net.NetworkingEngine.OnRetry;
  969. /**
  970. * @typedef {function(
  971. * !shaka.net.NetworkingEngine.RequestType,
  972. * !shaka.extern.Response,
  973. * (shaka.extern.RequestContext|undefined))}
  974. *
  975. * @description
  976. * A callback function called on every request
  977. * @export
  978. */
  979. shaka.net.NetworkingEngine.OnResponse;