Source: lib/util/periods.js

  1. /*! @license
  2. * Shaka Player
  3. * Copyright 2016 Google LLC
  4. * SPDX-License-Identifier: Apache-2.0
  5. */
  6. goog.provide('shaka.util.PeriodCombiner');
  7. goog.require('goog.asserts');
  8. goog.require('shaka.drm.DrmUtils');
  9. goog.require('shaka.log');
  10. goog.require('shaka.media.MetaSegmentIndex');
  11. goog.require('shaka.media.SegmentIndex');
  12. goog.require('shaka.util.Error');
  13. goog.require('shaka.util.IReleasable');
  14. goog.require('shaka.util.LanguageUtils');
  15. goog.require('shaka.util.ManifestParserUtils');
  16. goog.require('shaka.util.MimeUtils');
  17. /**
  18. * A utility to combine streams across periods.
  19. *
  20. * @implements {shaka.util.IReleasable}
  21. * @final
  22. * @export
  23. */
  24. shaka.util.PeriodCombiner = class {
  25. /** */
  26. constructor() {
  27. /** @private {!Array<shaka.extern.Variant>} */
  28. this.variants_ = [];
  29. /** @private {!Array<shaka.extern.Stream>} */
  30. this.audioStreams_ = [];
  31. /** @private {!Array<shaka.extern.Stream>} */
  32. this.videoStreams_ = [];
  33. /** @private {!Array<shaka.extern.Stream>} */
  34. this.textStreams_ = [];
  35. /** @private {!Array<shaka.extern.Stream>} */
  36. this.imageStreams_ = [];
  37. /** @private {boolean} */
  38. this.multiTypeVariantsAllowed_ = false;
  39. /** @private {boolean} */
  40. this.useStreamOnce_ = false;
  41. /**
  42. * The IDs of the periods we have already used to generate streams.
  43. * This helps us identify the periods which have been added when a live
  44. * stream is updated.
  45. *
  46. * @private {!Set<string>}
  47. */
  48. this.usedPeriodIds_ = new Set();
  49. }
  50. /** @override */
  51. release() {
  52. const allStreams =
  53. this.audioStreams_.concat(this.videoStreams_, this.textStreams_,
  54. this.imageStreams_);
  55. for (const stream of allStreams) {
  56. if (stream.segmentIndex) {
  57. stream.segmentIndex.release();
  58. }
  59. }
  60. this.audioStreams_ = [];
  61. this.videoStreams_ = [];
  62. this.textStreams_ = [];
  63. this.imageStreams_ = [];
  64. this.variants_ = [];
  65. this.multiTypeVariantsAllowed_ = false;
  66. this.useStreamOnce_ = false;
  67. this.usedPeriodIds_.clear();
  68. }
  69. /**
  70. * @return {!Array<shaka.extern.Variant>}
  71. *
  72. * @export
  73. */
  74. getVariants() {
  75. return this.variants_;
  76. }
  77. /**
  78. * @return {!Array<shaka.extern.Stream>}
  79. *
  80. * @export
  81. */
  82. getTextStreams() {
  83. // Return a copy of the array because makeTextStreamsForClosedCaptions
  84. // may make changes to the contents of the array. Those changes should not
  85. // propagate back to the PeriodCombiner.
  86. return this.textStreams_.slice();
  87. }
  88. /**
  89. * @return {!Array<shaka.extern.Stream>}
  90. *
  91. * @export
  92. */
  93. getImageStreams() {
  94. return this.imageStreams_;
  95. }
  96. /**
  97. * Deletes a stream from matchedStreams because it is no longer needed
  98. *
  99. * @param {?shaka.extern.Stream} stream
  100. * @param {string} periodId
  101. *
  102. * @export
  103. */
  104. deleteStream(stream, periodId) {
  105. if (!stream) {
  106. return;
  107. }
  108. const ContentType = shaka.util.ManifestParserUtils.ContentType;
  109. if (stream.type == ContentType.AUDIO) {
  110. for (const audioStream of this.audioStreams_) {
  111. audioStream.matchedStreams = audioStream.matchedStreams.filter((s) => {
  112. return s !== stream;
  113. });
  114. }
  115. } else if (stream.type == ContentType.VIDEO) {
  116. for (const videoStream of this.videoStreams_) {
  117. videoStream.matchedStreams = videoStream.matchedStreams.filter((s) => {
  118. return s !== stream;
  119. });
  120. if (videoStream.trickModeVideo) {
  121. videoStream.trickModeVideo.matchedStreams =
  122. videoStream.trickModeVideo.matchedStreams.filter((s) => {
  123. return s !== stream;
  124. });
  125. }
  126. }
  127. } else if (stream.type == ContentType.TEXT) {
  128. for (const textStream of this.textStreams_) {
  129. textStream.matchedStreams = textStream.matchedStreams.filter((s) => {
  130. return s !== stream;
  131. });
  132. }
  133. } else if (stream.type == ContentType.IMAGE) {
  134. for (const imageStream of this.imageStreams_) {
  135. imageStream.matchedStreams = imageStream.matchedStreams.filter((s) => {
  136. return s !== stream;
  137. });
  138. }
  139. }
  140. if (stream.segmentIndex) {
  141. stream.closeSegmentIndex();
  142. }
  143. this.usedPeriodIds_.delete(periodId);
  144. }
  145. /**
  146. * Returns an object that contains arrays of streams by type
  147. * @param {!Array<shaka.extern.Period>} periods
  148. * @param {boolean} addDummy
  149. * @return {{
  150. * audioStreamsPerPeriod: !Array<!Map<string, shaka.extern.Stream>>,
  151. * videoStreamsPerPeriod: !Array<!Map<string, shaka.extern.Stream>>,
  152. * textStreamsPerPeriod: !Array<!Map<string, shaka.extern.Stream>>,
  153. * imageStreamsPerPeriod: !Array<!Map<string, shaka.extern.Stream>>
  154. * }}
  155. * @private
  156. */
  157. getStreamsPerPeriod_(periods, addDummy) {
  158. const ContentType = shaka.util.ManifestParserUtils.ContentType;
  159. const PeriodCombiner = shaka.util.PeriodCombiner;
  160. const audioStreamsPerPeriod = [];
  161. const videoStreamsPerPeriod = [];
  162. const textStreamsPerPeriod = [];
  163. const imageStreamsPerPeriod = [];
  164. for (const period of periods) {
  165. const audioMap = new Map(period.audioStreams.map((s) =>
  166. [PeriodCombiner.generateAudioKey_(s), s]));
  167. const videoMap = new Map(period.videoStreams.map((s) =>
  168. [PeriodCombiner.generateVideoKey_(s), s]));
  169. const textMap = new Map(period.textStreams.map((s) =>
  170. [PeriodCombiner.generateTextKey_(s), s]));
  171. const imageMap = new Map(period.imageStreams.map((s) =>
  172. [PeriodCombiner.generateImageKey_(s), s]));
  173. // It's okay to have a period with no text or images, but our algorithm
  174. // fails on any period without matching streams. So we add dummy streams
  175. // to each period. Since we combine text streams by language and image
  176. // streams by resolution, we might need a dummy even in periods with these
  177. // streams already.
  178. if (addDummy) {
  179. const dummyText = PeriodCombiner.dummyStream_(ContentType.TEXT);
  180. textMap.set(PeriodCombiner.generateTextKey_(dummyText), dummyText);
  181. const dummyImage = PeriodCombiner.dummyStream_(ContentType.IMAGE);
  182. imageMap.set(PeriodCombiner.generateImageKey_(dummyImage), dummyImage);
  183. }
  184. audioStreamsPerPeriod.push(audioMap);
  185. videoStreamsPerPeriod.push(videoMap);
  186. textStreamsPerPeriod.push(textMap);
  187. imageStreamsPerPeriod.push(imageMap);
  188. }
  189. return {
  190. audioStreamsPerPeriod,
  191. videoStreamsPerPeriod,
  192. textStreamsPerPeriod,
  193. imageStreamsPerPeriod,
  194. };
  195. }
  196. /**
  197. * @param {!Array<shaka.extern.Period>} periods
  198. * @param {boolean} isDynamic
  199. * @param {boolean=} isPatchUpdate
  200. * @return {!Promise}
  201. *
  202. * @export
  203. */
  204. async combinePeriods(periods, isDynamic, isPatchUpdate = false) {
  205. const ContentType = shaka.util.ManifestParserUtils.ContentType;
  206. // Optimization: for single-period VOD, do nothing. This makes sure
  207. // single-period DASH content will be 100% accurately represented in the
  208. // output.
  209. if (!isDynamic && periods.length == 1) {
  210. // We need to filter out duplicates, so call getStreamsPerPeriod()
  211. // so it will do that by usage of Map.
  212. const {
  213. audioStreamsPerPeriod,
  214. videoStreamsPerPeriod,
  215. textStreamsPerPeriod,
  216. imageStreamsPerPeriod,
  217. } = this.getStreamsPerPeriod_(periods, /* addDummy= */ false);
  218. this.audioStreams_ = Array.from(audioStreamsPerPeriod[0].values());
  219. this.videoStreams_ = Array.from(videoStreamsPerPeriod[0].values());
  220. this.textStreams_ = Array.from(textStreamsPerPeriod[0].values());
  221. this.imageStreams_ = Array.from(imageStreamsPerPeriod[0].values());
  222. } else {
  223. // How many periods we've seen before which are not included in this call.
  224. const periodsMissing = isPatchUpdate ? this.usedPeriodIds_.size : 0;
  225. // Find the first period we haven't seen before. Tag all the periods we
  226. // see now as "used".
  227. let firstNewPeriodIndex = -1;
  228. for (let i = 0; i < periods.length; i++) {
  229. const period = periods[i];
  230. if (this.usedPeriodIds_.has(period.id)) {
  231. // This isn't new.
  232. } else {
  233. // This one _is_ new.
  234. this.usedPeriodIds_.add(period.id);
  235. if (firstNewPeriodIndex == -1) {
  236. // And it's the _first_ new one.
  237. firstNewPeriodIndex = i;
  238. }
  239. }
  240. }
  241. if (firstNewPeriodIndex == -1) {
  242. // Nothing new? Nothing to do.
  243. return;
  244. }
  245. const {
  246. audioStreamsPerPeriod,
  247. videoStreamsPerPeriod,
  248. textStreamsPerPeriod,
  249. imageStreamsPerPeriod,
  250. } = this.getStreamsPerPeriod_(periods, /* addDummy= */ true);
  251. await Promise.all([
  252. this.combine_(
  253. this.audioStreams_,
  254. audioStreamsPerPeriod,
  255. firstNewPeriodIndex,
  256. shaka.util.PeriodCombiner.cloneStream_,
  257. shaka.util.PeriodCombiner.concatenateStreams_,
  258. periodsMissing),
  259. this.combine_(
  260. this.videoStreams_,
  261. videoStreamsPerPeriod,
  262. firstNewPeriodIndex,
  263. shaka.util.PeriodCombiner.cloneStream_,
  264. shaka.util.PeriodCombiner.concatenateStreams_,
  265. periodsMissing),
  266. this.combine_(
  267. this.textStreams_,
  268. textStreamsPerPeriod,
  269. firstNewPeriodIndex,
  270. shaka.util.PeriodCombiner.cloneStream_,
  271. shaka.util.PeriodCombiner.concatenateStreams_,
  272. periodsMissing),
  273. this.combine_(
  274. this.imageStreams_,
  275. imageStreamsPerPeriod,
  276. firstNewPeriodIndex,
  277. shaka.util.PeriodCombiner.cloneStream_,
  278. shaka.util.PeriodCombiner.concatenateStreams_,
  279. periodsMissing),
  280. ]);
  281. }
  282. // Create variants for all audio/video combinations.
  283. let nextVariantId = 0;
  284. const variants = [];
  285. if (!this.videoStreams_.length || !this.audioStreams_.length) {
  286. // For audio-only or video-only content, just give each stream its own
  287. // variant.
  288. const streams = this.videoStreams_.length ? this.videoStreams_ :
  289. this.audioStreams_;
  290. for (const stream of streams) {
  291. const id = nextVariantId++;
  292. variants.push({
  293. id,
  294. language: stream.language,
  295. disabledUntilTime: 0,
  296. primary: stream.primary,
  297. audio: stream.type == ContentType.AUDIO ? stream : null,
  298. video: stream.type == ContentType.VIDEO ? stream : null,
  299. bandwidth: stream.bandwidth || 0,
  300. drmInfos: stream.drmInfos,
  301. allowedByApplication: true,
  302. allowedByKeySystem: true,
  303. decodingInfos: [],
  304. });
  305. }
  306. } else {
  307. for (const audio of this.audioStreams_) {
  308. for (const video of this.videoStreams_) {
  309. const commonDrmInfos = shaka.drm.DrmUtils.getCommonDrmInfos(
  310. audio.drmInfos, video.drmInfos);
  311. if (audio.drmInfos.length && video.drmInfos.length &&
  312. !commonDrmInfos.length) {
  313. shaka.log.warning(
  314. 'Incompatible DRM in audio & video, skipping variant creation.',
  315. audio, video);
  316. continue;
  317. }
  318. const id = nextVariantId++;
  319. variants.push({
  320. id,
  321. language: audio.language,
  322. disabledUntilTime: 0,
  323. primary: audio.primary,
  324. audio,
  325. video,
  326. bandwidth: (audio.bandwidth || 0) + (video.bandwidth || 0),
  327. drmInfos: commonDrmInfos,
  328. allowedByApplication: true,
  329. allowedByKeySystem: true,
  330. decodingInfos: [],
  331. });
  332. }
  333. }
  334. }
  335. this.variants_ = variants;
  336. }
  337. /**
  338. * Stitch together DB streams across periods, taking a mix of stream types.
  339. * The offline database does not separate these by type.
  340. *
  341. * Unlike the DASH case, this does not need to maintain any state for manifest
  342. * updates.
  343. *
  344. * @param {!Array<!Array<shaka.extern.StreamDB>>} streamDbsPerPeriod
  345. * @return {!Promise<!Array<shaka.extern.StreamDB>>}
  346. */
  347. static async combineDbStreams(streamDbsPerPeriod) {
  348. const ContentType = shaka.util.ManifestParserUtils.ContentType;
  349. const PeriodCombiner = shaka.util.PeriodCombiner;
  350. // Optimization: for single-period content, do nothing. This makes sure
  351. // single-period DASH or any HLS content stored offline will be 100%
  352. // accurately represented in the output.
  353. if (streamDbsPerPeriod.length == 1) {
  354. return streamDbsPerPeriod[0];
  355. }
  356. const audioStreamDbsPerPeriod = streamDbsPerPeriod.map(
  357. (streams) => new Map(streams
  358. .filter((s) => s.type === ContentType.AUDIO)
  359. .map((s) => [PeriodCombiner.generateAudioKey_(s), s])));
  360. const videoStreamDbsPerPeriod = streamDbsPerPeriod.map(
  361. (streams) => new Map(streams
  362. .filter((s) => s.type === ContentType.VIDEO)
  363. .map((s) => [PeriodCombiner.generateVideoKey_(s), s])));
  364. const textStreamDbsPerPeriod = streamDbsPerPeriod.map(
  365. (streams) => new Map(streams
  366. .filter((s) => s.type === ContentType.TEXT)
  367. .map((s) => [PeriodCombiner.generateTextKey_(s), s])));
  368. const imageStreamDbsPerPeriod = streamDbsPerPeriod.map(
  369. (streams) => new Map(streams
  370. .filter((s) => s.type === ContentType.IMAGE)
  371. .map((s) => [PeriodCombiner.generateImageKey_(s), s])));
  372. // It's okay to have a period with no text or images, but our algorithm
  373. // fails on any period without matching streams. So we add dummy streams to
  374. // each period. Since we combine text streams by language and image streams
  375. // by resolution, we might need a dummy even in periods with these streams
  376. // already.
  377. for (const textStreams of textStreamDbsPerPeriod) {
  378. const dummy = PeriodCombiner.dummyStreamDB_(ContentType.TEXT);
  379. textStreams.set(PeriodCombiner.generateTextKey_(dummy), dummy);
  380. }
  381. for (const imageStreams of imageStreamDbsPerPeriod) {
  382. const dummy = PeriodCombiner.dummyStreamDB_(ContentType.IMAGE);
  383. imageStreams.set(PeriodCombiner.generateImageKey_(dummy), dummy);
  384. }
  385. const periodCombiner = new shaka.util.PeriodCombiner();
  386. const combinedAudioStreamDbs = await periodCombiner.combine_(
  387. /* outputStreams= */ [],
  388. audioStreamDbsPerPeriod,
  389. /* firstNewPeriodIndex= */ 0,
  390. shaka.util.PeriodCombiner.cloneStreamDB_,
  391. shaka.util.PeriodCombiner.concatenateStreamDBs_,
  392. /* periodsMissing= */ 0);
  393. const combinedVideoStreamDbs = await periodCombiner.combine_(
  394. /* outputStreams= */ [],
  395. videoStreamDbsPerPeriod,
  396. /* firstNewPeriodIndex= */ 0,
  397. shaka.util.PeriodCombiner.cloneStreamDB_,
  398. shaka.util.PeriodCombiner.concatenateStreamDBs_,
  399. /* periodsMissing= */ 0);
  400. const combinedTextStreamDbs = await periodCombiner.combine_(
  401. /* outputStreams= */ [],
  402. textStreamDbsPerPeriod,
  403. /* firstNewPeriodIndex= */ 0,
  404. shaka.util.PeriodCombiner.cloneStreamDB_,
  405. shaka.util.PeriodCombiner.concatenateStreamDBs_,
  406. /* periodsMissing= */ 0);
  407. const combinedImageStreamDbs = await periodCombiner.combine_(
  408. /* outputStreams= */ [],
  409. imageStreamDbsPerPeriod,
  410. /* firstNewPeriodIndex= */ 0,
  411. shaka.util.PeriodCombiner.cloneStreamDB_,
  412. shaka.util.PeriodCombiner.concatenateStreamDBs_,
  413. /* periodsMissing= */ 0);
  414. // Recreate variantIds from scratch in the output.
  415. // HLS content is always single-period, so the early return at the top of
  416. // this method would catch all HLS content. DASH content stored with v3.0
  417. // will already be flattened before storage. Therefore the only content
  418. // that reaches this point is multi-period DASH content stored before v3.0.
  419. // Such content always had variants generated from all combinations of audio
  420. // and video, so we can simply do that now without loss of correctness.
  421. let nextVariantId = 0;
  422. if (!combinedVideoStreamDbs.length || !combinedAudioStreamDbs.length) {
  423. // For audio-only or video-only content, just give each stream its own
  424. // variant ID.
  425. const combinedStreamDbs =
  426. combinedVideoStreamDbs.concat(combinedAudioStreamDbs);
  427. for (const stream of combinedStreamDbs) {
  428. stream.variantIds = [nextVariantId++];
  429. }
  430. } else {
  431. for (const audio of combinedAudioStreamDbs) {
  432. for (const video of combinedVideoStreamDbs) {
  433. const id = nextVariantId++;
  434. video.variantIds.push(id);
  435. audio.variantIds.push(id);
  436. }
  437. }
  438. }
  439. return combinedVideoStreamDbs
  440. .concat(combinedAudioStreamDbs)
  441. .concat(combinedTextStreamDbs)
  442. .concat(combinedImageStreamDbs);
  443. }
  444. /**
  445. * Combine input Streams per period into flat output Streams.
  446. * Templatized to handle both DASH Streams and offline StreamDBs.
  447. *
  448. * @param {!Array<T>} outputStreams A list of existing output streams, to
  449. * facilitate updates for live DASH content. Will be modified and returned.
  450. * @param {!Array<!Map<string, T>>} streamsPerPeriod A list of maps of Streams
  451. * from each period.
  452. * @param {number} firstNewPeriodIndex An index into streamsPerPeriod which
  453. * represents the first new period that hasn't been processed yet.
  454. * @param {function(T):T} clone Make a clone of an input stream.
  455. * @param {function(T, T)} concat Concatenate the second stream onto the end
  456. * of the first.
  457. * @param {number} periodsMissing The number of periods missing
  458. *
  459. * @return {!Promise<!Array<T>>} The same array passed to outputStreams,
  460. * modified to include any newly-created streams.
  461. *
  462. * @template T
  463. * Accepts either a StreamDB or Stream type.
  464. *
  465. * @private
  466. */
  467. async combine_(
  468. outputStreams, streamsPerPeriod, firstNewPeriodIndex, clone, concat,
  469. periodsMissing) {
  470. const unusedStreamsPerPeriod = [];
  471. for (let i = 0; i < streamsPerPeriod.length; i++) {
  472. if (i >= firstNewPeriodIndex) {
  473. // This periods streams are all new.
  474. unusedStreamsPerPeriod.push(new Set(streamsPerPeriod[i].values()));
  475. } else {
  476. // This period's streams have all been used already.
  477. unusedStreamsPerPeriod.push(new Set());
  478. }
  479. }
  480. // First, extend all existing output Streams into the new periods.
  481. for (const outputStream of outputStreams) {
  482. // eslint-disable-next-line no-await-in-loop
  483. const ok = await this.extendExistingOutputStream_(
  484. outputStream, streamsPerPeriod, firstNewPeriodIndex, concat,
  485. unusedStreamsPerPeriod, periodsMissing);
  486. if (!ok) {
  487. // This output Stream was not properly extended to include streams from
  488. // the new period. This is likely a bug in our algorithm, so throw an
  489. // error.
  490. throw new shaka.util.Error(
  491. shaka.util.Error.Severity.CRITICAL,
  492. shaka.util.Error.Category.MANIFEST,
  493. shaka.util.Error.Code.PERIOD_FLATTENING_FAILED);
  494. }
  495. // This output stream is now complete with content from all known
  496. // periods.
  497. } // for (const outputStream of outputStreams)
  498. for (const unusedStreams of unusedStreamsPerPeriod) {
  499. for (const stream of unusedStreams) {
  500. // Create a new output stream which includes this input stream.
  501. const outputStream = this.createNewOutputStream_(
  502. stream, streamsPerPeriod, clone, concat,
  503. unusedStreamsPerPeriod);
  504. if (outputStream) {
  505. outputStreams.push(outputStream);
  506. } else {
  507. // This is not a stream we can build output from, but it may become
  508. // part of another output based on another period's stream.
  509. }
  510. } // for (const stream of unusedStreams)
  511. } // for (const unusedStreams of unusedStreamsPerPeriod)
  512. for (const unusedStreams of unusedStreamsPerPeriod) {
  513. for (const stream of unusedStreams) {
  514. if (shaka.util.PeriodCombiner.isDummy_(stream)) {
  515. // This is one of our dummy streams, so ignore it. We may not use
  516. // them all, and that's fine.
  517. continue;
  518. }
  519. // If this stream has a different codec/MIME than any other stream,
  520. // then we can't play it.
  521. const hasCodec = outputStreams.some((s) => {
  522. return this.areAVStreamsCompatible_(stream, s);
  523. });
  524. if (!hasCodec) {
  525. continue;
  526. }
  527. // Any other unused stream is likely a bug in our algorithm, so throw
  528. // an error.
  529. shaka.log.error('Unused stream in period-flattening!',
  530. stream, outputStreams);
  531. throw new shaka.util.Error(
  532. shaka.util.Error.Severity.CRITICAL,
  533. shaka.util.Error.Category.MANIFEST,
  534. shaka.util.Error.Code.PERIOD_FLATTENING_FAILED);
  535. }
  536. }
  537. return outputStreams;
  538. }
  539. /**
  540. * @param {T} outputStream An existing output stream which needs to be
  541. * extended into new periods.
  542. * @param {!Array<!Map<string, T>>} streamsPerPeriod A list of maps of Streams
  543. * from each period.
  544. * @param {number} firstNewPeriodIndex An index into streamsPerPeriod which
  545. * represents the first new period that hasn't been processed yet.
  546. * @param {function(T, T)} concat Concatenate the second stream onto the end
  547. * of the first.
  548. * @param {!Array<!Set<T>>} unusedStreamsPerPeriod An array of sets of
  549. * unused streams from each period.
  550. * @param {number} periodsMissing How many periods are missing in this update.
  551. *
  552. * @return {!Promise<boolean>}
  553. *
  554. * @template T
  555. * Should only be called with a Stream type in practice, but has call sites
  556. * from other templated functions that also accept a StreamDB.
  557. *
  558. * @private
  559. */
  560. async extendExistingOutputStream_(
  561. outputStream, streamsPerPeriod, firstNewPeriodIndex, concat,
  562. unusedStreamsPerPeriod, periodsMissing) {
  563. this.findMatchesInAllPeriods_(streamsPerPeriod,
  564. outputStream, periodsMissing > 0);
  565. // This only exists where T == Stream, and this should only ever be called
  566. // on Stream types. StreamDB should not have pre-existing output streams.
  567. goog.asserts.assert(outputStream.createSegmentIndex,
  568. 'outputStream should be a Stream type!');
  569. if (!outputStream.matchedStreams) {
  570. // We were unable to extend this output stream.
  571. shaka.log.error('No matches extending output stream!',
  572. outputStream, streamsPerPeriod);
  573. return false;
  574. }
  575. // We need to create all the per-period segment indexes and append them to
  576. // the output's MetaSegmentIndex.
  577. if (outputStream.segmentIndex) {
  578. await shaka.util.PeriodCombiner.extendOutputSegmentIndex_(outputStream,
  579. firstNewPeriodIndex + periodsMissing);
  580. }
  581. shaka.util.PeriodCombiner.extendOutputStream_(outputStream,
  582. firstNewPeriodIndex, concat, unusedStreamsPerPeriod, periodsMissing);
  583. return true;
  584. }
  585. /**
  586. * Creates the segment indexes for an array of input streams, and append them
  587. * to the output stream's segment index.
  588. *
  589. * @param {shaka.extern.Stream} outputStream
  590. * @param {number} firstNewPeriodIndex An index into streamsPerPeriod which
  591. * represents the first new period that hasn't been processed yet.
  592. * @private
  593. */
  594. static async extendOutputSegmentIndex_(outputStream, firstNewPeriodIndex) {
  595. const operations = [];
  596. const streams = outputStream.matchedStreams;
  597. goog.asserts.assert(streams, 'matched streams should be valid');
  598. for (let i = firstNewPeriodIndex; i < streams.length; i++) {
  599. const stream = streams[i];
  600. operations.push(stream.createSegmentIndex());
  601. if (stream.trickModeVideo && !stream.trickModeVideo.segmentIndex) {
  602. operations.push(stream.trickModeVideo.createSegmentIndex());
  603. }
  604. }
  605. await Promise.all(operations);
  606. // Concatenate the new matches onto the stream, starting at the first new
  607. // period.
  608. // Satisfy the compiler about the type.
  609. // Also checks if the segmentIndex is still valid after the async
  610. // operations, to make sure we stop if the active stream has changed.
  611. if (outputStream.segmentIndex instanceof shaka.media.MetaSegmentIndex) {
  612. for (let i = firstNewPeriodIndex; i < streams.length; i++) {
  613. const match = streams[i];
  614. goog.asserts.assert(match.segmentIndex,
  615. 'stream should have a segmentIndex.');
  616. if (match.segmentIndex) {
  617. outputStream.segmentIndex.appendSegmentIndex(match.segmentIndex);
  618. }
  619. }
  620. }
  621. }
  622. /**
  623. * Create a new output Stream based on a particular input Stream. Locates
  624. * matching Streams in all other periods and combines them into an output
  625. * Stream.
  626. * Templatized to handle both DASH Streams and offline StreamDBs.
  627. *
  628. * @param {T} stream An input stream on which to base the output stream.
  629. * @param {!Array<!Map<string, T>>} streamsPerPeriod A list of maps of Streams
  630. * from each period.
  631. * @param {function(T):T} clone Make a clone of an input stream.
  632. * @param {function(T, T)} concat Concatenate the second stream onto the end
  633. * of the first.
  634. * @param {!Array<!Set<T>>} unusedStreamsPerPeriod An array of sets of
  635. * unused streams from each period.
  636. *
  637. * @return {?T} A newly-created output Stream, or null if matches
  638. * could not be found.`
  639. *
  640. * @template T
  641. * Accepts either a StreamDB or Stream type.
  642. *
  643. * @private
  644. */
  645. createNewOutputStream_(
  646. stream, streamsPerPeriod, clone, concat, unusedStreamsPerPeriod) {
  647. // Check do we want to create output stream from dummy stream
  648. // and if so, return quickly.
  649. if (shaka.util.PeriodCombiner.isDummy_(stream)) {
  650. return null;
  651. }
  652. // Start by cloning the stream without segments, key IDs, etc.
  653. const outputStream = clone(stream);
  654. // Find best-matching streams in all periods.
  655. this.findMatchesInAllPeriods_(streamsPerPeriod, outputStream);
  656. // This only exists where T == Stream.
  657. if (outputStream.createSegmentIndex) {
  658. // Override the createSegmentIndex function of the outputStream.
  659. outputStream.createSegmentIndex = async () => {
  660. if (!outputStream.segmentIndex) {
  661. outputStream.segmentIndex = new shaka.media.MetaSegmentIndex();
  662. await shaka.util.PeriodCombiner.extendOutputSegmentIndex_(
  663. outputStream, /* firstNewPeriodIndex= */ 0);
  664. }
  665. };
  666. // For T == Stream, we need to create all the per-period segment indexes
  667. // in advance. concat() will add them to the output's MetaSegmentIndex.
  668. }
  669. if (!outputStream.matchedStreams || !outputStream.matchedStreams.length) {
  670. // This is not a stream we can build output from, but it may become part
  671. // of another output based on another period's stream.
  672. return null;
  673. }
  674. shaka.util.PeriodCombiner.extendOutputStream_(outputStream,
  675. /* firstNewPeriodIndex= */ 0, concat, unusedStreamsPerPeriod,
  676. /* periodsMissing= */ 0);
  677. return outputStream;
  678. }
  679. /**
  680. * @param {T} outputStream An existing output stream which needs to be
  681. * extended into new periods.
  682. * @param {number} firstNewPeriodIndex An index into streamsPerPeriod which
  683. * represents the first new period that hasn't been processed yet.
  684. * @param {function(T, T)} concat Concatenate the second stream onto the end
  685. * of the first.
  686. * @param {!Array<!Set<T>>} unusedStreamsPerPeriod An array of sets of
  687. * unused streams from each period.
  688. * @param {number} periodsMissing How many periods are missing in this update
  689. *
  690. * @template T
  691. * Accepts either a StreamDB or Stream type.
  692. *
  693. * @private
  694. */
  695. static extendOutputStream_(
  696. outputStream, firstNewPeriodIndex, concat, unusedStreamsPerPeriod,
  697. periodsMissing) {
  698. const ContentType = shaka.util.ManifestParserUtils.ContentType;
  699. const LanguageUtils = shaka.util.LanguageUtils;
  700. const matches = outputStream.matchedStreams;
  701. // Assure the compiler that matches didn't become null during the async
  702. // operation before.
  703. goog.asserts.assert(outputStream.matchedStreams,
  704. 'matchedStreams should be non-null');
  705. // Concatenate the new matches onto the stream, starting at the first new
  706. // period.
  707. const start = firstNewPeriodIndex + periodsMissing;
  708. for (let i = start; i < matches.length; i++) {
  709. const match = matches[i];
  710. concat(outputStream, match);
  711. // We only consider an audio stream "used" if its language is related to
  712. // the output language. There are scenarios where we want to generate
  713. // separate tracks for each language, even when we are forced to connect
  714. // unrelated languages across periods.
  715. let used = true;
  716. if (outputStream.type == ContentType.AUDIO) {
  717. const relatedness = LanguageUtils.relatedness(
  718. outputStream.language, match.language);
  719. if (relatedness == 0) {
  720. used = false;
  721. }
  722. }
  723. if (used) {
  724. unusedStreamsPerPeriod[i - periodsMissing].delete(match);
  725. // Add the full mimetypes to the stream.
  726. if (match.fullMimeTypes) {
  727. for (const fullMimeType of match.fullMimeTypes.values()) {
  728. outputStream.fullMimeTypes.add(fullMimeType);
  729. }
  730. }
  731. }
  732. }
  733. }
  734. /**
  735. * Clone a Stream to make an output Stream for combining others across
  736. * periods.
  737. *
  738. * @param {shaka.extern.Stream} stream
  739. * @return {shaka.extern.Stream}
  740. * @private
  741. */
  742. static cloneStream_(stream) {
  743. const clone = /** @type {shaka.extern.Stream} */(Object.assign({}, stream));
  744. // These are wiped out now and rebuilt later from the various per-period
  745. // streams that match this output.
  746. clone.originalId = null;
  747. clone.createSegmentIndex = () => Promise.resolve();
  748. clone.closeSegmentIndex = () => {
  749. if (clone.segmentIndex) {
  750. clone.segmentIndex.release();
  751. clone.segmentIndex = null;
  752. }
  753. // Close the segment index of the matched streams.
  754. if (clone.matchedStreams) {
  755. for (const match of clone.matchedStreams) {
  756. if (match.segmentIndex) {
  757. match.segmentIndex.release();
  758. match.segmentIndex = null;
  759. }
  760. }
  761. }
  762. };
  763. // Clone roles array so this output stream can own it.
  764. clone.roles = clone.roles.slice();
  765. clone.segmentIndex = null;
  766. clone.emsgSchemeIdUris = [];
  767. clone.keyIds = new Set(stream.keyIds);
  768. clone.closedCaptions = stream.closedCaptions ?
  769. new Map(stream.closedCaptions) : null;
  770. clone.trickModeVideo = null;
  771. return clone;
  772. }
  773. /**
  774. * Clone a StreamDB to make an output stream for combining others across
  775. * periods.
  776. *
  777. * @param {shaka.extern.StreamDB} streamDb
  778. * @return {shaka.extern.StreamDB}
  779. * @private
  780. */
  781. static cloneStreamDB_(streamDb) {
  782. const clone = /** @type {shaka.extern.StreamDB} */(Object.assign(
  783. {}, streamDb));
  784. // Clone roles array so this output stream can own it.
  785. clone.roles = clone.roles.slice();
  786. // These are wiped out now and rebuilt later from the various per-period
  787. // streams that match this output.
  788. clone.keyIds = new Set(streamDb.keyIds);
  789. clone.segments = [];
  790. clone.variantIds = [];
  791. clone.closedCaptions = streamDb.closedCaptions ?
  792. new Map(streamDb.closedCaptions) : null;
  793. return clone;
  794. }
  795. /**
  796. * Combine the various fields of the input Stream into the output.
  797. *
  798. * @param {shaka.extern.Stream} output
  799. * @param {shaka.extern.Stream} input
  800. * @private
  801. */
  802. static concatenateStreams_(output, input) {
  803. // We keep the original stream's resolution, frame rate,
  804. // sample rate, and channel count to ensure that it's properly
  805. // matched with similar content in other periods further down
  806. // the line.
  807. // Combine arrays, keeping only the unique elements
  808. const combineArrays = (output, input) => {
  809. if (!output) {
  810. output = [];
  811. }
  812. for (const item of input) {
  813. if (!output.includes(item)) {
  814. output.push(item);
  815. }
  816. }
  817. return output;
  818. };
  819. output.roles = combineArrays(output.roles, input.roles);
  820. if (input.emsgSchemeIdUris) {
  821. output.emsgSchemeIdUris = combineArrays(
  822. output.emsgSchemeIdUris, input.emsgSchemeIdUris);
  823. }
  824. for (const keyId of input.keyIds) {
  825. output.keyIds.add(keyId);
  826. }
  827. if (output.originalId == null) {
  828. output.originalId = input.originalId;
  829. } else {
  830. const newOriginalId = (input.originalId || '');
  831. if (newOriginalId && !output.originalId.endsWith(newOriginalId)) {
  832. output.originalId += ',' + newOriginalId;
  833. }
  834. }
  835. const commonDrmInfos = shaka.drm.DrmUtils.getCommonDrmInfos(
  836. output.drmInfos, input.drmInfos);
  837. if (input.drmInfos.length && output.drmInfos.length &&
  838. !commonDrmInfos.length) {
  839. throw new shaka.util.Error(
  840. shaka.util.Error.Severity.CRITICAL,
  841. shaka.util.Error.Category.MANIFEST,
  842. shaka.util.Error.Code.INCONSISTENT_DRM_ACROSS_PERIODS);
  843. }
  844. output.drmInfos = commonDrmInfos;
  845. // The output is encrypted if any input was encrypted.
  846. output.encrypted = output.encrypted || input.encrypted;
  847. // Combine the closed captions maps.
  848. if (input.closedCaptions) {
  849. if (!output.closedCaptions) {
  850. output.closedCaptions = new Map();
  851. }
  852. for (const [key, value] of input.closedCaptions) {
  853. output.closedCaptions.set(key, value);
  854. }
  855. }
  856. // Prioritize the highest bandwidth
  857. if (output.bandwidth && input.bandwidth) {
  858. output.bandwidth = Math.max(output.bandwidth, input.bandwidth);
  859. }
  860. // Combine trick-play video streams, if present.
  861. if (input.trickModeVideo) {
  862. if (!output.trickModeVideo) {
  863. // Create a fresh output stream for trick-mode playback.
  864. output.trickModeVideo = shaka.util.PeriodCombiner.cloneStream_(
  865. input.trickModeVideo);
  866. output.trickModeVideo.matchedStreams = [];
  867. output.trickModeVideo.createSegmentIndex = () => {
  868. if (output.trickModeVideo.segmentIndex) {
  869. return Promise.resolve();
  870. }
  871. const segmentIndex = new shaka.media.MetaSegmentIndex();
  872. goog.asserts.assert(output.trickModeVideo.matchedStreams,
  873. 'trickmode matched streams should exist');
  874. for (const stream of output.trickModeVideo.matchedStreams) {
  875. goog.asserts.assert(stream.segmentIndex,
  876. 'trickmode segment index should exist');
  877. segmentIndex.appendSegmentIndex(stream.segmentIndex);
  878. }
  879. output.trickModeVideo.segmentIndex = segmentIndex;
  880. return Promise.resolve();
  881. };
  882. }
  883. // Concatenate the trick mode input onto the trick mode output.
  884. output.trickModeVideo.matchedStreams.push(input.trickModeVideo);
  885. shaka.util.PeriodCombiner.concatenateStreams_(
  886. output.trickModeVideo, input.trickModeVideo);
  887. } else if (output.trickModeVideo) {
  888. // We have a trick mode output, but no input from this Period. Fill it in
  889. // from the standard input Stream.
  890. output.trickModeVideo.matchedStreams.push(input);
  891. shaka.util.PeriodCombiner.concatenateStreams_(
  892. output.trickModeVideo, input);
  893. }
  894. }
  895. /**
  896. * Combine the various fields of the input StreamDB into the output.
  897. *
  898. * @param {shaka.extern.StreamDB} output
  899. * @param {shaka.extern.StreamDB} input
  900. * @private
  901. */
  902. static concatenateStreamDBs_(output, input) {
  903. // Combine arrays, keeping only the unique elements
  904. const combineArrays = (output, input) => {
  905. if (!output) {
  906. output = [];
  907. }
  908. for (const item of input) {
  909. if (!output.includes(item)) {
  910. output.push(item);
  911. }
  912. }
  913. return output;
  914. };
  915. output.roles = combineArrays(output.roles, input.roles);
  916. for (const keyId of input.keyIds) {
  917. output.keyIds.add(keyId);
  918. }
  919. // The output is encrypted if any input was encrypted.
  920. output.encrypted = output.encrypted && input.encrypted;
  921. // Concatenate segments without de-duping.
  922. output.segments.push(...input.segments);
  923. // Combine the closed captions maps.
  924. if (input.closedCaptions) {
  925. if (!output.closedCaptions) {
  926. output.closedCaptions = new Map();
  927. }
  928. for (const [key, value] of input.closedCaptions) {
  929. output.closedCaptions.set(key, value);
  930. }
  931. }
  932. }
  933. /**
  934. * Finds streams in all periods which match the output stream.
  935. *
  936. * @param {!Array<!Map<string, T>>} streamsPerPeriod
  937. * @param {T} outputStream
  938. * @param {boolean=} shouldAppend
  939. *
  940. * @template T
  941. * Accepts either a StreamDB or Stream type.
  942. *
  943. * @private
  944. */
  945. findMatchesInAllPeriods_(streamsPerPeriod, outputStream,
  946. shouldAppend = false) {
  947. const matches = shouldAppend ? outputStream.matchedStreams : [];
  948. for (const streams of streamsPerPeriod) {
  949. const match = this.findBestMatchInPeriod_(streams, outputStream);
  950. if (!match) {
  951. return;
  952. }
  953. matches.push(match);
  954. }
  955. outputStream.matchedStreams = matches;
  956. }
  957. /**
  958. * Find the best match for the output stream.
  959. *
  960. * @param {!Map<string, T>} streams
  961. * @param {T} outputStream
  962. * @return {?T} Returns null if no match can be found.
  963. *
  964. * @template T
  965. * Accepts either a StreamDB or Stream type.
  966. *
  967. * @private
  968. */
  969. findBestMatchInPeriod_(streams, outputStream) {
  970. const getKey = {
  971. 'audio': shaka.util.PeriodCombiner.generateAudioKey_,
  972. 'video': shaka.util.PeriodCombiner.generateVideoKey_,
  973. 'text': shaka.util.PeriodCombiner.generateTextKey_,
  974. 'image': shaka.util.PeriodCombiner.generateImageKey_,
  975. }[outputStream.type];
  976. let best = null;
  977. const key = getKey(outputStream);
  978. if (streams.has(key)) {
  979. // We've found exact match by hashing.
  980. best = streams.get(key);
  981. } else {
  982. // We haven't found exact match, try to find the best one via
  983. // linear search.
  984. const areCompatible = {
  985. 'audio': (os, s) => this.areAVStreamsCompatible_(os, s),
  986. 'video': (os, s) => this.areAVStreamsCompatible_(os, s),
  987. 'text': shaka.util.PeriodCombiner.areTextStreamsCompatible_,
  988. 'image': shaka.util.PeriodCombiner.areImageStreamsCompatible_,
  989. }[outputStream.type];
  990. const isBetterMatch = {
  991. 'audio': shaka.util.PeriodCombiner.isAudioStreamBetterMatch_,
  992. 'video': shaka.util.PeriodCombiner.isVideoStreamBetterMatch_,
  993. 'text': shaka.util.PeriodCombiner.isTextStreamBetterMatch_,
  994. 'image': shaka.util.PeriodCombiner.isImageStreamBetterMatch_,
  995. }[outputStream.type];
  996. for (const stream of streams.values()) {
  997. if (!areCompatible(outputStream, stream)) {
  998. continue;
  999. }
  1000. if (outputStream.fastSwitching != stream.fastSwitching) {
  1001. continue;
  1002. }
  1003. if (!best || isBetterMatch(outputStream, best, stream)) {
  1004. best = stream;
  1005. }
  1006. }
  1007. }
  1008. // Remove just found stream if configured to, so possible future linear
  1009. // searches can be faster.
  1010. if (this.useStreamOnce_ && !shaka.util.PeriodCombiner.isDummy_(best)) {
  1011. streams.delete(getKey(best));
  1012. }
  1013. return best;
  1014. }
  1015. /**
  1016. * @param {T} a
  1017. * @param {T} b
  1018. * @return {boolean}
  1019. *
  1020. * @template T
  1021. * Accepts either a StreamDB or Stream type.
  1022. *
  1023. * @private
  1024. */
  1025. static areAVStreamsExactMatch_(a, b) {
  1026. if (a.mimeType != b.mimeType) {
  1027. return false;
  1028. }
  1029. return shaka.util.PeriodCombiner.getCodec_(a.codecs) ===
  1030. shaka.util.PeriodCombiner.getCodec_(b.codecs);
  1031. }
  1032. /**
  1033. * @param {boolean} allowed If set to true, multi-mimeType or multi-codec
  1034. * variants will be allowed.
  1035. * @export
  1036. */
  1037. setAllowMultiTypeVariants(allowed) {
  1038. this.multiTypeVariantsAllowed_ = allowed;
  1039. }
  1040. /**
  1041. * @param {boolean} useOnce if true, stream will be used only once in period
  1042. * flattening algorithm.
  1043. * @export
  1044. */
  1045. setUseStreamOnce(useOnce) {
  1046. this.useStreamOnce_ = useOnce;
  1047. }
  1048. /**
  1049. * @param {T} outputStream An audio or video output stream
  1050. * @param {T} candidate A candidate stream to be combined with the output
  1051. * @return {boolean} True if the candidate could be combined with the
  1052. * output stream
  1053. *
  1054. * @template T
  1055. * Accepts either a StreamDB or Stream type.
  1056. *
  1057. * @private
  1058. */
  1059. areAVStreamsCompatible_(outputStream, candidate) {
  1060. // Check for an exact match.
  1061. if (!shaka.util.PeriodCombiner.areAVStreamsExactMatch_(
  1062. outputStream, candidate)) {
  1063. // It's not an exact match. See if we can do multi-codec or multi-mimeType
  1064. // stream instead, using SourceBuffer.changeType.
  1065. if (!this.multiTypeVariantsAllowed_) {
  1066. return false;
  1067. }
  1068. }
  1069. // This field is only available on Stream, not StreamDB.
  1070. if (outputStream.drmInfos) {
  1071. // Check for compatible DRM systems. Note that clear streams are
  1072. // implicitly compatible with any DRM and with each other.
  1073. if (!shaka.drm.DrmUtils.areDrmCompatible(outputStream.drmInfos,
  1074. candidate.drmInfos)) {
  1075. return false;
  1076. }
  1077. }
  1078. return true;
  1079. }
  1080. /**
  1081. * @param {T} outputStream A text output stream
  1082. * @param {T} candidate A candidate stream to be combined with the output
  1083. * @return {boolean} True if the candidate could be combined with the
  1084. * output
  1085. *
  1086. * @template T
  1087. * Accepts either a StreamDB or Stream type.
  1088. *
  1089. * @private
  1090. */
  1091. static areTextStreamsCompatible_(outputStream, candidate) {
  1092. const LanguageUtils = shaka.util.LanguageUtils;
  1093. // For text, we don't care about MIME type or codec. We can always switch
  1094. // between text types.
  1095. // If the candidate is a dummy, then it is compatible, and we could use it
  1096. // if nothing else matches.
  1097. if (!candidate.language) {
  1098. return true;
  1099. }
  1100. // Forced subtitles should be treated as unique streams
  1101. if (outputStream.forced !== candidate.forced) {
  1102. return false;
  1103. }
  1104. const languageRelatedness = LanguageUtils.relatedness(
  1105. outputStream.language, candidate.language);
  1106. // We will strictly avoid combining text across languages or "kinds"
  1107. // (caption vs subtitle).
  1108. if (languageRelatedness == 0 ||
  1109. candidate.kind != outputStream.kind) {
  1110. return false;
  1111. }
  1112. return true;
  1113. }
  1114. /**
  1115. * @param {T} outputStream A image output stream
  1116. * @param {T} candidate A candidate stream to be combined with the output
  1117. * @return {boolean} True if the candidate could be combined with the
  1118. * output
  1119. *
  1120. * @template T
  1121. * Accepts either a StreamDB or Stream type.
  1122. *
  1123. * @private
  1124. */
  1125. static areImageStreamsCompatible_(outputStream, candidate) {
  1126. // For image, we don't care about MIME type. We can always switch
  1127. // between image types.
  1128. return true;
  1129. }
  1130. /**
  1131. * @param {T} outputStream An audio output stream
  1132. * @param {T} best The best match so far for this period
  1133. * @param {T} candidate A candidate stream which might be better
  1134. * @return {boolean} True if the candidate is a better match
  1135. *
  1136. * @template T
  1137. * Accepts either a StreamDB or Stream type.
  1138. *
  1139. * @private
  1140. */
  1141. static isAudioStreamBetterMatch_(outputStream, best, candidate) {
  1142. const LanguageUtils = shaka.util.LanguageUtils;
  1143. const {BETTER, EQUAL, WORSE} = shaka.util.PeriodCombiner.BetterOrWorse;
  1144. // An exact match is better than a non-exact match.
  1145. const bestIsExact = shaka.util.PeriodCombiner.areAVStreamsExactMatch_(
  1146. outputStream, best);
  1147. const candidateIsExact = shaka.util.PeriodCombiner.areAVStreamsExactMatch_(
  1148. outputStream, candidate);
  1149. if (bestIsExact && !candidateIsExact) {
  1150. return false;
  1151. }
  1152. if (!bestIsExact && candidateIsExact) {
  1153. return true;
  1154. }
  1155. // The most important thing is language. In some cases, we will accept a
  1156. // different language across periods when we must.
  1157. const bestRelatedness = LanguageUtils.relatedness(
  1158. outputStream.language, best.language);
  1159. const candidateRelatedness = LanguageUtils.relatedness(
  1160. outputStream.language, candidate.language);
  1161. if (candidateRelatedness > bestRelatedness) {
  1162. return true;
  1163. }
  1164. if (candidateRelatedness < bestRelatedness) {
  1165. return false;
  1166. }
  1167. // If language-based differences haven't decided this, look at labels.
  1168. // If available options differ, look does any matches with output stream.
  1169. if (best.label !== candidate.label) {
  1170. if (outputStream.label === best.label) {
  1171. return false;
  1172. }
  1173. if (outputStream.label === candidate.label) {
  1174. return true;
  1175. }
  1176. }
  1177. // If label-based differences haven't decided this, look at roles. If
  1178. // the candidate has more roles in common with the output, upgrade to the
  1179. // candidate.
  1180. if (outputStream.roles.length) {
  1181. const bestRoleMatches =
  1182. best.roles.filter((role) => outputStream.roles.includes(role));
  1183. const candidateRoleMatches =
  1184. candidate.roles.filter((role) => outputStream.roles.includes(role));
  1185. if (candidateRoleMatches.length > bestRoleMatches.length) {
  1186. return true;
  1187. } else if (candidateRoleMatches.length < bestRoleMatches.length) {
  1188. return false;
  1189. } else if (candidate.roles.length !== best.roles.length) {
  1190. // Both streams have the same role overlap with the outputStream
  1191. // If this is the case, choose the stream with the fewer roles overall.
  1192. // Streams that match best together tend to be streams with the same
  1193. // roles, e g stream1 with roles [r1, r2] is likely a better match
  1194. // for stream2 with roles [r1, r2] vs stream3 with roles
  1195. // [r1, r2, r3, r4].
  1196. // If we match stream1 with stream3 due to the same role overlap,
  1197. // stream2 is likely to be left unmatched and error out later.
  1198. // See https://github.com/shaka-project/shaka-player/issues/2542 for
  1199. // more details.
  1200. return candidate.roles.length < best.roles.length;
  1201. }
  1202. } else if (!candidate.roles.length && best.roles.length) {
  1203. // If outputStream has no roles, and only one of the streams has no roles,
  1204. // choose the one with no roles.
  1205. return true;
  1206. } else if (candidate.roles.length && !best.roles.length) {
  1207. return false;
  1208. }
  1209. // If the language doesn't match, but the candidate is the "primary"
  1210. // language, then that should be preferred as a fallback.
  1211. if (!best.primary && candidate.primary) {
  1212. return true;
  1213. }
  1214. if (best.primary && !candidate.primary) {
  1215. return false;
  1216. }
  1217. // If language-based and role-based features are equivalent, take the audio
  1218. // with the closes channel count to the output.
  1219. const channelsBetterOrWorse =
  1220. shaka.util.PeriodCombiner.compareClosestPreferLower(
  1221. outputStream.channelsCount,
  1222. best.channelsCount,
  1223. candidate.channelsCount);
  1224. if (channelsBetterOrWorse == BETTER) {
  1225. return true;
  1226. } else if (channelsBetterOrWorse == WORSE) {
  1227. return false;
  1228. }
  1229. // If channels are equal, take the closest sample rate to the output.
  1230. const sampleRateBetterOrWorse =
  1231. shaka.util.PeriodCombiner.compareClosestPreferLower(
  1232. outputStream.audioSamplingRate,
  1233. best.audioSamplingRate,
  1234. candidate.audioSamplingRate);
  1235. if (sampleRateBetterOrWorse == BETTER) {
  1236. return true;
  1237. } else if (sampleRateBetterOrWorse == WORSE) {
  1238. return false;
  1239. }
  1240. if (outputStream.bandwidth) {
  1241. // Take the audio with the closest bandwidth to the output.
  1242. const bandwidthBetterOrWorse =
  1243. shaka.util.PeriodCombiner.compareClosestPreferMinimalAbsDiff_(
  1244. outputStream.bandwidth,
  1245. best.bandwidth,
  1246. candidate.bandwidth);
  1247. if (bandwidthBetterOrWorse == BETTER) {
  1248. return true;
  1249. } else if (bandwidthBetterOrWorse == WORSE) {
  1250. return false;
  1251. }
  1252. }
  1253. // If the result of each comparison was inconclusive, default to false.
  1254. return false;
  1255. }
  1256. /**
  1257. * @param {T} outputStream A video output stream
  1258. * @param {T} best The best match so far for this period
  1259. * @param {T} candidate A candidate stream which might be better
  1260. * @return {boolean} True if the candidate is a better match
  1261. *
  1262. * @template T
  1263. * Accepts either a StreamDB or Stream type.
  1264. *
  1265. * @private
  1266. */
  1267. static isVideoStreamBetterMatch_(outputStream, best, candidate) {
  1268. const {BETTER, EQUAL, WORSE} = shaka.util.PeriodCombiner.BetterOrWorse;
  1269. // An exact match is better than a non-exact match.
  1270. const bestIsExact = shaka.util.PeriodCombiner.areAVStreamsExactMatch_(
  1271. outputStream, best);
  1272. const candidateIsExact = shaka.util.PeriodCombiner.areAVStreamsExactMatch_(
  1273. outputStream, candidate);
  1274. if (bestIsExact && !candidateIsExact) {
  1275. return false;
  1276. }
  1277. if (!bestIsExact && candidateIsExact) {
  1278. return true;
  1279. }
  1280. // Take the video with the closest resolution to the output.
  1281. const resolutionBetterOrWorse =
  1282. shaka.util.PeriodCombiner.compareClosestPreferLower(
  1283. outputStream.width * outputStream.height,
  1284. best.width * best.height,
  1285. candidate.width * candidate.height);
  1286. if (resolutionBetterOrWorse == BETTER) {
  1287. return true;
  1288. } else if (resolutionBetterOrWorse == WORSE) {
  1289. return false;
  1290. }
  1291. // We may not know the frame rate for the content, in which case this gets
  1292. // skipped.
  1293. if (outputStream.frameRate) {
  1294. // Take the video with the closest frame rate to the output.
  1295. const frameRateBetterOrWorse =
  1296. shaka.util.PeriodCombiner.compareClosestPreferLower(
  1297. outputStream.frameRate,
  1298. best.frameRate,
  1299. candidate.frameRate);
  1300. if (frameRateBetterOrWorse == BETTER) {
  1301. return true;
  1302. } else if (frameRateBetterOrWorse == WORSE) {
  1303. return false;
  1304. }
  1305. }
  1306. if (outputStream.bandwidth) {
  1307. // Take the video with the closest bandwidth to the output.
  1308. const bandwidthBetterOrWorse =
  1309. shaka.util.PeriodCombiner.compareClosestPreferMinimalAbsDiff_(
  1310. outputStream.bandwidth,
  1311. best.bandwidth,
  1312. candidate.bandwidth);
  1313. if (bandwidthBetterOrWorse == BETTER) {
  1314. return true;
  1315. } else if (bandwidthBetterOrWorse == WORSE) {
  1316. return false;
  1317. }
  1318. }
  1319. // If the result of each comparison was inconclusive, default to false.
  1320. return false;
  1321. }
  1322. /**
  1323. * @param {T} outputStream A text output stream
  1324. * @param {T} best The best match so far for this period
  1325. * @param {T} candidate A candidate stream which might be better
  1326. * @return {boolean} True if the candidate is a better match
  1327. *
  1328. * @template T
  1329. * Accepts either a StreamDB or Stream type.
  1330. *
  1331. * @private
  1332. */
  1333. static isTextStreamBetterMatch_(outputStream, best, candidate) {
  1334. const LanguageUtils = shaka.util.LanguageUtils;
  1335. // The most important thing is language. In some cases, we will accept a
  1336. // different language across periods when we must.
  1337. const bestRelatedness = LanguageUtils.relatedness(
  1338. outputStream.language, best.language);
  1339. const candidateRelatedness = LanguageUtils.relatedness(
  1340. outputStream.language, candidate.language);
  1341. if (candidateRelatedness > bestRelatedness) {
  1342. return true;
  1343. }
  1344. if (candidateRelatedness < bestRelatedness) {
  1345. return false;
  1346. }
  1347. // If the language doesn't match, but the candidate is the "primary"
  1348. // language, then that should be preferred as a fallback.
  1349. if (!best.primary && candidate.primary) {
  1350. return true;
  1351. }
  1352. if (best.primary && !candidate.primary) {
  1353. return false;
  1354. }
  1355. // If language-based differences haven't decided this, look at labels.
  1356. // If available options differ, look does any matches with output stream.
  1357. if (best.label !== candidate.label) {
  1358. if (outputStream.label === best.label) {
  1359. return false;
  1360. }
  1361. if (outputStream.label === candidate.label) {
  1362. return true;
  1363. }
  1364. }
  1365. // If the candidate has more roles in common with the output, upgrade to the
  1366. // candidate.
  1367. if (outputStream.roles.length) {
  1368. const bestRoleMatches =
  1369. best.roles.filter((role) => outputStream.roles.includes(role));
  1370. const candidateRoleMatches =
  1371. candidate.roles.filter((role) => outputStream.roles.includes(role));
  1372. if (candidateRoleMatches.length > bestRoleMatches.length) {
  1373. return true;
  1374. }
  1375. if (candidateRoleMatches.length < bestRoleMatches.length) {
  1376. return false;
  1377. }
  1378. } else if (!candidate.roles.length && best.roles.length) {
  1379. // If outputStream has no roles, and only one of the streams has no roles,
  1380. // choose the one with no roles.
  1381. return true;
  1382. } else if (candidate.roles.length && !best.roles.length) {
  1383. return false;
  1384. }
  1385. // If the candidate has the same MIME type and codec, upgrade to the
  1386. // candidate. It's not required that text streams use the same format
  1387. // across periods, but it's a helpful signal. Some content in our demo app
  1388. // contains the same languages repeated with two different text formats in
  1389. // each period. This condition ensures that all text streams are used.
  1390. // Otherwise, we wind up with some one stream of each language left unused,
  1391. // triggering a failure.
  1392. if (candidate.mimeType == outputStream.mimeType &&
  1393. candidate.codecs == outputStream.codecs &&
  1394. (best.mimeType != outputStream.mimeType ||
  1395. best.codecs != outputStream.codecs)) {
  1396. return true;
  1397. }
  1398. // If the result of each comparison was inconclusive, default to false.
  1399. return false;
  1400. }
  1401. /**
  1402. * @param {T} outputStream A image output stream
  1403. * @param {T} best The best match so far for this period
  1404. * @param {T} candidate A candidate stream which might be better
  1405. * @return {boolean} True if the candidate is a better match
  1406. *
  1407. * @template T
  1408. * Accepts either a StreamDB or Stream type.
  1409. *
  1410. * @private
  1411. */
  1412. static isImageStreamBetterMatch_(outputStream, best, candidate) {
  1413. const {BETTER, EQUAL, WORSE} = shaka.util.PeriodCombiner.BetterOrWorse;
  1414. // Take the image with the closest resolution to the output.
  1415. const resolutionBetterOrWorse =
  1416. shaka.util.PeriodCombiner.compareClosestPreferLower(
  1417. outputStream.width * outputStream.height,
  1418. best.width * best.height,
  1419. candidate.width * candidate.height);
  1420. if (resolutionBetterOrWorse == BETTER) {
  1421. return true;
  1422. } else if (resolutionBetterOrWorse == WORSE) {
  1423. return false;
  1424. }
  1425. // If the result of each comparison was inconclusive, default to false.
  1426. return false;
  1427. }
  1428. /**
  1429. * Create a dummy StreamDB to fill in periods that are missing a certain type,
  1430. * to avoid failing the general flattening algorithm. This won't be used for
  1431. * audio or video, since those are strictly required in all periods if they
  1432. * exist in any period.
  1433. *
  1434. * @param {shaka.util.ManifestParserUtils.ContentType} type
  1435. * @return {shaka.extern.StreamDB}
  1436. * @private
  1437. */
  1438. static dummyStreamDB_(type) {
  1439. return {
  1440. id: 0,
  1441. originalId: '',
  1442. groupId: null,
  1443. primary: false,
  1444. type,
  1445. mimeType: '',
  1446. codecs: '',
  1447. language: '',
  1448. originalLanguage: null,
  1449. label: null,
  1450. width: null,
  1451. height: null,
  1452. encrypted: false,
  1453. keyIds: new Set(),
  1454. segments: [],
  1455. variantIds: [],
  1456. roles: [],
  1457. forced: false,
  1458. channelsCount: null,
  1459. audioSamplingRate: null,
  1460. spatialAudio: false,
  1461. closedCaptions: null,
  1462. external: false,
  1463. fastSwitching: false,
  1464. isAudioMuxedInVideo: false,
  1465. };
  1466. }
  1467. /**
  1468. * Create a dummy Stream to fill in periods that are missing a certain type,
  1469. * to avoid failing the general flattening algorithm. This won't be used for
  1470. * audio or video, since those are strictly required in all periods if they
  1471. * exist in any period.
  1472. *
  1473. * @param {shaka.util.ManifestParserUtils.ContentType} type
  1474. * @return {shaka.extern.Stream}
  1475. * @private
  1476. */
  1477. static dummyStream_(type) {
  1478. return {
  1479. id: 0,
  1480. originalId: '',
  1481. groupId: null,
  1482. createSegmentIndex: () => Promise.resolve(),
  1483. segmentIndex: new shaka.media.SegmentIndex([]),
  1484. mimeType: '',
  1485. codecs: '',
  1486. encrypted: false,
  1487. drmInfos: [],
  1488. keyIds: new Set(),
  1489. language: '',
  1490. originalLanguage: null,
  1491. label: null,
  1492. type,
  1493. primary: false,
  1494. trickModeVideo: null,
  1495. emsgSchemeIdUris: null,
  1496. roles: [],
  1497. forced: false,
  1498. channelsCount: null,
  1499. audioSamplingRate: null,
  1500. spatialAudio: false,
  1501. closedCaptions: null,
  1502. accessibilityPurpose: null,
  1503. external: false,
  1504. fastSwitching: false,
  1505. fullMimeTypes: new Set(),
  1506. isAudioMuxedInVideo: false,
  1507. };
  1508. }
  1509. /**
  1510. * Compare the best value so far with the candidate value and the output
  1511. * value. Decide if the candidate is better, equal, or worse than the best
  1512. * so far. Any value less than or equal to the output is preferred over a
  1513. * larger value, and closer to the output is better than farther.
  1514. *
  1515. * This provides us a generic way to choose things that should match as
  1516. * closely as possible, like resolution, frame rate, audio channels, or
  1517. * sample rate. If we have to go higher to make a match, we will. But if
  1518. * the user selects 480p, for example, we don't want to surprise them with
  1519. * 720p and waste bandwidth if there's another choice available to us.
  1520. *
  1521. * @param {number} outputValue
  1522. * @param {number} bestValue
  1523. * @param {number} candidateValue
  1524. * @return {shaka.util.PeriodCombiner.BetterOrWorse}
  1525. */
  1526. static compareClosestPreferLower(outputValue, bestValue, candidateValue) {
  1527. const {BETTER, EQUAL, WORSE} = shaka.util.PeriodCombiner.BetterOrWorse;
  1528. // If one is the exact match for the output value, and the other isn't,
  1529. // prefer the one that is the exact match.
  1530. if (bestValue == outputValue && outputValue != candidateValue) {
  1531. return WORSE;
  1532. } else if (candidateValue == outputValue && outputValue != bestValue) {
  1533. return BETTER;
  1534. }
  1535. if (bestValue > outputValue) {
  1536. if (candidateValue <= outputValue) {
  1537. // Any smaller-or-equal-to-output value is preferable to a
  1538. // bigger-than-output value.
  1539. return BETTER;
  1540. }
  1541. // Both "best" and "candidate" are greater than the output. Take
  1542. // whichever is closer.
  1543. if (candidateValue - outputValue < bestValue - outputValue) {
  1544. return BETTER;
  1545. } else if (candidateValue - outputValue > bestValue - outputValue) {
  1546. return WORSE;
  1547. }
  1548. } else {
  1549. // The "best" so far is less than or equal to the output. If the
  1550. // candidate is bigger than the output, we don't want it.
  1551. if (candidateValue > outputValue) {
  1552. return WORSE;
  1553. }
  1554. // Both "best" and "candidate" are less than or equal to the output.
  1555. // Take whichever is closer.
  1556. if (outputValue - candidateValue < outputValue - bestValue) {
  1557. return BETTER;
  1558. } else if (outputValue - candidateValue > outputValue - bestValue) {
  1559. return WORSE;
  1560. }
  1561. }
  1562. return EQUAL;
  1563. }
  1564. /**
  1565. * @param {number} outputValue
  1566. * @param {number} bestValue
  1567. * @param {number} candidateValue
  1568. * @return {shaka.util.PeriodCombiner.BetterOrWorse}
  1569. * @private
  1570. */
  1571. static compareClosestPreferMinimalAbsDiff_(
  1572. outputValue, bestValue, candidateValue) {
  1573. const {BETTER, EQUAL, WORSE} = shaka.util.PeriodCombiner.BetterOrWorse;
  1574. const absDiffBest = Math.abs(outputValue - bestValue);
  1575. const absDiffCandidate = Math.abs(outputValue - candidateValue);
  1576. if (absDiffCandidate < absDiffBest) {
  1577. return BETTER;
  1578. } else if (absDiffBest < absDiffCandidate) {
  1579. return WORSE;
  1580. }
  1581. return EQUAL;
  1582. }
  1583. /**
  1584. * @param {T} stream
  1585. * @return {boolean}
  1586. * @template T
  1587. * Accepts either a StreamDB or Stream type.
  1588. * @private
  1589. */
  1590. static isDummy_(stream) {
  1591. const ContentType = shaka.util.ManifestParserUtils.ContentType;
  1592. switch (stream.type) {
  1593. case ContentType.TEXT:
  1594. return !stream.language;
  1595. case ContentType.IMAGE:
  1596. return !stream.tilesLayout;
  1597. default:
  1598. return false;
  1599. }
  1600. }
  1601. /**
  1602. * @param {T} v
  1603. * @return {string}
  1604. * @template T
  1605. * Accepts either a StreamDB or Stream type.
  1606. * @private
  1607. */
  1608. static generateVideoKey_(v) {
  1609. return shaka.util.PeriodCombiner.generateKey_([
  1610. v.fastSwitching,
  1611. v.width,
  1612. v.frameRate,
  1613. shaka.util.PeriodCombiner.getCodec_(v.codecs),
  1614. v.mimeType,
  1615. v.label,
  1616. v.roles,
  1617. v.closedCaptions ? Array.from(v.closedCaptions.entries()) : null,
  1618. v.bandwidth,
  1619. Array.from(v.keyIds),
  1620. ]);
  1621. }
  1622. /**
  1623. * @param {T} a
  1624. * @return {string}
  1625. * @template T
  1626. * Accepts either a StreamDB or Stream type.
  1627. * @private
  1628. */
  1629. static generateAudioKey_(a) {
  1630. return shaka.util.PeriodCombiner.generateKey_([
  1631. a.fastSwitching,
  1632. a.channelsCount,
  1633. a.language,
  1634. a.bandwidth,
  1635. a.label,
  1636. shaka.util.PeriodCombiner.getCodec_(a.codecs),
  1637. a.mimeType,
  1638. a.roles,
  1639. a.audioSamplingRate,
  1640. a.primary,
  1641. Array.from(a.keyIds),
  1642. ]);
  1643. }
  1644. /**
  1645. * @param {T} t
  1646. * @return {string}
  1647. * @template T
  1648. * Accepts either a StreamDB or Stream type.
  1649. * @private
  1650. */
  1651. static generateTextKey_(t) {
  1652. return shaka.util.PeriodCombiner.generateKey_([
  1653. t.language,
  1654. t.label,
  1655. t.codecs,
  1656. t.mimeType,
  1657. t.bandwidth,
  1658. t.roles,
  1659. ]);
  1660. }
  1661. /**
  1662. * @param {T} i
  1663. * @return {string}
  1664. * @template T
  1665. * Accepts either a StreamDB or Stream type.
  1666. * @private
  1667. */
  1668. static generateImageKey_(i) {
  1669. return shaka.util.PeriodCombiner.generateKey_([
  1670. i.width,
  1671. i.codecs,
  1672. i.mimeType,
  1673. ]);
  1674. }
  1675. /**
  1676. * @param {!Array<*>} values
  1677. * @return {string}
  1678. * @private
  1679. */
  1680. static generateKey_(values) {
  1681. return JSON.stringify(values);
  1682. }
  1683. /**
  1684. * @param {string} codecs
  1685. * @return {string}
  1686. * @private
  1687. */
  1688. static getCodec_(codecs) {
  1689. if (!shaka.util.PeriodCombiner.memoizedCodecs.has(codecs)) {
  1690. const normalizedCodec = shaka.util.MimeUtils.getNormalizedCodec(codecs);
  1691. shaka.util.PeriodCombiner.memoizedCodecs.set(codecs, normalizedCodec);
  1692. }
  1693. return shaka.util.PeriodCombiner.memoizedCodecs.get(codecs);
  1694. }
  1695. };
  1696. /**
  1697. * @enum {number}
  1698. */
  1699. shaka.util.PeriodCombiner.BetterOrWorse = {
  1700. BETTER: 1,
  1701. EQUAL: 0,
  1702. WORSE: -1,
  1703. };
  1704. /**
  1705. * @private {Map<string, string>}
  1706. */
  1707. shaka.util.PeriodCombiner.memoizedCodecs = new Map();