Source: lib/hls/hls_parser.js

  1. /**
  2. * @license
  3. * Copyright 2016 Google Inc.
  4. *
  5. * Licensed under the Apache License, Version 2.0 (the "License");
  6. * you may not use this file except in compliance with the License.
  7. * You may obtain a copy of the License at
  8. *
  9. * http://www.apache.org/licenses/LICENSE-2.0
  10. *
  11. * Unless required by applicable law or agreed to in writing, software
  12. * distributed under the License is distributed on an "AS IS" BASIS,
  13. * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
  14. * See the License for the specific language governing permissions and
  15. * limitations under the License.
  16. */
  17. goog.provide('shaka.hls.HlsParser');
  18. goog.require('goog.Uri');
  19. goog.require('goog.asserts');
  20. goog.require('shaka.hls.ManifestTextParser');
  21. goog.require('shaka.hls.Playlist');
  22. goog.require('shaka.hls.PlaylistType');
  23. goog.require('shaka.hls.Tag');
  24. goog.require('shaka.hls.Utils');
  25. goog.require('shaka.log');
  26. goog.require('shaka.media.DrmEngine');
  27. goog.require('shaka.media.InitSegmentReference');
  28. goog.require('shaka.media.ManifestParser');
  29. goog.require('shaka.media.PresentationTimeline');
  30. goog.require('shaka.media.SegmentIndex');
  31. goog.require('shaka.media.SegmentReference');
  32. goog.require('shaka.net.DataUriPlugin');
  33. goog.require('shaka.net.NetworkingEngine');
  34. goog.require('shaka.text.TextEngine');
  35. goog.require('shaka.util.DataViewReader');
  36. goog.require('shaka.util.Error');
  37. goog.require('shaka.util.Functional');
  38. goog.require('shaka.util.ManifestParserUtils');
  39. goog.require('shaka.util.MimeUtils');
  40. /**
  41. * Creates a new HLS parser.
  42. *
  43. * @struct
  44. * @constructor
  45. * @implements {shakaExtern.ManifestParser}
  46. * @export
  47. */
  48. shaka.hls.HlsParser = function() {
  49. /** @private {?shakaExtern.ManifestParser.PlayerInterface} */
  50. this.playerInterface_ = null;
  51. /** @private {?shakaExtern.ManifestConfiguration} */
  52. this.config_ = null;
  53. /** @private {number} */
  54. this.globalId_ = 1;
  55. /**
  56. * TODO: this is now only used for text codec detection, try to remove
  57. * @private {!Object.<number, shaka.hls.HlsParser.StreamInfo>}
  58. */
  59. this.mediaTagsToStreamInfosMap_ = {};
  60. /**
  61. * The key is a string of the form "<VIDEO URI> - <AUDIO URI>".
  62. * TODO: should use original, resolved URIs, before redirects
  63. * @private {!Object.<string, shakaExtern.Variant>}
  64. */
  65. this.urisToVariantsMap_ = {};
  66. /** @private {!Object.<number, !shaka.media.SegmentIndex>} */
  67. this.streamsToIndexMap_ = {};
  68. /**
  69. * A map from media playlists' uris to stream infos
  70. * representing the playlists.
  71. * TODO: should use original, resolved URIs, before redirects
  72. * @private {!Object.<string, shaka.hls.HlsParser.StreamInfo>}
  73. */
  74. this.uriToStreamInfosMap_ = {};
  75. /** @private {?shaka.media.PresentationTimeline} */
  76. this.presentationTimeline_ = null;
  77. /**
  78. * TODO: should be resolved, post-redirect URI, so that media playlist URIs
  79. * respect master playlist redirects
  80. * @private {string}
  81. */
  82. this.manifestUri_ = '';
  83. /** @private {shaka.hls.ManifestTextParser} */
  84. this.manifestTextParser_ = new shaka.hls.ManifestTextParser();
  85. /**
  86. * The update period in seconds; or null for no updates.
  87. * @private {?number}
  88. */
  89. this.updatePeriod_ = null;
  90. /** @private {?number} */
  91. this.updateTimer_ = null;
  92. /** @private {shaka.hls.HlsParser.PresentationType_} */
  93. this.presentationType_ = shaka.hls.HlsParser.PresentationType_.VOD;
  94. /** @private {?shakaExtern.Manifest} */
  95. this.manifest_ = null;
  96. /** @private {number} */
  97. this.maxTargetDuration_ = 0;
  98. /** @private {number} */
  99. this.minTargetDuration_ = Infinity;
  100. };
  101. /**
  102. * @typedef {{
  103. * stream: !shakaExtern.Stream,
  104. * segmentIndex: !shaka.media.SegmentIndex,
  105. * drmInfos: !Array.<shakaExtern.DrmInfo>,
  106. * relativeUri: string,
  107. * minTimestamp: number,
  108. * duration: number
  109. * }}
  110. *
  111. * @description
  112. * Contains a stream and information about it.
  113. *
  114. * @property {!shakaExtern.Stream} stream
  115. * The Stream itself.
  116. * @property {!shaka.media.SegmentIndex} segmentIndex
  117. * SegmentIndex of the stream.
  118. * @property {!Array.<shakaExtern.DrmInfo>} drmInfos
  119. * DrmInfos of the stream. There may be multiple for multi-DRM content.
  120. * @property {string} relativeUri
  121. * The uri associated with the stream, relative to the manifest.
  122. * @property {number} minTimestamp
  123. * The minimum timestamp found in the stream. Used for VOD only.
  124. * @property {number} duration
  125. * The duration of the playlist. Used for VOD only.
  126. */
  127. shaka.hls.HlsParser.StreamInfo;
  128. /**
  129. * @override
  130. * @exportInterface
  131. */
  132. shaka.hls.HlsParser.prototype.configure = function(config) {
  133. this.config_ = config;
  134. };
  135. /**
  136. * @override
  137. * @exportInterface
  138. */
  139. shaka.hls.HlsParser.prototype.start = function(uri, playerInterface) {
  140. goog.asserts.assert(this.config_, 'Must call configure() before start()!');
  141. this.playerInterface_ = playerInterface;
  142. this.manifestUri_ = uri;
  143. return this.requestManifest_(uri).then(function(response) {
  144. return this.parseManifest_(response.data, uri).then(function() {
  145. this.setUpdateTimer_(this.updatePeriod_);
  146. return this.manifest_;
  147. }.bind(this));
  148. }.bind(this));
  149. };
  150. /**
  151. * @override
  152. * @exportInterface
  153. */
  154. shaka.hls.HlsParser.prototype.stop = function() {
  155. this.playerInterface_ = null;
  156. this.config_ = null;
  157. this.mediaTagsToStreamInfosMap_ = {};
  158. this.urisToVariantsMap_ = {};
  159. this.manifest_ = null;
  160. return Promise.resolve();
  161. };
  162. /**
  163. * @override
  164. * @exportInterface
  165. */
  166. shaka.hls.HlsParser.prototype.update = function() {
  167. if (!this.isLive_())
  168. return;
  169. var promises = [];
  170. for (var uri in this.uriToStreamInfosMap_) {
  171. var streamInfo = this.uriToStreamInfosMap_[uri];
  172. promises.push(this.updateStream_(streamInfo, uri));
  173. }
  174. return Promise.all(promises);
  175. };
  176. /**
  177. * Updates a stream.
  178. *
  179. * @param {!shaka.hls.HlsParser.StreamInfo} streamInfo
  180. * @param {string} uri
  181. * @throws shaka.util.Error
  182. * @private
  183. */
  184. shaka.hls.HlsParser.prototype.updateStream_ = function(streamInfo, uri) {
  185. this.requestManifest_(uri).then(function(response) {
  186. var Utils = shaka.hls.Utils;
  187. var PresentationType = shaka.hls.HlsParser.PresentationType_;
  188. var playlist = this.manifestTextParser_.parsePlaylist(response.data, uri);
  189. if (playlist.type != shaka.hls.PlaylistType.MEDIA) {
  190. throw new shaka.util.Error(
  191. shaka.util.Error.Severity.CRITICAL,
  192. shaka.util.Error.Category.MANIFEST,
  193. shaka.util.Error.Code.HLS_INVALID_PLAYLIST_HIERARCHY);
  194. }
  195. var mediaSequenceTag = Utils.getFirstTagWithName(playlist.tags,
  196. 'EXT-X-MEDIA-SEQUENCE');
  197. var startPosition = mediaSequenceTag ? Number(mediaSequenceTag.value) : 0;
  198. var stream = streamInfo.stream;
  199. this.createSegments_(playlist, startPosition,
  200. stream.mimeType, stream.codecs)
  201. .then(function(segments) {
  202. streamInfo.segmentIndex.replace(segments);
  203. var newestSegment = segments[segments.length - 1];
  204. goog.asserts.assert(newestSegment, 'Should have segments!');
  205. // Once the last segment has been added to the playlist,
  206. // #EXT-X-ENDLIST tag will be appended.
  207. // If that happened, treat the rest of the EVENT presentation
  208. // as VOD.
  209. var endListTag = Utils.getFirstTagWithName(playlist.tags,
  210. 'EXT-X-ENDLIST');
  211. if (endListTag) {
  212. // Convert the presentation to VOD and set the duration to the last
  213. // segment's end time.
  214. this.setPresentationType_(PresentationType.VOD);
  215. this.presentationTimeline_.setDuration(newestSegment.endTime);
  216. }
  217. }.bind(this));
  218. }.bind(this));
  219. };
  220. /**
  221. * @override
  222. * @exportInterface
  223. */
  224. shaka.hls.HlsParser.prototype.onExpirationUpdated = function(
  225. sessionId, expiration) {
  226. // No-op
  227. };
  228. /**
  229. * Parses the manifest.
  230. *
  231. * @param {!ArrayBuffer} data
  232. * @param {string} uri
  233. * @throws shaka.util.Error When there is a parsing error.
  234. * @return {!Promise}
  235. * @private
  236. */
  237. shaka.hls.HlsParser.prototype.parseManifest_ = function(data, uri) {
  238. var playlist = this.manifestTextParser_.parsePlaylist(data, uri);
  239. // We don't support directly providing a Media Playlist.
  240. // See error code for details.
  241. if (playlist.type != shaka.hls.PlaylistType.MASTER) {
  242. throw new shaka.util.Error(
  243. shaka.util.Error.Severity.CRITICAL,
  244. shaka.util.Error.Category.MANIFEST,
  245. shaka.util.Error.Code.HLS_MASTER_PLAYLIST_NOT_PROVIDED);
  246. }
  247. return this.createPeriod_(playlist).then(function(period) {
  248. // HLS has no notion of periods. We're treating the whole presentation as
  249. // one period.
  250. this.playerInterface_.filterAllPeriods([period]);
  251. if (this.isLive_()) {
  252. // The HLS spec (RFC 8216) states in 6.3.3:
  253. //
  254. // "The client SHALL choose which Media Segment to play first ... the
  255. // client SHOULD NOT choose a segment that starts less than three target
  256. // durations from the end of the Playlist file. Doing so can trigger
  257. // playback stalls."
  258. //
  259. // We accomplish this in our DASH-y model by setting a presentation delay
  260. // of 3 segments. This will be the "live edge" of the presentation.
  261. var threeSegmentDurations = this.maxTargetDuration_ * 3;
  262. this.presentationTimeline_.setDelay(threeSegmentDurations);
  263. // The HLS spec (RFC 8216) states in 6.3.4:
  264. // "the client MUST wait for at least the target duration before
  265. // attempting to reload the Playlist file again"
  266. this.updatePeriod_ = this.minTargetDuration_;
  267. // The spec says nothing much about seeking, but Safari's built-in HLS
  268. // implementation does not allow it. Therefore we will set the
  269. // availability window equal to the presentation delay. The player will
  270. // be able to buffer ahead three segments, but the seek window will be
  271. // zero-sized.
  272. var PresentationType = shaka.hls.HlsParser.PresentationType_;
  273. if (this.presentationType_ == PresentationType.LIVE) {
  274. this.presentationTimeline_.setSegmentAvailabilityDuration(
  275. threeSegmentDurations);
  276. }
  277. } else {
  278. // For VOD/EVENT content, offset everything back to 0.
  279. // Find the minimum timestamp in all streams, and use that as the
  280. // presentationTimeOffset for all streams.
  281. // Find the minimum duration, and use that as the presentation duration.
  282. var minFirstTimestamp = Infinity;
  283. var minDuration = Infinity;
  284. for (var uri in this.uriToStreamInfosMap_) {
  285. var streamInfo = this.uriToStreamInfosMap_[uri];
  286. minFirstTimestamp =
  287. Math.min(minFirstTimestamp, streamInfo.minTimestamp);
  288. minDuration = Math.min(minDuration, streamInfo.duration);
  289. }
  290. this.presentationTimeline_.setDuration(minDuration);
  291. for (var uri in this.uriToStreamInfosMap_) {
  292. var streamInfo = this.uriToStreamInfosMap_[uri];
  293. // This is the offset that StreamingEngine must apply to align the
  294. // actual segment times with the period.
  295. streamInfo.stream.presentationTimeOffset = minFirstTimestamp;
  296. // The segments were created with actual media times, rather than
  297. // period-aligned times, so offset them all now.
  298. streamInfo.segmentIndex.offset(-minFirstTimestamp);
  299. // Finally, fit the segments to the period duration.
  300. streamInfo.segmentIndex.fit(minDuration);
  301. }
  302. }
  303. goog.asserts.assert(this.presentationTimeline_ != null,
  304. 'presentationTimeline should already be created!');
  305. this.manifest_ = {
  306. presentationTimeline: this.presentationTimeline_,
  307. periods: [period],
  308. offlineSessionIds: [],
  309. minBufferTime: 0
  310. };
  311. }.bind(this));
  312. };
  313. /**
  314. * Parses a playlist into a Period object.
  315. *
  316. * @param {!shaka.hls.Playlist} playlist
  317. * @return {!Promise.<!shakaExtern.Period>}
  318. * @private
  319. */
  320. shaka.hls.HlsParser.prototype.createPeriod_ = function(playlist) {
  321. var Utils = shaka.hls.Utils;
  322. var Functional = shaka.util.Functional;
  323. var tags = playlist.tags;
  324. var mediaTags = Utils.filterTagsByName(playlist.tags, 'EXT-X-MEDIA');
  325. var textStreamTags = mediaTags.filter(function(tag) {
  326. var type = shaka.hls.HlsParser.getRequiredAttributeValue_(tag, 'TYPE');
  327. return type == 'SUBTITLES';
  328. }.bind(this));
  329. // TODO: CLOSED-CAPTIONS requires the parsing of CEA-608 from the video.
  330. var textStreamPromises = textStreamTags.map(function(tag) {
  331. return this.createTextStream_(tag, playlist);
  332. }.bind(this));
  333. return Promise.all(textStreamPromises).then(function(textStreams) {
  334. // Create Variants for every 'EXT-X-STREAM-INF' tag. Do this after text
  335. // streams have been created, so that we can push text codecs found on the
  336. // variant tag back into the created text streams.
  337. var variantTags = Utils.filterTagsByName(tags, 'EXT-X-STREAM-INF');
  338. var variantsPromises = variantTags.map(function(tag) {
  339. return this.createVariantsForTag_(tag, playlist);
  340. }.bind(this));
  341. return Promise.all(variantsPromises).then(function(allVariants) {
  342. var variants = allVariants.reduce(Functional.collapseArrays, []);
  343. return {
  344. startTime: 0,
  345. variants: variants,
  346. textStreams: textStreams
  347. };
  348. }.bind(this));
  349. }.bind(this));
  350. };
  351. /**
  352. * @param {!shaka.hls.Tag} tag
  353. * @param {!shaka.hls.Playlist} playlist
  354. * @return {!Promise.<!Array.<!shakaExtern.Variant>>}
  355. * @private
  356. */
  357. shaka.hls.HlsParser.prototype.createVariantsForTag_ = function(tag, playlist) {
  358. goog.asserts.assert(tag.name == 'EXT-X-STREAM-INF',
  359. 'Should only be called on variant tags!');
  360. var ContentType = shaka.util.ManifestParserUtils.ContentType;
  361. var HlsParser = shaka.hls.HlsParser;
  362. var Utils = shaka.hls.Utils;
  363. // These are the default codecs to assume if none are specified.
  364. //
  365. // The video codec is H.264, with baseline profile and level 3.0.
  366. // http://blog.pearce.org.nz/2013/11/what-does-h264avc1-codecs-parameters.html
  367. //
  368. // The audio codec is "low-complexity" AAC.
  369. var defaultCodecs = 'avc1.42E01E,mp4a.40.2';
  370. /** @type {!Array.<string>} */
  371. var codecs = tag.getAttributeValue('CODECS', defaultCodecs).split(',');
  372. var resolutionAttr = tag.getAttribute('RESOLUTION');
  373. var width = null;
  374. var height = null;
  375. var frameRate = tag.getAttributeValue('FRAME-RATE');
  376. var bandwidth =
  377. Number(HlsParser.getRequiredAttributeValue_(tag, 'BANDWIDTH'));
  378. if (resolutionAttr) {
  379. var resBlocks = resolutionAttr.value.split('x');
  380. width = resBlocks[0];
  381. height = resBlocks[1];
  382. }
  383. // After filtering, this is a list of the media tags we will process to
  384. // combine with the variant tag (EXT-X-STREAM-INF) we are working on.
  385. var mediaTags = Utils.filterTagsByName(playlist.tags, 'EXT-X-MEDIA');
  386. var audioGroupId = tag.getAttributeValue('AUDIO');
  387. var videoGroupId = tag.getAttributeValue('VIDEO');
  388. goog.asserts.assert(audioGroupId == null || videoGroupId == null,
  389. 'Unexpected: both video and audio described by media tags!');
  390. // Find any associated audio or video groups and create streams for them.
  391. if (audioGroupId) {
  392. mediaTags = Utils.findMediaTags(mediaTags, 'AUDIO', audioGroupId);
  393. } else if (videoGroupId) {
  394. mediaTags = Utils.findMediaTags(mediaTags, 'VIDEO', videoGroupId);
  395. }
  396. // There may be a codec string for the text stream. We should identify it,
  397. // add it to the appropriate stream, then strip it out of the variant to
  398. // avoid confusing our multiplex detection below.
  399. var textCodecs = this.guessCodecsSafe_(ContentType.TEXT, codecs);
  400. if (textCodecs) {
  401. // We found a text codec in the list, so look for an associated text stream.
  402. var subGroupId = tag.getAttributeValue('SUBTITLES');
  403. if (subGroupId) {
  404. var textTags = Utils.findMediaTags(mediaTags, 'SUBTITLES', subGroupId);
  405. goog.asserts.assert(textTags.length == 1,
  406. 'Exactly one text tag expected!');
  407. if (textTags.length) {
  408. // We found a text codec and text stream, so make sure the codec is
  409. // attached to the stream.
  410. var textStreamInfo = this.mediaTagsToStreamInfosMap_[textTags[0].id];
  411. textStreamInfo.stream.codecs = textCodecs;
  412. }
  413. }
  414. // Remove this entry from the list of codecs that belong to audio/video.
  415. codecs.splice(codecs.indexOf(textCodecs), 1);
  416. }
  417. var promises = mediaTags.map(function(tag) {
  418. return this.createStreamInfoFromMediaTag_(tag, codecs);
  419. }.bind(this));
  420. var audioStreamInfos = [];
  421. var videoStreamInfos = [];
  422. return Promise.all(promises).then(function(data) {
  423. if (audioGroupId) {
  424. audioStreamInfos = data;
  425. } else if (videoGroupId) {
  426. videoStreamInfos = data;
  427. }
  428. // Make an educated guess about the stream type.
  429. shaka.log.debug('Guessing stream type for', tag.toString());
  430. var type;
  431. if (!audioStreamInfos.length && !videoStreamInfos.length) {
  432. // There are no associated streams. This is either an audio-only stream,
  433. // a video-only stream, or a multiplexed stream.
  434. var ignoreStream = false;
  435. if (codecs.length == 1) {
  436. // There is only one codec, so it shouldn't be multiplexed.
  437. var videoCodecs = this.guessCodecsSafe_(ContentType.VIDEO, codecs);
  438. if (resolutionAttr || frameRate || videoCodecs) {
  439. // Assume video-only.
  440. shaka.log.debug('Guessing video-only.');
  441. type = ContentType.VIDEO;
  442. } else {
  443. // Assume audio-only.
  444. shaka.log.debug('Guessing audio-only.');
  445. type = ContentType.AUDIO;
  446. }
  447. } else {
  448. // There are multiple codecs, so assume multiplexed content.
  449. // Note that the default used when CODECS is missing assumes multiple
  450. // (and therefore multiplexed).
  451. // Recombine the codec strings into one so that MediaSource isn't
  452. // lied to later. (That would trigger an error in Chrome.)
  453. shaka.log.debug('Guessing multiplexed audio+video.');
  454. type = ContentType.VIDEO;
  455. codecs = [codecs.join(',')];
  456. }
  457. } else if (audioStreamInfos.length) {
  458. var streamURI = HlsParser.getRequiredAttributeValue_(tag, 'URI');
  459. var firstAudioStreamURI = audioStreamInfos[0].relativeUri;
  460. if (streamURI == firstAudioStreamURI) {
  461. // The Microsoft HLS manifest generators will make audio-only variants
  462. // that link to their URI both directly and through an audio tag.
  463. // In that case, ignore the local URI and use the version in the
  464. // AUDIO tag, so you inherit its language.
  465. // As an example, see the manifest linked in issue #860.
  466. shaka.log.debug('Guessing audio-only.');
  467. type = ContentType.AUDIO;
  468. ignoreStream = true;
  469. } else {
  470. // There are associated audio streams. Assume this is video.
  471. shaka.log.debug('Guessing video.');
  472. type = ContentType.VIDEO;
  473. }
  474. } else {
  475. // There are associated video streams. Assume this is audio.
  476. goog.asserts.assert(videoStreamInfos.length,
  477. 'No video streams! This should have been handled already!');
  478. shaka.log.debug('Guessing audio.');
  479. type = ContentType.AUDIO;
  480. }
  481. goog.asserts.assert(type, 'Type should have been set by now!');
  482. if (ignoreStream)
  483. return Promise.resolve();
  484. return this.createStreamInfoFromVariantTag_(tag, codecs, type);
  485. }.bind(this)).then(function(streamInfo) {
  486. if (streamInfo) {
  487. if (streamInfo.stream.type == ContentType.AUDIO) {
  488. audioStreamInfos = [streamInfo];
  489. } else {
  490. videoStreamInfos = [streamInfo];
  491. }
  492. }
  493. goog.asserts.assert(videoStreamInfos || audioStreamInfos,
  494. 'We should have created a stream!');
  495. return this.createVariants_(
  496. audioStreamInfos,
  497. videoStreamInfos,
  498. bandwidth,
  499. width,
  500. height,
  501. frameRate);
  502. }.bind(this));
  503. };
  504. /**
  505. * @param {!Array.<!shaka.hls.HlsParser.StreamInfo>} audioInfos
  506. * @param {!Array.<!shaka.hls.HlsParser.StreamInfo>} videoInfos
  507. * @param {number} bandwidth
  508. * @param {?string} width
  509. * @param {?string} height
  510. * @param {?string} frameRate
  511. * @return {!Array.<!shakaExtern.Variant>}
  512. * @private
  513. */
  514. shaka.hls.HlsParser.prototype.createVariants_ =
  515. function(audioInfos, videoInfos, bandwidth, width, height, frameRate) {
  516. var DrmEngine = shaka.media.DrmEngine;
  517. videoInfos.forEach(function(info) {
  518. this.addVideoAttributes_(info.stream, width, height, frameRate);
  519. }.bind(this));
  520. // In case of audio-only or video-only content, we create an array of
  521. // one item containing a null. This way, the double-loop works for all
  522. // kinds of content.
  523. // NOTE: we currently don't have support for audio-only content.
  524. if (!audioInfos.length)
  525. audioInfos = [null];
  526. if (!videoInfos.length)
  527. videoInfos = [null];
  528. var variants = [];
  529. for (var i = 0; i < audioInfos.length; i++) {
  530. for (var j = 0; j < videoInfos.length; j++) {
  531. var audioStream = audioInfos[i] ? audioInfos[i].stream : null;
  532. var videoStream = videoInfos[j] ? videoInfos[j].stream : null;
  533. var audioDrmInfos = audioInfos[i] ? audioInfos[i].drmInfos : null;
  534. var videoDrmInfos = videoInfos[j] ? videoInfos[j].drmInfos : null;
  535. var drmInfos;
  536. if (audioStream && videoStream) {
  537. if (DrmEngine.areDrmCompatible(audioDrmInfos, videoDrmInfos)) {
  538. drmInfos = DrmEngine.getCommonDrmInfos(audioDrmInfos, videoDrmInfos);
  539. } else {
  540. shaka.log.warning('Incompatible DRM info in HLS variant. Skipping.');
  541. continue;
  542. }
  543. } else if (audioStream) {
  544. drmInfos = audioDrmInfos;
  545. } else if (videoStream) {
  546. drmInfos = videoDrmInfos;
  547. }
  548. var videoStreamUri = videoInfos[i] ? videoInfos[i].relativeUri : '';
  549. var audioStreamUri = audioInfos[i] ? audioInfos[i].relativeUri : '';
  550. var variantMapKey = videoStreamUri + ' - ' + audioStreamUri;
  551. if (this.urisToVariantsMap_[variantMapKey]) {
  552. // This happens when two variants only differ in their text streams.
  553. shaka.log.debug('Skipping variant which only differs in text streams.');
  554. continue;
  555. }
  556. var variant = this.createVariant_(
  557. audioStream, videoStream, bandwidth, drmInfos);
  558. variants.push(variant);
  559. this.urisToVariantsMap_[variantMapKey] = variant;
  560. }
  561. }
  562. return variants;
  563. };
  564. /**
  565. * @param {shakaExtern.Stream} audio
  566. * @param {shakaExtern.Stream} video
  567. * @param {number} bandwidth
  568. * @param {!Array.<shakaExtern.DrmInfo>} drmInfos
  569. * @return {!shakaExtern.Variant}
  570. * @private
  571. */
  572. shaka.hls.HlsParser.prototype.createVariant_ =
  573. function(audio, video, bandwidth, drmInfos) {
  574. var ContentType = shaka.util.ManifestParserUtils.ContentType;
  575. // Since both audio and video are of the same type, this assertion will catch
  576. // certain mistakes at runtime that the compiler would miss.
  577. goog.asserts.assert(!audio || audio.type == ContentType.AUDIO,
  578. 'Audio parameter mismatch!');
  579. goog.asserts.assert(!video || video.type == ContentType.VIDEO,
  580. 'Video parameter mismatch!');
  581. return {
  582. id: this.globalId_++,
  583. language: audio ? audio.language : 'und',
  584. primary: (!!audio && audio.primary) || (!!video && video.primary),
  585. audio: audio,
  586. video: video,
  587. bandwidth: bandwidth,
  588. drmInfos: drmInfos,
  589. allowedByApplication: true,
  590. allowedByKeySystem: true
  591. };
  592. };
  593. /**
  594. * Parses an EXT-X-MEDIA tag with TYPE="SUBTITLES" into a text stream.
  595. *
  596. * @param {!shaka.hls.Tag} tag
  597. * @param {!shaka.hls.Playlist} playlist
  598. * @return {!Promise.<?shakaExtern.Stream>}
  599. * @private
  600. */
  601. shaka.hls.HlsParser.prototype.createTextStream_ = function(tag, playlist) {
  602. goog.asserts.assert(tag.name == 'EXT-X-MEDIA',
  603. 'Should only be called on media tags!');
  604. var type = shaka.hls.HlsParser.getRequiredAttributeValue_(tag, 'TYPE');
  605. goog.asserts.assert(type == 'SUBTITLES',
  606. 'Should only be called on tags with TYPE="SUBTITLES"!');
  607. return this.createStreamInfoFromMediaTag_(tag, [])
  608. .then(function(streamInfo) {
  609. return streamInfo.stream;
  610. });
  611. };
  612. /**
  613. * Parse EXT-X-MEDIA media tag into a Stream object.
  614. *
  615. * @param {shaka.hls.Tag} tag
  616. * @param {!Array.<!string>} allCodecs
  617. * @return {!Promise.<shaka.hls.HlsParser.StreamInfo>}
  618. * @private
  619. */
  620. shaka.hls.HlsParser.prototype.createStreamInfoFromMediaTag_ =
  621. function(tag, allCodecs) {
  622. goog.asserts.assert(tag.name == 'EXT-X-MEDIA',
  623. 'Should only be called on media tags!');
  624. var HlsParser = shaka.hls.HlsParser;
  625. var uri = HlsParser.getRequiredAttributeValue_(tag, 'URI');
  626. uri = shaka.hls.Utils.constructAbsoluteUri(this.manifestUri_, uri);
  627. // Check if the stream has already been created as part of another Variant
  628. // and return it if it has.
  629. if (this.uriToStreamInfosMap_[uri]) {
  630. return Promise.resolve(this.uriToStreamInfosMap_[uri]);
  631. }
  632. var type = HlsParser.getRequiredAttributeValue_(tag, 'TYPE').toLowerCase();
  633. // Shaka recognizes content types 'audio', 'video' and 'text'.
  634. // HLS 'subtitles' type needs to be mapped to 'text'.
  635. var ContentType = shaka.util.ManifestParserUtils.ContentType;
  636. if (type == 'subtitles') type = ContentType.TEXT;
  637. var LanguageUtils = shaka.util.LanguageUtils;
  638. var language = LanguageUtils.normalize(/** @type {string} */(
  639. tag.getAttributeValue('LANGUAGE', 'und')));
  640. var label = tag.getAttributeValue('NAME');
  641. var defaultAttr = tag.getAttribute('DEFAULT');
  642. var autoselectAttr = tag.getAttribute('AUTOSELECT');
  643. // TODO: Should we take into account some of the currently ignored attributes:
  644. // FORCED, INSTREAM-ID, CHARACTERISTICS, CHANNELS?
  645. // Attribute descriptions:
  646. // https://tools.ietf.org/html/draft-pantos-http-live-streaming-20#section-4.3.4.1
  647. var channelsAttribute = tag.getAttributeValue('CHANNELS');
  648. var channelsCount = type == 'audio' ?
  649. this.getChannelsCount_(channelsAttribute) : null;
  650. var primary = !!defaultAttr || !!autoselectAttr;
  651. return this.createStreamInfo_(uri, allCodecs, type,
  652. language, primary, label, channelsCount).then(function(streamInfo) {
  653. // TODO: This check is necessary because of the possibility of multiple
  654. // calls to createStreamInfoFromMediaTag_ before either has resolved.
  655. if (this.uriToStreamInfosMap_[uri])
  656. return this.uriToStreamInfosMap_[uri];
  657. this.mediaTagsToStreamInfosMap_[tag.id] = streamInfo;
  658. this.uriToStreamInfosMap_[uri] = streamInfo;
  659. return streamInfo;
  660. }.bind(this));
  661. };
  662. /**
  663. * Get the channels count information for HLS audio track.
  664. * The channels value is a string that specifies an ordered, "/" separated list
  665. * of parameters. If the type is audio, the first parameter will be a decimal
  666. * integer, as the number of independent, simultaneous audio channels.
  667. * No other channels parameters are currently defined.
  668. *
  669. * @param {?string} channels
  670. *
  671. * @return {?number} channelcount
  672. * @private
  673. */
  674. shaka.hls.HlsParser.prototype.getChannelsCount_ = function(channels) {
  675. if (!channels) return null;
  676. var channelscountstring = channels.split('/')[0];
  677. var count = parseInt(channelscountstring, 10);
  678. return count;
  679. };
  680. /**
  681. * Parse EXT-X-STREAM-INF media tag into a Stream object.
  682. *
  683. * @param {!shaka.hls.Tag} tag
  684. * @param {!Array.<!string>} allCodecs
  685. * @param {!string} type
  686. * @return {!Promise.<shaka.hls.HlsParser.StreamInfo>}
  687. * @private
  688. */
  689. shaka.hls.HlsParser.prototype.createStreamInfoFromVariantTag_ =
  690. function(tag, allCodecs, type) {
  691. goog.asserts.assert(tag.name == 'EXT-X-STREAM-INF',
  692. 'Should only be called on media tags!');
  693. var uri = shaka.hls.HlsParser.getRequiredAttributeValue_(tag, 'URI');
  694. uri = shaka.hls.Utils.constructAbsoluteUri(this.manifestUri_, uri);
  695. if (this.uriToStreamInfosMap_[uri]) {
  696. return Promise.resolve(this.uriToStreamInfosMap_[uri]);
  697. }
  698. return this.createStreamInfo_(uri, allCodecs, type,
  699. /* language */ 'und', /* primary */ false,
  700. /* label */ null, /* channelcount */ null).then(
  701. function(streamInfo) {
  702. // TODO: This check is necessary because of the possibility of multiple
  703. // calls to createStreamInfoFromVariantTag_ before either has resolved.
  704. if (this.uriToStreamInfosMap_[uri])
  705. return this.uriToStreamInfosMap_[uri];
  706. this.uriToStreamInfosMap_[uri] = streamInfo;
  707. return streamInfo;
  708. }.bind(this));
  709. };
  710. /**
  711. * @param {!string} uri
  712. * @param {!Array.<!string>} allCodecs
  713. * @param {!string} type
  714. * @param {!string} language
  715. * @param {boolean} primary
  716. * @param {?string} label
  717. * @param {?number} channelsCount
  718. * @return {!Promise.<shaka.hls.HlsParser.StreamInfo>}
  719. * @throws shaka.util.Error
  720. * @private
  721. */
  722. shaka.hls.HlsParser.prototype.createStreamInfo_ = function(uri, allCodecs,
  723. type, language, primary, label, channelsCount) {
  724. var Utils = shaka.hls.Utils;
  725. var ContentType = shaka.util.ManifestParserUtils.ContentType;
  726. var HlsParser = shaka.hls.HlsParser;
  727. var relativeUri = uri;
  728. uri = Utils.constructAbsoluteUri(this.manifestUri_, uri);
  729. /** @type {!shaka.hls.Playlist} */
  730. var playlist;
  731. /** @type {string} */
  732. var codecs = '';
  733. /** @type {string} */
  734. var mimeType;
  735. return this.requestManifest_(uri).then(function(response) {
  736. playlist = this.manifestTextParser_.parsePlaylist(response.data, uri);
  737. if (playlist.type != shaka.hls.PlaylistType.MEDIA) {
  738. // EXT-X-MEDIA tags should point to media playlists.
  739. throw new shaka.util.Error(
  740. shaka.util.Error.Severity.CRITICAL,
  741. shaka.util.Error.Category.MANIFEST,
  742. shaka.util.Error.Code.HLS_INVALID_PLAYLIST_HIERARCHY);
  743. }
  744. goog.asserts.assert(playlist.segments != null,
  745. 'Media playlist should have segments!');
  746. this.determinePresentationType_(playlist);
  747. codecs = this.guessCodecs_(type, allCodecs);
  748. return this.guessMimeType_(type, codecs, playlist);
  749. }.bind(this)).then(function(mimeTypeArg) {
  750. mimeType = mimeTypeArg;
  751. var mediaSequenceTag = Utils.getFirstTagWithName(playlist.tags,
  752. 'EXT-X-MEDIA-SEQUENCE');
  753. var startPosition = mediaSequenceTag ? Number(mediaSequenceTag.value) : 0;
  754. return this.createSegments_(playlist, startPosition, mimeType, codecs);
  755. }.bind(this)).then(function(segments) {
  756. var minTimestamp = segments[0].startTime;
  757. var lastEndTime = segments[segments.length - 1].endTime;
  758. var duration = lastEndTime - minTimestamp;
  759. var segmentIndex = new shaka.media.SegmentIndex(segments);
  760. if (!this.presentationTimeline_) {
  761. // The presentation started last available segment's end time ago.
  762. // All variants should be in sync in terms of timeline, so just grab
  763. // this from an arbitrary stream.
  764. this.createPresentationTimeline_(lastEndTime);
  765. }
  766. var initSegmentReference = null;
  767. if (type != ContentType.TEXT) {
  768. initSegmentReference = this.createInitSegmentReference_(playlist);
  769. }
  770. this.presentationTimeline_.notifySegments(0, segments);
  771. var kind = undefined;
  772. var ManifestParserUtils = shaka.util.ManifestParserUtils;
  773. if (type == ManifestParserUtils.ContentType.TEXT)
  774. kind = ManifestParserUtils.TextStreamKind.SUBTITLE;
  775. // TODO: CLOSED-CAPTIONS requires the parsing of CEA-608
  776. // from the video.
  777. var drmTags = [];
  778. playlist.segments.forEach(function(segment) {
  779. var segmentKeyTags = Utils.filterTagsByName(segment.tags,
  780. 'EXT-X-KEY');
  781. drmTags.push.apply(drmTags, segmentKeyTags);
  782. });
  783. var encrypted = false;
  784. var drmInfos = [];
  785. var keyId = null;
  786. // TODO: may still need changes to support key rotation
  787. drmTags.forEach(function(drmTag) {
  788. var method = HlsParser.getRequiredAttributeValue_(drmTag, 'METHOD');
  789. if (method != 'NONE') {
  790. encrypted = true;
  791. var keyFormat =
  792. HlsParser.getRequiredAttributeValue_(drmTag, 'KEYFORMAT');
  793. var drmParser =
  794. shaka.hls.HlsParser.KEYFORMATS_TO_DRM_PARSERS_[keyFormat];
  795. var drmInfo = drmParser ? drmParser(drmTag) : null;
  796. if (drmInfo) {
  797. if (drmInfo.keyIds.length) {
  798. keyId = drmInfo.keyIds[0];
  799. }
  800. drmInfos.push(drmInfo);
  801. } else {
  802. shaka.log.warning('Unsupported HLS KEYFORMAT', keyFormat);
  803. }
  804. }
  805. });
  806. if (encrypted && !drmInfos.length) {
  807. throw new shaka.util.Error(
  808. shaka.util.Error.Severity.CRITICAL,
  809. shaka.util.Error.Category.MANIFEST,
  810. shaka.util.Error.Code.HLS_KEYFORMATS_NOT_SUPPORTED);
  811. }
  812. var stream = {
  813. id: this.globalId_++,
  814. createSegmentIndex: Promise.resolve.bind(Promise),
  815. findSegmentPosition: segmentIndex.find.bind(segmentIndex),
  816. getSegmentReference: segmentIndex.get.bind(segmentIndex),
  817. initSegmentReference: initSegmentReference,
  818. presentationTimeOffset: 0,
  819. mimeType: mimeType,
  820. codecs: codecs,
  821. kind: kind,
  822. encrypted: encrypted,
  823. keyId: keyId,
  824. language: language,
  825. label: label || null,
  826. type: type,
  827. primary: primary,
  828. // TODO: trick mode
  829. trickModeVideo: null,
  830. containsEmsgBoxes: false,
  831. frameRate: undefined,
  832. width: undefined,
  833. height: undefined,
  834. bandwidth: undefined,
  835. roles: [],
  836. channelsCount: channelsCount
  837. };
  838. this.streamsToIndexMap_[stream.id] = segmentIndex;
  839. return {
  840. stream: stream,
  841. segmentIndex: segmentIndex,
  842. drmInfos: drmInfos,
  843. relativeUri: relativeUri,
  844. minTimestamp: minTimestamp,
  845. duration: duration
  846. };
  847. }.bind(this));
  848. };
  849. /**
  850. * @param {!shaka.hls.Playlist} playlist
  851. * @private
  852. */
  853. shaka.hls.HlsParser.prototype.determinePresentationType_ = function(playlist) {
  854. var Utils = shaka.hls.Utils;
  855. var PresentationType = shaka.hls.HlsParser.PresentationType_;
  856. var presentationTypeTag = Utils.getFirstTagWithName(playlist.tags,
  857. 'EXT-X-PLAYLIST-TYPE');
  858. var endListTag = Utils.getFirstTagWithName(playlist.tags, 'EXT-X-ENDLIST');
  859. var isVod = (presentationTypeTag && presentationTypeTag.value == 'VOD') ||
  860. endListTag;
  861. var isEvent = presentationTypeTag && presentationTypeTag.value == 'EVENT' &&
  862. !isVod;
  863. var isLive = !isVod && !isEvent;
  864. if (isVod) {
  865. this.setPresentationType_(PresentationType.VOD);
  866. } else {
  867. // presentation type LIVE or an ongoing EVENT
  868. if (isLive) {
  869. this.setPresentationType_(PresentationType.LIVE);
  870. } else {
  871. this.setPresentationType_(PresentationType.EVENT);
  872. }
  873. var targetDurationTag = this.getRequiredTag_(playlist.tags,
  874. 'EXT-X-TARGETDURATION');
  875. var targetDuration = Number(targetDurationTag.value);
  876. // According to HLS spec, updates should not happen more often than
  877. // once in targetDuration. It also requires to only update the active
  878. // variant. We might implement that later, but for now every variant
  879. // will be updated. To get the update period, choose the smallest
  880. // targetDuration value across all playlists.
  881. // Update longest target duration if need be to use as a presentation
  882. // delay later.
  883. this.maxTargetDuration_ = Math.max(targetDuration, this.maxTargetDuration_);
  884. // Update the shortest one to use as update period and segment availability
  885. // time (for LIVE).
  886. this.minTargetDuration_ = Math.min(targetDuration, this.minTargetDuration_);
  887. }
  888. };
  889. /**
  890. * @param {number} endTime
  891. * @throws shaka.util.Error
  892. * @private
  893. */
  894. shaka.hls.HlsParser.prototype.createPresentationTimeline_ = function(endTime) {
  895. var presentationStartTime = null;
  896. var delay = 0;
  897. if (this.isLive_()) {
  898. presentationStartTime = (Date.now() / 1000) - endTime;
  899. // We should have a delay of at least 3 target durations.
  900. delay = this.maxTargetDuration_ * 3;
  901. }
  902. this.presentationTimeline_ = new shaka.media.PresentationTimeline(
  903. presentationStartTime, delay);
  904. this.presentationTimeline_.setStatic(!this.isLive_());
  905. };
  906. /**
  907. * @param {!shaka.hls.Playlist} playlist
  908. * @return {shaka.media.InitSegmentReference}
  909. * @private
  910. * @throws {shaka.util.Error}
  911. */
  912. shaka.hls.HlsParser.prototype.createInitSegmentReference_ = function(playlist) {
  913. var Utils = shaka.hls.Utils;
  914. var mapTags = Utils.filterTagsByName(playlist.tags, 'EXT-X-MAP');
  915. // TODO: Support multiple map tags?
  916. // For now, we don't support multiple map tags and will throw an error.
  917. if (!mapTags.length) {
  918. return null;
  919. } else if (mapTags.length > 1) {
  920. throw new shaka.util.Error(
  921. shaka.util.Error.Severity.CRITICAL,
  922. shaka.util.Error.Category.MANIFEST,
  923. shaka.util.Error.Code.HLS_MULTIPLE_MEDIA_INIT_SECTIONS_FOUND);
  924. }
  925. // Map tag example: #EXT-X-MAP:URI="main.mp4",BYTERANGE="720@0"
  926. var mapTag = mapTags[0];
  927. var initUri = shaka.hls.HlsParser.getRequiredAttributeValue_(mapTag, 'URI');
  928. var uri = Utils.constructAbsoluteUri(playlist.uri, initUri);
  929. var startByte = 0;
  930. var endByte = null;
  931. var byterange = mapTag.getAttributeValue('BYTERANGE');
  932. // If BYTERANGE attribute is not specified, the segment consists
  933. // of the entire resourse.
  934. if (byterange) {
  935. var blocks = byterange.split('@');
  936. var byteLength = Number(blocks[0]);
  937. startByte = Number(blocks[1]);
  938. endByte = startByte + byteLength - 1;
  939. }
  940. return new shaka.media.InitSegmentReference(function() { return [uri]; },
  941. startByte,
  942. endByte);
  943. };
  944. /**
  945. * Parses one shaka.hls.Segment object into a shaka.media.SegmentReference.
  946. *
  947. * @param {!shaka.hls.Playlist} playlist
  948. * @param {shaka.media.SegmentReference} previousReference
  949. * @param {!shaka.hls.Segment} hlsSegment
  950. * @param {number} position
  951. * @param {number} startTime
  952. * @return {!shaka.media.SegmentReference}
  953. * @private
  954. */
  955. shaka.hls.HlsParser.prototype.createSegmentReference_ =
  956. function(playlist, previousReference, hlsSegment, position, startTime) {
  957. var Utils = shaka.hls.Utils;
  958. var tags = hlsSegment.tags;
  959. var uri = Utils.constructAbsoluteUri(playlist.uri, hlsSegment.uri);
  960. var extinfTag = this.getRequiredTag_(tags, 'EXTINF');
  961. // EXTINF tag format is '#EXTINF:<duration>,[<title>]'.
  962. // We're interested in the duration part.
  963. var extinfValues = extinfTag.value.split(',');
  964. var duration = Number(extinfValues[0]);
  965. var endTime = startTime + duration;
  966. var startByte = 0;
  967. var endByte = null;
  968. var byterange = Utils.getFirstTagWithName(tags, 'EXT-X-BYTERANGE');
  969. // If BYTERANGE is not specified, the segment consists of the
  970. // entire resourse.
  971. if (byterange) {
  972. var blocks = byterange.value.split('@');
  973. var byteLength = Number(blocks[0]);
  974. if (blocks[1]) {
  975. startByte = Number(blocks[1]);
  976. } else {
  977. goog.asserts.assert(previousReference,
  978. 'Cannot refer back to previous HLS segment!');
  979. startByte = previousReference.endByte + 1;
  980. }
  981. endByte = startByte + byteLength - 1;
  982. }
  983. return new shaka.media.SegmentReference(
  984. position,
  985. startTime,
  986. endTime,
  987. function() { return [uri]; },
  988. startByte,
  989. endByte);
  990. };
  991. /**
  992. * Parses shaka.hls.Segment objects into shaka.media.SegmentReferences.
  993. *
  994. * @param {!shaka.hls.Playlist} playlist
  995. * @param {number} startPosition
  996. * @param {string} mimeType
  997. * @param {string} codecs
  998. * @return {!Promise<!Array.<!shaka.media.SegmentReference>>}
  999. * @private
  1000. */
  1001. shaka.hls.HlsParser.prototype.createSegments_ =
  1002. function(playlist, startPosition, mimeType, codecs) {
  1003. var Utils = shaka.hls.Utils;
  1004. var hlsSegments = playlist.segments;
  1005. var references = [];
  1006. goog.asserts.assert(hlsSegments.length, 'Playlist should have segments!');
  1007. // We may need to look at the media itself to determine a segment start time.
  1008. var firstSegmentUri = Utils.constructAbsoluteUri(playlist.uri,
  1009. hlsSegments[0].uri);
  1010. var firstSegmentRef =
  1011. this.createSegmentReference_(
  1012. playlist,
  1013. null /* previousReference */,
  1014. hlsSegments[0],
  1015. startPosition,
  1016. 0 /* startTime, irrelevant */);
  1017. return this.getStartTime_(playlist.uri, firstSegmentRef, mimeType, codecs)
  1018. .then(function(firstStartTime) {
  1019. shaka.log.debug('First segment', firstSegmentUri.split('/').pop(),
  1020. 'starts at', firstStartTime);
  1021. for (var i = 0; i < hlsSegments.length; ++i) {
  1022. var hlsSegment = hlsSegments[i];
  1023. var previousReference = references[references.length - 1];
  1024. var startTime = (i == 0) ? firstStartTime : previousReference.endTime;
  1025. var position = startPosition + i;
  1026. var reference = this.createSegmentReference_(
  1027. playlist,
  1028. previousReference,
  1029. hlsSegment,
  1030. position,
  1031. startTime);
  1032. references.push(reference);
  1033. }
  1034. return references;
  1035. }.bind(this));
  1036. };
  1037. /**
  1038. * Try to fetch a partial segment, and fall back to a full segment if we have
  1039. * to.
  1040. *
  1041. * @param {!shaka.media.SegmentReference} segmentRef
  1042. * @return {!Promise.<shakaExtern.Response>}
  1043. * @throws {shaka.util.Error}
  1044. * @private
  1045. */
  1046. shaka.hls.HlsParser.prototype.fetchPartialSegment_ = function(segmentRef) {
  1047. var networkingEngine = this.playerInterface_.networkingEngine;
  1048. var requestType = shaka.net.NetworkingEngine.RequestType.SEGMENT;
  1049. var request = shaka.net.NetworkingEngine.makeRequest(
  1050. segmentRef.getUris(), this.config_.retryParameters);
  1051. // Try to avoid fetching the entire segment, which can be quite large.
  1052. var partialSegmentHeaders = {};
  1053. var startByte = segmentRef.startByte;
  1054. var partialEndByte =
  1055. startByte + shaka.hls.HlsParser.PARTIAL_SEGMENT_SIZE_ - 1;
  1056. partialSegmentHeaders['Range'] = 'bytes=' + startByte + '-' + partialEndByte;
  1057. // Prepare a fallback to the entire segment.
  1058. var fullSegmentHeaders = {};
  1059. if ((startByte != 0) || (segmentRef.endByte != null)) {
  1060. var range = 'bytes=' + startByte + '-';
  1061. if (segmentRef.endByte != null) range += segmentRef.endByte;
  1062. fullSegmentHeaders['Range'] = range;
  1063. }
  1064. // Try a partial request first.
  1065. request.headers = partialSegmentHeaders;
  1066. return networkingEngine.request(requestType, request).catch(function(error) {
  1067. // The partial request may fail for a number of reasons.
  1068. // Some servers do not support Range requests, and others do not support the
  1069. // OPTIONS request which must be made before any cross-origin Range request.
  1070. // Since this fallback is expensive, warn the app developer.
  1071. shaka.log.alwaysWarn('Unable to fetch a partial HLS segment! ' +
  1072. 'Falling back to a full segment request, ' +
  1073. 'which is expensive! Your server should support ' +
  1074. 'Range requests and CORS preflights.',
  1075. request.uris[0]);
  1076. request.headers = fullSegmentHeaders;
  1077. return networkingEngine.request(requestType, request);
  1078. });
  1079. };
  1080. /**
  1081. * Gets start time of a segment from the existing manifest (if possible) or by
  1082. * downloading it and parsing it otherwise.
  1083. *
  1084. * @param {string} playlistUri
  1085. * @param {!shaka.media.SegmentReference} segmentRef
  1086. * @param {string} mimeType
  1087. * @param {string} codecs
  1088. * @return {!Promise.<number>}
  1089. * @throws {shaka.util.Error}
  1090. * @private
  1091. */
  1092. shaka.hls.HlsParser.prototype.getStartTime_ =
  1093. function(playlistUri, segmentRef, mimeType, codecs) {
  1094. // If we are updating the manifest, we can usually skip fetching the segment
  1095. // by examining the references we already have. This won't be possible if
  1096. // there was some kind of lag or delay updating the manifest on the server,
  1097. // in which extreme case we would fall back to fetching a segment. This
  1098. // allows us to both avoid fetching segments when possible, and recover from
  1099. // certain server-side issues gracefully.
  1100. if (this.manifest_) {
  1101. var streamInfo = this.uriToStreamInfosMap_[playlistUri];
  1102. var segmentIndex = streamInfo.segmentIndex;
  1103. var reference = segmentIndex.get(segmentRef.position);
  1104. if (reference) {
  1105. // We found it! Avoid fetching and parsing the segment.
  1106. shaka.log.v1('Found segment start time in previous manifest');
  1107. return Promise.resolve(reference.startTime);
  1108. }
  1109. shaka.log.debug('Unable to find segment start time in previous manifest!');
  1110. }
  1111. // TODO: Introduce a new tag to extend HLS and provide the first segment's
  1112. // start time. This will avoid the need for these fetches in content packaged
  1113. // with Shaka Packager. This web-friendly extension to HLS can then be
  1114. // proposed to Apple for inclusion in a future version of HLS.
  1115. // See https://github.com/google/shaka-packager/issues/294
  1116. shaka.log.v1('Fetching segment to find start time');
  1117. return this.fetchPartialSegment_(segmentRef).then(function(response) {
  1118. if (mimeType == 'video/mp4' || mimeType == 'audio/mp4') {
  1119. return this.getStartTimeFromMp4Segment_(response.data);
  1120. } else if (mimeType == 'video/mp2t') {
  1121. return this.getStartTimeFromTsSegment_(response.data);
  1122. } else if (mimeType == 'application/mp4' ||
  1123. mimeType.indexOf('text/') == 0) {
  1124. return this.getStartTimeFromTextSegment_(
  1125. mimeType, codecs, response.data);
  1126. } else {
  1127. // TODO: Parse WebM?
  1128. // TODO: Parse raw AAC?
  1129. throw new shaka.util.Error(
  1130. shaka.util.Error.Severity.CRITICAL,
  1131. shaka.util.Error.Category.MANIFEST,
  1132. shaka.util.Error.Code.HLS_COULD_NOT_PARSE_SEGMENT_START_TIME);
  1133. }
  1134. }.bind(this));
  1135. };
  1136. /**
  1137. * Parses an mp4 segment to get its start time.
  1138. *
  1139. * @param {!ArrayBuffer} data
  1140. * @return {number}
  1141. * @throws {shaka.util.Error}
  1142. * @private
  1143. */
  1144. shaka.hls.HlsParser.prototype.getStartTimeFromMp4Segment_ = function(data) {
  1145. var startTime = 0;
  1146. var Mp4Parser = shaka.util.Mp4Parser;
  1147. var parsed = false;
  1148. new Mp4Parser()
  1149. .box('moof', Mp4Parser.children)
  1150. .box('traf', Mp4Parser.children)
  1151. .fullBox('tfdt', function(box) {
  1152. goog.asserts.assert(
  1153. box.version == 0 || box.version == 1,
  1154. 'TFDT version can only be 0 or 1');
  1155. var baseTime = (box.version == 0) ?
  1156. box.reader.readUint32() :
  1157. box.reader.readUint64();
  1158. startTime = baseTime / shaka.hls.HlsParser.TS_TIMESCALE_;
  1159. parsed = true;
  1160. box.parser.stop();
  1161. }).parse(data, true /* partialOkay */);
  1162. if (!parsed) {
  1163. throw new shaka.util.Error(
  1164. shaka.util.Error.Severity.CRITICAL,
  1165. shaka.util.Error.Category.MANIFEST,
  1166. shaka.util.Error.Code.HLS_COULD_NOT_PARSE_SEGMENT_START_TIME);
  1167. }
  1168. return startTime;
  1169. };
  1170. /**
  1171. * Parses a TS segment to get its start time.
  1172. *
  1173. * @param {!ArrayBuffer} data
  1174. * @return {number}
  1175. * @throws {shaka.util.Error}
  1176. * @private
  1177. */
  1178. shaka.hls.HlsParser.prototype.getStartTimeFromTsSegment_ = function(data) {
  1179. var reader = new shaka.util.DataViewReader(
  1180. new DataView(data), shaka.util.DataViewReader.Endianness.BIG_ENDIAN);
  1181. var fail = function() {
  1182. throw new shaka.util.Error(
  1183. shaka.util.Error.Severity.CRITICAL,
  1184. shaka.util.Error.Category.MANIFEST,
  1185. shaka.util.Error.Code.HLS_COULD_NOT_PARSE_SEGMENT_START_TIME);
  1186. };
  1187. var packetStart = 0;
  1188. var skipPacket = function() {
  1189. // 188-byte packets are standard, so assume that.
  1190. reader.seek(packetStart + 188);
  1191. syncByte = reader.readUint8();
  1192. if (syncByte != 0x47) {
  1193. // We haven't found the sync byte, so try it as a 192-byte packet.
  1194. reader.seek(packetStart + 192);
  1195. syncByte = reader.readUint8();
  1196. }
  1197. if (syncByte != 0x47) {
  1198. // We still haven't found the sync byte, so try as a 204-byte packet.
  1199. reader.seek(packetStart + 204);
  1200. syncByte = reader.readUint8();
  1201. }
  1202. if (syncByte != 0x47) {
  1203. fail();
  1204. }
  1205. // Put the sync byte back so we can read it in the next loop.
  1206. reader.rewind(1);
  1207. };
  1208. while (true) {
  1209. // Format reference: https://goo.gl/wk6wwu
  1210. packetStart = reader.getPosition();
  1211. var syncByte = reader.readUint8();
  1212. if (syncByte != 0x47) fail();
  1213. var flagsAndPacketId = reader.readUint16();
  1214. var hasPesPacket = flagsAndPacketId & 0x4000;
  1215. if (!hasPesPacket) fail();
  1216. var flags = reader.readUint8();
  1217. var adaptationFieldControl = (flags & 0x30) >> 4;
  1218. if (adaptationFieldControl == 0 /* reserved */ ||
  1219. adaptationFieldControl == 2 /* adaptation field, no payload */) {
  1220. fail();
  1221. }
  1222. if (adaptationFieldControl == 3) {
  1223. // Skip over adaptation field.
  1224. var length = reader.readUint8();
  1225. reader.skip(length);
  1226. }
  1227. // Now we come to the PES header (hopefully).
  1228. // Format reference: https://goo.gl/1166Mr
  1229. var startCode = reader.readUint32();
  1230. var startCodePrefix = startCode >> 8;
  1231. if (startCodePrefix != 1) {
  1232. // Not a PES packet yet. Skip this TS packet and try again.
  1233. skipPacket();
  1234. continue;
  1235. }
  1236. // Skip the 16-bit PES length and the first 8 bits of the optional header.
  1237. reader.skip(3);
  1238. // The next 8 bits contain flags about DTS & PTS.
  1239. var ptsDtsIndicator = reader.readUint8() >> 6;
  1240. if (ptsDtsIndicator == 0 /* no timestamp */ ||
  1241. ptsDtsIndicator == 1 /* forbidden */) {
  1242. fail();
  1243. }
  1244. var pesHeaderLengthRemaining = reader.readUint8();
  1245. if (pesHeaderLengthRemaining == 0) {
  1246. fail();
  1247. }
  1248. if (ptsDtsIndicator == 2 /* PTS only */) {
  1249. goog.asserts.assert(pesHeaderLengthRemaining == 5, 'Bad PES header?');
  1250. } else if (ptsDtsIndicator == 3 /* PTS and DTS */) {
  1251. goog.asserts.assert(pesHeaderLengthRemaining == 10, 'Bad PES header?');
  1252. }
  1253. var pts0 = reader.readUint8();
  1254. var pts1 = reader.readUint16();
  1255. var pts2 = reader.readUint16();
  1256. // Reconstruct 33-bit PTS from the 5-byte, padded structure.
  1257. var ptsHigh3 = (pts0 & 0x0e) >> 1;
  1258. var ptsLow30 = ((pts1 & 0xfffe) << 14) | ((pts2 & 0xfffe) >> 1);
  1259. // Reconstruct the PTS as a float. Avoid bitwise operations to combine
  1260. // because bitwise ops treat the values as 32-bit ints.
  1261. var pts = ptsHigh3 * (1 << 30) + ptsLow30;
  1262. return pts / shaka.hls.HlsParser.TS_TIMESCALE_;
  1263. }
  1264. };
  1265. /**
  1266. * Parses a text segment to get its start time.
  1267. *
  1268. * @param {string} mimeType
  1269. * @param {string} codecs
  1270. * @param {!ArrayBuffer} data
  1271. * @return {number}
  1272. * @throws {shaka.util.Error}
  1273. * @private
  1274. */
  1275. shaka.hls.HlsParser.prototype.getStartTimeFromTextSegment_ =
  1276. function(mimeType, codecs, data) {
  1277. var fullMimeType = shaka.util.MimeUtils.getFullType(mimeType, codecs);
  1278. if (!shaka.text.TextEngine.isTypeSupported(fullMimeType)) {
  1279. // We won't be able to parse this, but it will be filtered out anyway.
  1280. // So we don't have to care about the start time.
  1281. return 0;
  1282. }
  1283. var textEngine = new shaka.text.TextEngine(/* displayer */ null);
  1284. textEngine.initParser(fullMimeType);
  1285. return textEngine.getStartTime(data);
  1286. };
  1287. /**
  1288. * Attempts to guess which codecs from the codecs list belong to a given content
  1289. * type. Does not assume a single codec is anything special, and does not throw
  1290. * if it fails to match.
  1291. *
  1292. * @param {!string} contentType
  1293. * @param {!Array.<!string>} codecs
  1294. * @return {?string} or null if no match is found
  1295. * @private
  1296. */
  1297. shaka.hls.HlsParser.prototype.guessCodecsSafe_ = function(contentType, codecs) {
  1298. var ContentType = shaka.util.ManifestParserUtils.ContentType;
  1299. var HlsParser = shaka.hls.HlsParser;
  1300. var formats = HlsParser.CODEC_REGEXPS_BY_CONTENT_TYPE_[contentType];
  1301. for (var i = 0; i < formats.length; i++) {
  1302. for (var j = 0; j < codecs.length; j++) {
  1303. if (formats[i].test(codecs[j].trim())) {
  1304. return codecs[j].trim();
  1305. }
  1306. }
  1307. }
  1308. // Text does not require a codec string.
  1309. if (contentType == ContentType.TEXT) {
  1310. return '';
  1311. }
  1312. return null;
  1313. };
  1314. /**
  1315. * Attempts to guess which codecs from the codecs list belong to a given content
  1316. * type. Assumes a single codec is correct, and throws if not found.
  1317. *
  1318. * @param {!string} contentType
  1319. * @param {!Array.<!string>} codecs
  1320. * @return {string}
  1321. * @private
  1322. * @throws {shaka.util.Error}
  1323. */
  1324. shaka.hls.HlsParser.prototype.guessCodecs_ = function(contentType, codecs) {
  1325. if (codecs.length == 1) {
  1326. return codecs[0];
  1327. }
  1328. var match = this.guessCodecsSafe_(contentType, codecs);
  1329. if (match != null) {
  1330. return match;
  1331. }
  1332. // Unable to guess codecs.
  1333. throw new shaka.util.Error(
  1334. shaka.util.Error.Severity.CRITICAL,
  1335. shaka.util.Error.Category.MANIFEST,
  1336. shaka.util.Error.Code.HLS_COULD_NOT_GUESS_CODECS,
  1337. codecs);
  1338. };
  1339. /**
  1340. * Attempts to guess stream's mime type based on content type and uri.
  1341. *
  1342. * @param {!string} contentType
  1343. * @param {!string} codecs
  1344. * @param {!shaka.hls.Playlist} playlist
  1345. * @return {!Promise.<!string>}
  1346. * @private
  1347. * @throws {shaka.util.Error}
  1348. */
  1349. shaka.hls.HlsParser.prototype.guessMimeType_ =
  1350. function(contentType, codecs, playlist) {
  1351. var ContentType = shaka.util.ManifestParserUtils.ContentType;
  1352. var HlsParser = shaka.hls.HlsParser;
  1353. var Utils = shaka.hls.Utils;
  1354. goog.asserts.assert(playlist.segments.length,
  1355. 'Playlist should have segments!');
  1356. var firstSegmentUri = Utils.constructAbsoluteUri(playlist.uri,
  1357. playlist.segments[0].uri);
  1358. var parsedUri = new goog.Uri(firstSegmentUri);
  1359. var extension = parsedUri.getPath().split('.').pop();
  1360. var map = HlsParser.EXTENSION_MAP_BY_CONTENT_TYPE_[contentType];
  1361. var mimeType = map[extension];
  1362. if (mimeType)
  1363. return Promise.resolve(mimeType);
  1364. if (contentType == ContentType.TEXT) {
  1365. // The extension map didn't work.
  1366. if (!codecs || codecs == 'vtt') {
  1367. // If codecs is 'vtt', it's WebVTT.
  1368. // If there was no codecs string, assume HLS text streams are WebVTT.
  1369. return Promise.resolve('text/vtt');
  1370. } else {
  1371. // Otherwise, assume MP4-embedded text, since text-based formats tend not
  1372. // to have a codecs string at all.
  1373. return Promise.resolve('application/mp4');
  1374. }
  1375. }
  1376. // If unable to guess mime type, request a segment and try getting it
  1377. // from the response.
  1378. var headRequest = shaka.net.NetworkingEngine.makeRequest(
  1379. [firstSegmentUri], this.config_.retryParameters);
  1380. headRequest.method = 'HEAD';
  1381. var requestType = shaka.net.NetworkingEngine.RequestType.SEGMENT;
  1382. var networkingEngine = this.playerInterface_.networkingEngine;
  1383. return networkingEngine.request(requestType, headRequest)
  1384. .then(function(response) {
  1385. var mimeType = response.headers['content-type'];
  1386. if (!mimeType) {
  1387. throw new shaka.util.Error(
  1388. shaka.util.Error.Severity.CRITICAL,
  1389. shaka.util.Error.Category.MANIFEST,
  1390. shaka.util.Error.Code.HLS_COULD_NOT_GUESS_MIME_TYPE,
  1391. extension);
  1392. }
  1393. // Split the MIME type in case the server sent additional parameters.
  1394. return mimeType.split(';')[0];
  1395. });
  1396. };
  1397. /**
  1398. * Find the attribute and returns its value.
  1399. * Throws an error if attribute was not found.
  1400. *
  1401. * @param {shaka.hls.Tag} tag
  1402. * @param {!string} attributeName
  1403. * @return {!string}
  1404. * @private
  1405. * @throws {shaka.util.Error}
  1406. */
  1407. shaka.hls.HlsParser.getRequiredAttributeValue_ =
  1408. function(tag, attributeName) {
  1409. var attribute = tag.getAttribute(attributeName);
  1410. if (!attribute) {
  1411. throw new shaka.util.Error(
  1412. shaka.util.Error.Severity.CRITICAL,
  1413. shaka.util.Error.Category.MANIFEST,
  1414. shaka.util.Error.Code.HLS_REQUIRED_ATTRIBUTE_MISSING,
  1415. attributeName);
  1416. }
  1417. return attribute.value;
  1418. };
  1419. /**
  1420. * Returns a tag with a given name.
  1421. * Throws an error if tag was not found.
  1422. *
  1423. * @param {!Array.<shaka.hls.Tag>} tags
  1424. * @param {!string} tagName
  1425. * @return {!shaka.hls.Tag}
  1426. * @private
  1427. * @throws {shaka.util.Error}
  1428. */
  1429. shaka.hls.HlsParser.prototype.getRequiredTag_ = function(tags, tagName) {
  1430. var Utils = shaka.hls.Utils;
  1431. var tag = Utils.getFirstTagWithName(tags, tagName);
  1432. if (!tag) {
  1433. throw new shaka.util.Error(
  1434. shaka.util.Error.Severity.CRITICAL,
  1435. shaka.util.Error.Category.MANIFEST,
  1436. shaka.util.Error.Code.HLS_REQUIRED_TAG_MISSING, tagName);
  1437. }
  1438. return tag;
  1439. };
  1440. /**
  1441. * @param {shakaExtern.Stream} stream
  1442. * @param {?string} width
  1443. * @param {?string} height
  1444. * @param {?string} frameRate
  1445. * @private
  1446. */
  1447. shaka.hls.HlsParser.prototype.addVideoAttributes_ =
  1448. function(stream, width, height, frameRate) {
  1449. if (stream) {
  1450. stream.width = Number(width) || undefined;
  1451. stream.height = Number(height) || undefined;
  1452. stream.frameRate = Number(frameRate) || undefined;
  1453. }
  1454. };
  1455. /**
  1456. * Makes a network request for the manifest and returns a Promise
  1457. * with the resulting data.
  1458. *
  1459. * @param {!string} uri
  1460. * @return {!Promise.<!shakaExtern.Response>}
  1461. * @private
  1462. */
  1463. shaka.hls.HlsParser.prototype.requestManifest_ = function(uri) {
  1464. var requestType = shaka.net.NetworkingEngine.RequestType.MANIFEST;
  1465. var request = shaka.net.NetworkingEngine.makeRequest(
  1466. [uri], this.config_.retryParameters);
  1467. var networkingEngine = this.playerInterface_.networkingEngine;
  1468. var isCanceled = (function() {
  1469. return !this.playerInterface_;
  1470. }).bind(this);
  1471. return networkingEngine.request(requestType, request, isCanceled);
  1472. };
  1473. /**
  1474. * A list of regexps to detect well-known video codecs.
  1475. *
  1476. * @const {!Array.<!RegExp>}
  1477. * @private
  1478. */
  1479. shaka.hls.HlsParser.VIDEO_CODEC_REGEXPS_ = [
  1480. /^avc/,
  1481. /^hev/,
  1482. /^hvc/,
  1483. /^vp0?[89]/,
  1484. /^av1$/
  1485. ];
  1486. /**
  1487. * A list of regexps to detect well-known audio codecs.
  1488. *
  1489. * @const {!Array.<!RegExp>}
  1490. * @private
  1491. */
  1492. shaka.hls.HlsParser.AUDIO_CODEC_REGEXPS_ = [
  1493. /^vorbis$/,
  1494. /^opus$/,
  1495. /^flac$/,
  1496. /^mp4a/,
  1497. /^[ae]c-3$/
  1498. ];
  1499. /**
  1500. * A list of regexps to detect well-known text codecs.
  1501. *
  1502. * @const {!Array.<!RegExp>}
  1503. * @private
  1504. */
  1505. shaka.hls.HlsParser.TEXT_CODEC_REGEXPS_ = [
  1506. /^vtt$/,
  1507. /^wvtt/,
  1508. /^stpp/
  1509. ];
  1510. /**
  1511. * @const {!Object.<string, !Array.<!RegExp>>}
  1512. * @private
  1513. */
  1514. shaka.hls.HlsParser.CODEC_REGEXPS_BY_CONTENT_TYPE_ = {
  1515. 'audio': shaka.hls.HlsParser.AUDIO_CODEC_REGEXPS_,
  1516. 'video': shaka.hls.HlsParser.VIDEO_CODEC_REGEXPS_,
  1517. 'text': shaka.hls.HlsParser.TEXT_CODEC_REGEXPS_
  1518. };
  1519. /**
  1520. * @const {!Object.<string, string>}
  1521. * @private
  1522. */
  1523. shaka.hls.HlsParser.AUDIO_EXTENSIONS_TO_MIME_TYPES_ = {
  1524. 'mp4': 'audio/mp4',
  1525. 'm4s': 'audio/mp4',
  1526. 'm4i': 'audio/mp4',
  1527. 'm4a': 'audio/mp4',
  1528. // mpeg2 ts aslo uses video/ for audio: http://goo.gl/tYHXiS
  1529. 'ts': 'video/mp2t'
  1530. };
  1531. /**
  1532. * @const {!Object.<string, string>}
  1533. * @private
  1534. */
  1535. shaka.hls.HlsParser.VIDEO_EXTENSIONS_TO_MIME_TYPES_ = {
  1536. 'mp4': 'video/mp4',
  1537. 'm4s': 'video/mp4',
  1538. 'm4i': 'video/mp4',
  1539. 'm4v': 'video/mp4',
  1540. 'ts': 'video/mp2t'
  1541. };
  1542. /**
  1543. * @const {!Object.<string, string>}
  1544. * @private
  1545. */
  1546. shaka.hls.HlsParser.TEXT_EXTENSIONS_TO_MIME_TYPES_ = {
  1547. 'mp4': 'application/mp4',
  1548. 'm4s': 'application/mp4',
  1549. 'm4i': 'application/mp4',
  1550. 'vtt': 'text/vtt',
  1551. 'ttml': 'application/ttml+xml'
  1552. };
  1553. /**
  1554. * @const {!Object.<string, !Object.<string, string>>}
  1555. * @private
  1556. */
  1557. shaka.hls.HlsParser.EXTENSION_MAP_BY_CONTENT_TYPE_ = {
  1558. 'audio': shaka.hls.HlsParser.AUDIO_EXTENSIONS_TO_MIME_TYPES_,
  1559. 'video': shaka.hls.HlsParser.VIDEO_EXTENSIONS_TO_MIME_TYPES_,
  1560. 'text': shaka.hls.HlsParser.TEXT_EXTENSIONS_TO_MIME_TYPES_
  1561. };
  1562. /**
  1563. * @typedef {function(!shaka.hls.Tag):?shakaExtern.DrmInfo}
  1564. * @private
  1565. */
  1566. shaka.hls.HlsParser.DrmParser_;
  1567. /**
  1568. * @param {!shaka.hls.Tag} drmTag
  1569. * @return {?shakaExtern.DrmInfo}
  1570. * @private
  1571. */
  1572. shaka.hls.HlsParser.widevineDrmParser_ = function(drmTag) {
  1573. var HlsParser = shaka.hls.HlsParser;
  1574. var method = HlsParser.getRequiredAttributeValue_(drmTag, 'METHOD');
  1575. if (method != 'SAMPLE-AES-CENC') {
  1576. shaka.log.error(
  1577. 'Widevine in HLS is only supported with SAMPLE-AES-CENC, not', method);
  1578. return null;
  1579. }
  1580. var uri = HlsParser.getRequiredAttributeValue_(drmTag, 'URI');
  1581. var parsedData = shaka.net.DataUriPlugin.parse(uri);
  1582. // The data encoded in the URI is a PSSH box to be used as init data.
  1583. var pssh = new Uint8Array(parsedData.data);
  1584. var drmInfo = shaka.util.ManifestParserUtils.createDrmInfo(
  1585. 'com.widevine.alpha', [
  1586. {initDataType: 'cenc', initData: pssh}
  1587. ]);
  1588. var keyId = drmTag.getAttributeValue('KEYID');
  1589. if (keyId) {
  1590. // This value begins with '0x':
  1591. goog.asserts.assert(keyId.substr(0, 2) == '0x',
  1592. 'Incorrect KEYID format!');
  1593. // But the output does not contain the '0x':
  1594. drmInfo.keyIds = [keyId.substr(2).toLowerCase()];
  1595. }
  1596. return drmInfo;
  1597. };
  1598. /**
  1599. * Called when the update timer ticks.
  1600. *
  1601. * @private
  1602. */
  1603. shaka.hls.HlsParser.prototype.onUpdate_ = function() {
  1604. goog.asserts.assert(this.updateTimer_, 'Should only be called by timer');
  1605. goog.asserts.assert(this.updatePeriod_ != null,
  1606. 'There should be an update period');
  1607. shaka.log.info('Updating manifest...');
  1608. // Detect a call to stop()
  1609. if (!this.playerInterface_)
  1610. return;
  1611. this.updateTimer_ = null;
  1612. this.update().then(function() {
  1613. this.setUpdateTimer_(this.updatePeriod_);
  1614. }.bind(this)).catch(function(error) {
  1615. goog.asserts.assert(error instanceof shaka.util.Error,
  1616. 'Should only receive a Shaka error');
  1617. // Try updating again, but ensure we haven't been destroyed.
  1618. if (this.playerInterface_) {
  1619. // We will retry updating, so override the severity of the error.
  1620. error.severity = shaka.util.Error.Severity.RECOVERABLE;
  1621. this.playerInterface_.onError(error);
  1622. this.setUpdateTimer_(0);
  1623. }
  1624. }.bind(this));
  1625. };
  1626. /**
  1627. * Sets the update timer.
  1628. *
  1629. * @param {?number} time in seconds
  1630. * @private
  1631. */
  1632. shaka.hls.HlsParser.prototype.setUpdateTimer_ = function(time) {
  1633. if (this.updatePeriod_ == null || time == null)
  1634. return;
  1635. goog.asserts.assert(this.updateTimer_ == null,
  1636. 'Timer should not be already set');
  1637. var callback = this.onUpdate_.bind(this);
  1638. this.updateTimer_ = window.setTimeout(callback, time * 1000);
  1639. };
  1640. /**
  1641. * @return {boolean}
  1642. * @private
  1643. */
  1644. shaka.hls.HlsParser.prototype.isLive_ = function() {
  1645. var PresentationType = shaka.hls.HlsParser.PresentationType_;
  1646. return this.presentationType_ != PresentationType.VOD;
  1647. };
  1648. /**
  1649. * @param {shaka.hls.HlsParser.PresentationType_} type
  1650. * @private
  1651. */
  1652. shaka.hls.HlsParser.prototype.setPresentationType_ = function(type) {
  1653. this.presentationType_ = type;
  1654. if (this.presentationTimeline_)
  1655. this.presentationTimeline_.setStatic(!this.isLive_());
  1656. if (!this.isLive_()) {
  1657. if (this.updateTimer_ != null) {
  1658. window.clearTimeout(this.updateTimer_);
  1659. this.updateTimer_ = null;
  1660. this.updatePeriod_ = null;
  1661. }
  1662. }
  1663. };
  1664. /**
  1665. * @const {!Object.<string, shaka.hls.HlsParser.DrmParser_>}
  1666. * @private
  1667. */
  1668. shaka.hls.HlsParser.KEYFORMATS_TO_DRM_PARSERS_ = {
  1669. /* TODO: https://github.com/google/shaka-player/issues/382
  1670. 'com.apple.streamingkeydelivery':
  1671. shaka.hls.HlsParser.fairplayDrmParser_,
  1672. */
  1673. 'urn:uuid:edef8ba9-79d6-4ace-a3c8-27dcd51d21ed':
  1674. shaka.hls.HlsParser.widevineDrmParser_
  1675. };
  1676. /**
  1677. * @enum {string}
  1678. * @private
  1679. */
  1680. shaka.hls.HlsParser.PresentationType_ = {
  1681. VOD: 'VOD',
  1682. EVENT: 'EVENT',
  1683. LIVE: 'LIVE'
  1684. };
  1685. /**
  1686. * @const {number}
  1687. * @private
  1688. */
  1689. shaka.hls.HlsParser.TS_TIMESCALE_ = 90000;
  1690. // TODO: Consider extracting this from the MP4 instead of assuming a
  1691. // TS-compatible timescale in fMP4 HLS content.
  1692. /**
  1693. * The amount of data from the start of a segment we will try to fetch when we
  1694. * need to know the segment start time. This allows us to avoid fetching the
  1695. * entire segment in many cases.
  1696. *
  1697. * @const {number}
  1698. * @private
  1699. */
  1700. shaka.hls.HlsParser.PARTIAL_SEGMENT_SIZE_ = 2048;
  1701. shaka.media.ManifestParser.registerParserByExtension(
  1702. 'm3u8', shaka.hls.HlsParser);
  1703. shaka.media.ManifestParser.registerParserByMime(
  1704. 'application/x-mpegurl', shaka.hls.HlsParser);
  1705. shaka.media.ManifestParser.registerParserByMime(
  1706. 'application/vnd.apple.mpegurl', shaka.hls.HlsParser);