Source: lib/util/stream_utils.js

  1. /*! @license
  2. * Shaka Player
  3. * Copyright 2016 Google LLC
  4. * SPDX-License-Identifier: Apache-2.0
  5. */
  6. goog.provide('shaka.util.StreamUtils');
  7. goog.require('goog.asserts');
  8. goog.require('shaka.log');
  9. goog.require('shaka.media.Capabilities');
  10. goog.require('shaka.text.TextEngine');
  11. goog.require('shaka.util.Functional');
  12. goog.require('shaka.util.LanguageUtils');
  13. goog.require('shaka.util.ManifestParserUtils');
  14. goog.require('shaka.util.MimeUtils');
  15. goog.require('shaka.util.MultiMap');
  16. goog.require('shaka.util.ObjectUtils');
  17. goog.require('shaka.util.Platform');
  18. goog.requireType('shaka.media.DrmEngine');
  19. /**
  20. * @summary A set of utility functions for dealing with Streams and Manifests.
  21. * @export
  22. */
  23. shaka.util.StreamUtils = class {
  24. /**
  25. * In case of multiple usable codecs, choose one based on lowest average
  26. * bandwidth and filter out the rest.
  27. * Also filters out variants that have too many audio channels.
  28. * @param {!shaka.extern.Manifest} manifest
  29. * @param {!Array.<string>} preferredVideoCodecs
  30. * @param {!Array.<string>} preferredAudioCodecs
  31. * @param {!Array.<string>} preferredDecodingAttributes
  32. */
  33. static chooseCodecsAndFilterManifest(manifest, preferredVideoCodecs,
  34. preferredAudioCodecs, preferredDecodingAttributes) {
  35. const StreamUtils = shaka.util.StreamUtils;
  36. const MimeUtils = shaka.util.MimeUtils;
  37. let variants = manifest.variants;
  38. // To start, choose the codecs based on configured preferences if available.
  39. if (preferredVideoCodecs.length || preferredAudioCodecs.length) {
  40. variants = StreamUtils.choosePreferredCodecs(variants,
  41. preferredVideoCodecs, preferredAudioCodecs);
  42. }
  43. if (preferredDecodingAttributes.length) {
  44. // group variants by resolution and choose preferred variants only
  45. /** @type {!shaka.util.MultiMap.<shaka.extern.Variant>} */
  46. const variantsByResolutionMap = new shaka.util.MultiMap();
  47. for (const variant of variants) {
  48. variantsByResolutionMap
  49. .push(String(variant.video.width || 0), variant);
  50. }
  51. const bestVariants = [];
  52. variantsByResolutionMap.forEach((width, variantsByResolution) => {
  53. let highestMatch = 0;
  54. let matchingVariants = [];
  55. for (const variant of variantsByResolution) {
  56. const matchCount = preferredDecodingAttributes.filter(
  57. (attribute) => variant.decodingInfos[0][attribute],
  58. ).length;
  59. if (matchCount > highestMatch) {
  60. highestMatch = matchCount;
  61. matchingVariants = [variant];
  62. } else if (matchCount == highestMatch) {
  63. matchingVariants.push(variant);
  64. }
  65. }
  66. bestVariants.push(...matchingVariants);
  67. });
  68. variants = bestVariants;
  69. }
  70. const audioStreamsSet = new Set();
  71. const videoStreamsSet = new Set();
  72. for (const variant of variants) {
  73. if (variant.audio) {
  74. audioStreamsSet.add(variant.audio);
  75. }
  76. if (variant.video) {
  77. videoStreamsSet.add(variant.video);
  78. }
  79. }
  80. const audioStreams = Array.from(audioStreamsSet).sort((v1, v2) => {
  81. return v1.bandwidth - v2.bandwidth;
  82. });
  83. const validAudioIds = [];
  84. const validAudioStreamsMap = new Map();
  85. const getAudioId = (stream) => {
  86. return stream.language + (stream.channelsCount || 0) +
  87. (stream.audioSamplingRate || 0) + stream.roles.join(',') +
  88. stream.label + stream.groupId + stream.fastSwitching;
  89. };
  90. for (const stream of audioStreams) {
  91. const groupId = getAudioId(stream);
  92. const validAudioStreams = validAudioStreamsMap.get(groupId) || [];
  93. if (!validAudioStreams.length) {
  94. validAudioStreams.push(stream);
  95. validAudioIds.push(stream.id);
  96. } else {
  97. const previousStream = validAudioStreams[validAudioStreams.length - 1];
  98. const previousCodec =
  99. MimeUtils.getNormalizedCodec(previousStream.codecs);
  100. const currentCodec =
  101. MimeUtils.getNormalizedCodec(stream.codecs);
  102. if (previousCodec == currentCodec) {
  103. if (stream.bandwidth > previousStream.bandwidth) {
  104. validAudioStreams.push(stream);
  105. validAudioIds.push(stream.id);
  106. }
  107. }
  108. }
  109. validAudioStreamsMap.set(groupId, validAudioStreams);
  110. }
  111. const videoStreams = Array.from(videoStreamsSet)
  112. .sort((v1, v2) => {
  113. if (!v1.bandwidth || !v2.bandwidth) {
  114. return v1.width - v2.width;
  115. }
  116. return v1.bandwidth - v2.bandwidth;
  117. });
  118. const isChangeTypeSupported =
  119. shaka.media.Capabilities.isChangeTypeSupported();
  120. const validVideoIds = [];
  121. const validVideoStreamsMap = new Map();
  122. const getVideoGroupId = (stream) => {
  123. return Math.round(stream.frameRate || 0) + (stream.hdr || '') +
  124. stream.fastSwitching;
  125. };
  126. for (const stream of videoStreams) {
  127. const groupId = getVideoGroupId(stream);
  128. const validVideoStreams = validVideoStreamsMap.get(groupId) || [];
  129. if (!validVideoStreams.length) {
  130. validVideoStreams.push(stream);
  131. validVideoIds.push(stream.id);
  132. } else {
  133. const previousStream = validVideoStreams[validVideoStreams.length - 1];
  134. if (!isChangeTypeSupported) {
  135. const previousCodec =
  136. MimeUtils.getNormalizedCodec(previousStream.codecs);
  137. const currentCodec =
  138. MimeUtils.getNormalizedCodec(stream.codecs);
  139. if (previousCodec !== currentCodec) {
  140. continue;
  141. }
  142. }
  143. if (stream.width > previousStream.width ||
  144. stream.height > previousStream.height) {
  145. validVideoStreams.push(stream);
  146. validVideoIds.push(stream.id);
  147. } else if (stream.width == previousStream.width &&
  148. stream.height == previousStream.height) {
  149. const previousCodec =
  150. MimeUtils.getNormalizedCodec(previousStream.codecs);
  151. const currentCodec =
  152. MimeUtils.getNormalizedCodec(stream.codecs);
  153. if (previousCodec == currentCodec) {
  154. if (stream.bandwidth > previousStream.bandwidth) {
  155. validVideoStreams.push(stream);
  156. validVideoIds.push(stream.id);
  157. }
  158. }
  159. }
  160. }
  161. validVideoStreamsMap.set(groupId, validVideoStreams);
  162. }
  163. // Filter out any variants that don't match, forcing AbrManager to choose
  164. // from a single video codec and a single audio codec possible.
  165. manifest.variants = manifest.variants.filter((variant) => {
  166. const audio = variant.audio;
  167. const video = variant.video;
  168. if (audio) {
  169. if (!validAudioIds.includes(audio.id)) {
  170. shaka.log.debug('Dropping Variant (better codec available)', variant);
  171. return false;
  172. }
  173. }
  174. if (video) {
  175. if (!validVideoIds.includes(video.id)) {
  176. shaka.log.debug('Dropping Variant (better codec available)', variant);
  177. return false;
  178. }
  179. }
  180. return true;
  181. });
  182. }
  183. /**
  184. * Choose the codecs by configured preferred audio and video codecs.
  185. *
  186. * @param {!Array<shaka.extern.Variant>} variants
  187. * @param {!Array.<string>} preferredVideoCodecs
  188. * @param {!Array.<string>} preferredAudioCodecs
  189. * @return {!Array<shaka.extern.Variant>}
  190. */
  191. static choosePreferredCodecs(variants, preferredVideoCodecs,
  192. preferredAudioCodecs) {
  193. let subset = variants;
  194. for (const videoCodec of preferredVideoCodecs) {
  195. const filtered = subset.filter((variant) => {
  196. return variant.video && variant.video.codecs.startsWith(videoCodec);
  197. });
  198. if (filtered.length) {
  199. subset = filtered;
  200. break;
  201. }
  202. }
  203. for (const audioCodec of preferredAudioCodecs) {
  204. const filtered = subset.filter((variant) => {
  205. return variant.audio && variant.audio.codecs.startsWith(audioCodec);
  206. });
  207. if (filtered.length) {
  208. subset = filtered;
  209. break;
  210. }
  211. }
  212. return subset;
  213. }
  214. /**
  215. * Filter the variants in |manifest| to only include the variants that meet
  216. * the given restrictions.
  217. *
  218. * @param {!shaka.extern.Manifest} manifest
  219. * @param {shaka.extern.Restrictions} restrictions
  220. * @param {shaka.extern.Resolution} maxHwResolution
  221. */
  222. static filterByRestrictions(manifest, restrictions, maxHwResolution) {
  223. manifest.variants = manifest.variants.filter((variant) => {
  224. return shaka.util.StreamUtils.meetsRestrictions(
  225. variant, restrictions, maxHwResolution);
  226. });
  227. }
  228. /**
  229. * @param {shaka.extern.Variant} variant
  230. * @param {shaka.extern.Restrictions} restrictions
  231. * Configured restrictions from the user.
  232. * @param {shaka.extern.Resolution} maxHwRes
  233. * The maximum resolution the hardware can handle.
  234. * This is applied separately from user restrictions because the setting
  235. * should not be easily replaced by the user's configuration.
  236. * @return {boolean}
  237. * @export
  238. */
  239. static meetsRestrictions(variant, restrictions, maxHwRes) {
  240. /** @type {function(number, number, number):boolean} */
  241. const inRange = (x, min, max) => {
  242. return x >= min && x <= max;
  243. };
  244. const video = variant.video;
  245. // |video.width| and |video.height| can be undefined, which breaks
  246. // the math, so make sure they are there first.
  247. if (video && video.width && video.height) {
  248. let videoWidth = video.width;
  249. let videoHeight = video.height;
  250. if (videoHeight > videoWidth) {
  251. // Vertical video.
  252. [videoWidth, videoHeight] = [videoHeight, videoWidth];
  253. }
  254. if (!inRange(videoWidth,
  255. restrictions.minWidth,
  256. Math.min(restrictions.maxWidth, maxHwRes.width))) {
  257. return false;
  258. }
  259. if (!inRange(videoHeight,
  260. restrictions.minHeight,
  261. Math.min(restrictions.maxHeight, maxHwRes.height))) {
  262. return false;
  263. }
  264. if (!inRange(video.width * video.height,
  265. restrictions.minPixels,
  266. restrictions.maxPixels)) {
  267. return false;
  268. }
  269. }
  270. // |variant.video.frameRate| can be undefined, which breaks
  271. // the math, so make sure they are there first.
  272. if (variant && variant.video && variant.video.frameRate) {
  273. if (!inRange(variant.video.frameRate,
  274. restrictions.minFrameRate,
  275. restrictions.maxFrameRate)) {
  276. return false;
  277. }
  278. }
  279. // |variant.audio.channelsCount| can be undefined, which breaks
  280. // the math, so make sure they are there first.
  281. if (variant && variant.audio && variant.audio.channelsCount) {
  282. if (!inRange(variant.audio.channelsCount,
  283. restrictions.minChannelsCount,
  284. restrictions.maxChannelsCount)) {
  285. return false;
  286. }
  287. }
  288. if (!inRange(variant.bandwidth,
  289. restrictions.minBandwidth,
  290. restrictions.maxBandwidth)) {
  291. return false;
  292. }
  293. return true;
  294. }
  295. /**
  296. * @param {!Array.<shaka.extern.Variant>} variants
  297. * @param {shaka.extern.Restrictions} restrictions
  298. * @param {shaka.extern.Resolution} maxHwRes
  299. * @return {boolean} Whether the tracks changed.
  300. */
  301. static applyRestrictions(variants, restrictions, maxHwRes) {
  302. let tracksChanged = false;
  303. for (const variant of variants) {
  304. const originalAllowed = variant.allowedByApplication;
  305. variant.allowedByApplication = shaka.util.StreamUtils.meetsRestrictions(
  306. variant, restrictions, maxHwRes);
  307. if (originalAllowed != variant.allowedByApplication) {
  308. tracksChanged = true;
  309. }
  310. }
  311. return tracksChanged;
  312. }
  313. /**
  314. * Alters the given Manifest to filter out any unplayable streams.
  315. *
  316. * @param {shaka.media.DrmEngine} drmEngine
  317. * @param {shaka.extern.Manifest} manifest
  318. * @param {!Array<string>=} preferredKeySystems
  319. */
  320. static async filterManifest(drmEngine, manifest, preferredKeySystems = []) {
  321. await shaka.util.StreamUtils.filterManifestByMediaCapabilities(
  322. drmEngine, manifest, manifest.offlineSessionIds.length > 0,
  323. preferredKeySystems);
  324. shaka.util.StreamUtils.filterTextStreams_(manifest);
  325. await shaka.util.StreamUtils.filterImageStreams_(manifest);
  326. }
  327. /**
  328. * Alters the given Manifest to filter out any streams unsupported by the
  329. * platform via MediaCapabilities.decodingInfo() API.
  330. *
  331. * @param {shaka.media.DrmEngine} drmEngine
  332. * @param {shaka.extern.Manifest} manifest
  333. * @param {boolean} usePersistentLicenses
  334. * @param {!Array<string>} preferredKeySystems
  335. */
  336. static async filterManifestByMediaCapabilities(
  337. drmEngine, manifest, usePersistentLicenses, preferredKeySystems) {
  338. goog.asserts.assert(navigator.mediaCapabilities,
  339. 'MediaCapabilities should be valid.');
  340. await shaka.util.StreamUtils.getDecodingInfosForVariants(
  341. manifest.variants, usePersistentLicenses, /* srcEquals= */ false,
  342. preferredKeySystems);
  343. let keySystem = null;
  344. if (drmEngine) {
  345. const drmInfo = drmEngine.getDrmInfo();
  346. if (drmInfo) {
  347. keySystem = drmInfo.keySystem;
  348. }
  349. }
  350. const StreamUtils = shaka.util.StreamUtils;
  351. manifest.variants = manifest.variants.filter((variant) => {
  352. const supported = StreamUtils.checkVariantSupported_(variant, keySystem);
  353. // Filter out all unsupported variants.
  354. if (!supported) {
  355. shaka.log.debug('Dropping variant - not compatible with platform',
  356. StreamUtils.getVariantSummaryString_(variant));
  357. }
  358. return supported;
  359. });
  360. }
  361. /**
  362. * @param {!shaka.extern.Variant} variant
  363. * @param {?string} keySystem
  364. * @return {boolean}
  365. * @private
  366. */
  367. static checkVariantSupported_(variant, keySystem) {
  368. const ContentType = shaka.util.ManifestParserUtils.ContentType;
  369. const Capabilities = shaka.media.Capabilities;
  370. const ManifestParserUtils = shaka.util.ManifestParserUtils;
  371. const MimeUtils = shaka.util.MimeUtils;
  372. const StreamUtils = shaka.util.StreamUtils;
  373. const isXboxOne = shaka.util.Platform.isXboxOne();
  374. const isFirefoxAndroid = shaka.util.Platform.isFirefox() &&
  375. shaka.util.Platform.isAndroid();
  376. // See: https://github.com/shaka-project/shaka-player/issues/3860
  377. const video = variant.video;
  378. const videoWidth = (video && video.width) || 0;
  379. const videoHeight = (video && video.height) || 0;
  380. // See: https://github.com/shaka-project/shaka-player/issues/3380
  381. // Note: it makes sense to drop early
  382. if (isXboxOne && video && (videoWidth > 1920 || videoHeight > 1080) &&
  383. (video.codecs.includes('avc1.') || video.codecs.includes('avc3.'))) {
  384. return false;
  385. }
  386. if (video) {
  387. let videoCodecs = StreamUtils.getCorrectVideoCodecs(video.codecs);
  388. // For multiplexed streams. Here we must check the audio of the
  389. // stream to see if it is compatible.
  390. if (video.codecs.includes(',')) {
  391. const allCodecs = video.codecs.split(',');
  392. videoCodecs = ManifestParserUtils.guessCodecs(
  393. ContentType.VIDEO, allCodecs);
  394. videoCodecs = StreamUtils.getCorrectVideoCodecs(videoCodecs);
  395. let audioCodecs = ManifestParserUtils.guessCodecs(
  396. ContentType.AUDIO, allCodecs);
  397. audioCodecs = StreamUtils.getCorrectAudioCodecs(
  398. audioCodecs, video.mimeType);
  399. const audioFullType = MimeUtils.getFullOrConvertedType(
  400. video.mimeType, audioCodecs, ContentType.AUDIO);
  401. if (!Capabilities.isTypeSupported(audioFullType)) {
  402. return false;
  403. }
  404. // Update the codec string with the (possibly) converted codecs.
  405. videoCodecs = [videoCodecs, audioCodecs].join(',');
  406. }
  407. const fullType = MimeUtils.getFullOrConvertedType(
  408. video.mimeType, videoCodecs, ContentType.VIDEO);
  409. if (!Capabilities.isTypeSupported(fullType)) {
  410. return false;
  411. }
  412. // Update the codec string with the (possibly) converted codecs.
  413. video.codecs = videoCodecs;
  414. }
  415. const audio = variant.audio;
  416. // See: https://github.com/shaka-project/shaka-player/issues/6111
  417. // It seems that Firefox Android reports that it supports
  418. // Opus + Widevine, but it is not actually supported.
  419. // It makes sense to drop early.
  420. if (isFirefoxAndroid && audio && audio.encrypted &&
  421. audio.codecs.toLowerCase().includes('opus')) {
  422. return false;
  423. }
  424. if (audio) {
  425. const codecs = StreamUtils.getCorrectAudioCodecs(
  426. audio.codecs, audio.mimeType);
  427. const fullType = MimeUtils.getFullOrConvertedType(
  428. audio.mimeType, codecs, ContentType.AUDIO);
  429. if (!Capabilities.isTypeSupported(fullType)) {
  430. return false;
  431. }
  432. // Update the codec string with the (possibly) converted codecs.
  433. audio.codecs = codecs;
  434. }
  435. return variant.decodingInfos.some((decodingInfo) => {
  436. if (!decodingInfo.supported) {
  437. return false;
  438. }
  439. if (keySystem) {
  440. const keySystemAccess = decodingInfo.keySystemAccess;
  441. if (keySystemAccess) {
  442. if (keySystemAccess.keySystem != keySystem) {
  443. return false;
  444. }
  445. }
  446. }
  447. return true;
  448. });
  449. }
  450. /**
  451. * Constructs a string out of an object, similar to the JSON.stringify method.
  452. * Unlike that method, this guarantees that the order of the keys is
  453. * alphabetical, so it can be used as a way to reliably compare two objects.
  454. *
  455. * @param {!Object} obj
  456. * @return {string}
  457. * @private
  458. */
  459. static alphabeticalKeyOrderStringify_(obj) {
  460. const keys = [];
  461. for (const key in obj) {
  462. keys.push(key);
  463. }
  464. // Alphabetically sort the keys, so they will be in a reliable order.
  465. keys.sort();
  466. const terms = [];
  467. for (const key of keys) {
  468. const escapedKey = JSON.stringify(key);
  469. const value = obj[key];
  470. if (value instanceof Object) {
  471. const stringifiedValue =
  472. shaka.util.StreamUtils.alphabeticalKeyOrderStringify_(value);
  473. terms.push(escapedKey + ':' + stringifiedValue);
  474. } else {
  475. const escapedValue = JSON.stringify(value);
  476. terms.push(escapedKey + ':' + escapedValue);
  477. }
  478. }
  479. return '{' + terms.join(',') + '}';
  480. }
  481. /**
  482. * Queries mediaCapabilities for the decoding info for that decoding config,
  483. * and assigns it to the given variant.
  484. * If that query has been done before, instead return a cached result.
  485. * @param {!shaka.extern.Variant} variant
  486. * @param {!Array.<!MediaDecodingConfiguration>} decodingConfigs
  487. * @private
  488. */
  489. static async getDecodingInfosForVariant_(variant, decodingConfigs) {
  490. /**
  491. * @param {?MediaCapabilitiesDecodingInfo} a
  492. * @param {!MediaCapabilitiesDecodingInfo} b
  493. * @return {!MediaCapabilitiesDecodingInfo}
  494. */
  495. const merge = (a, b) => {
  496. if (!a) {
  497. return b;
  498. } else {
  499. const res = shaka.util.ObjectUtils.shallowCloneObject(a);
  500. res.supported = a.supported && b.supported;
  501. res.powerEfficient = a.powerEfficient && b.powerEfficient;
  502. res.smooth = a.smooth && b.smooth;
  503. if (b.keySystemAccess && !res.keySystemAccess) {
  504. res.keySystemAccess = b.keySystemAccess;
  505. }
  506. return res;
  507. }
  508. };
  509. const StreamUtils = shaka.util.StreamUtils;
  510. /** @type {?MediaCapabilitiesDecodingInfo} */
  511. let finalResult = null;
  512. const promises = [];
  513. for (const decodingConfig of decodingConfigs) {
  514. const cacheKey =
  515. StreamUtils.alphabeticalKeyOrderStringify_(decodingConfig);
  516. const cache = StreamUtils.decodingConfigCache_;
  517. if (cache[cacheKey]) {
  518. shaka.log.v2('Using cached results of mediaCapabilities.decodingInfo',
  519. 'for key', cacheKey);
  520. finalResult = merge(finalResult, cache[cacheKey]);
  521. } else {
  522. // Do a final pass-over of the decoding config: if a given stream has
  523. // multiple codecs, that suggests that it switches between those codecs
  524. // at points of the go-through.
  525. // mediaCapabilities by itself will report "not supported" when you
  526. // put in multiple different codecs, so each has to be checked
  527. // individually. So check each and take the worst result, to determine
  528. // overall variant compatibility.
  529. promises.push(StreamUtils
  530. .checkEachDecodingConfigCombination_(decodingConfig).then((res) => {
  531. /** @type {?MediaCapabilitiesDecodingInfo} */
  532. let acc = null;
  533. for (const result of (res || [])) {
  534. acc = merge(acc, result);
  535. }
  536. if (acc) {
  537. cache[cacheKey] = acc;
  538. finalResult = merge(finalResult, acc);
  539. }
  540. }));
  541. }
  542. }
  543. await Promise.all(promises);
  544. if (finalResult) {
  545. variant.decodingInfos.push(finalResult);
  546. }
  547. }
  548. /**
  549. * @param {!MediaDecodingConfiguration} decodingConfig
  550. * @return {!Promise.<?Array.<!MediaCapabilitiesDecodingInfo>>}
  551. * @private
  552. */
  553. static checkEachDecodingConfigCombination_(decodingConfig) {
  554. let videoCodecs = [''];
  555. if (decodingConfig.video) {
  556. videoCodecs = shaka.util.MimeUtils.getCodecs(
  557. decodingConfig.video.contentType).split(',');
  558. }
  559. let audioCodecs = [''];
  560. if (decodingConfig.audio) {
  561. audioCodecs = shaka.util.MimeUtils.getCodecs(
  562. decodingConfig.audio.contentType).split(',');
  563. }
  564. const promises = [];
  565. for (const videoCodec of videoCodecs) {
  566. for (const audioCodec of audioCodecs) {
  567. const copy = shaka.util.ObjectUtils.cloneObject(decodingConfig);
  568. if (decodingConfig.video) {
  569. const mimeType = shaka.util.MimeUtils.getBasicType(
  570. copy.video.contentType);
  571. copy.video.contentType = shaka.util.MimeUtils.getFullType(
  572. mimeType, videoCodec);
  573. }
  574. if (decodingConfig.audio) {
  575. const mimeType = shaka.util.MimeUtils.getBasicType(
  576. copy.audio.contentType);
  577. copy.audio.contentType = shaka.util.MimeUtils.getFullType(
  578. mimeType, audioCodec);
  579. }
  580. promises.push(new Promise((resolve, reject) => {
  581. navigator.mediaCapabilities.decodingInfo(copy).then((res) => {
  582. resolve(res);
  583. }).catch(reject);
  584. }));
  585. }
  586. }
  587. return Promise.all(promises).catch((e) => {
  588. shaka.log.info('MediaCapabilities.decodingInfo() failed.',
  589. JSON.stringify(decodingConfig), e);
  590. return null;
  591. });
  592. }
  593. /**
  594. * Get the decodingInfo results of the variants via MediaCapabilities.
  595. * This should be called after the DrmEngine is created and configured, and
  596. * before DrmEngine sets the mediaKeys.
  597. *
  598. * @param {!Array.<shaka.extern.Variant>} variants
  599. * @param {boolean} usePersistentLicenses
  600. * @param {boolean} srcEquals
  601. * @param {!Array<string>} preferredKeySystems
  602. * @exportDoc
  603. */
  604. static async getDecodingInfosForVariants(variants, usePersistentLicenses,
  605. srcEquals, preferredKeySystems) {
  606. const gotDecodingInfo = variants.some((variant) =>
  607. variant.decodingInfos.length);
  608. if (gotDecodingInfo) {
  609. shaka.log.debug('Already got the variants\' decodingInfo.');
  610. return;
  611. }
  612. // Try to get preferred key systems first to avoid unneeded calls to CDM.
  613. for (const preferredKeySystem of preferredKeySystems) {
  614. let keySystemSatisfied = false;
  615. for (const variant of variants) {
  616. /** @type {!Array.<!Array.<!MediaDecodingConfiguration>>} */
  617. const decodingConfigs = shaka.util.StreamUtils.getDecodingConfigs_(
  618. variant, usePersistentLicenses, srcEquals)
  619. .filter((configs) => {
  620. // All configs in a batch will have the same keySystem.
  621. const config = configs[0];
  622. const keySystem = config.keySystemConfiguration &&
  623. config.keySystemConfiguration.keySystem;
  624. return keySystem === preferredKeySystem;
  625. });
  626. // The reason we are performing this await in a loop rather than
  627. // batching into a `promise.all` is performance related.
  628. // https://github.com/shaka-project/shaka-player/pull/4708#discussion_r1022581178
  629. for (const configs of decodingConfigs) {
  630. // eslint-disable-next-line no-await-in-loop
  631. await shaka.util.StreamUtils.getDecodingInfosForVariant_(
  632. variant, configs);
  633. }
  634. if (variant.decodingInfos.length) {
  635. keySystemSatisfied = true;
  636. }
  637. } // for (const variant of variants)
  638. if (keySystemSatisfied) {
  639. // Return if any preferred key system is already satisfied.
  640. return;
  641. }
  642. } // for (const preferredKeySystem of preferredKeySystems)
  643. for (const variant of variants) {
  644. /** @type {!Array.<!Array.<!MediaDecodingConfiguration>>} */
  645. const decodingConfigs = shaka.util.StreamUtils.getDecodingConfigs_(
  646. variant, usePersistentLicenses, srcEquals)
  647. .filter((configs) => {
  648. // All configs in a batch will have the same keySystem.
  649. const config = configs[0];
  650. const keySystem = config.keySystemConfiguration &&
  651. config.keySystemConfiguration.keySystem;
  652. // Avoid checking preferred systems twice.
  653. return !keySystem || !preferredKeySystems.includes(keySystem);
  654. });
  655. // The reason we are performing this await in a loop rather than
  656. // batching into a `promise.all` is performance related.
  657. // https://github.com/shaka-project/shaka-player/pull/4708#discussion_r1022581178
  658. for (const configs of decodingConfigs) {
  659. // eslint-disable-next-line no-await-in-loop
  660. await shaka.util.StreamUtils.getDecodingInfosForVariant_(
  661. variant, configs);
  662. }
  663. }
  664. }
  665. /**
  666. * Generate a batch of MediaDecodingConfiguration objects to get the
  667. * decodingInfo results for each variant.
  668. * Each batch shares the same DRM information, and represents the various
  669. * fullMimeType combinations of the streams.
  670. * @param {!shaka.extern.Variant} variant
  671. * @param {boolean} usePersistentLicenses
  672. * @param {boolean} srcEquals
  673. * @return {!Array.<!Array.<!MediaDecodingConfiguration>>}
  674. * @private
  675. */
  676. static getDecodingConfigs_(variant, usePersistentLicenses, srcEquals) {
  677. const audio = variant.audio;
  678. const video = variant.video;
  679. const ContentType = shaka.util.ManifestParserUtils.ContentType;
  680. const ManifestParserUtils = shaka.util.ManifestParserUtils;
  681. const MimeUtils = shaka.util.MimeUtils;
  682. const StreamUtils = shaka.util.StreamUtils;
  683. const videoConfigs = [];
  684. const audioConfigs = [];
  685. if (video) {
  686. for (const fullMimeType of video.fullMimeTypes) {
  687. let videoCodecs = MimeUtils.getCodecs(fullMimeType);
  688. // For multiplexed streams with audio+video codecs, the config should
  689. // have AudioConfiguration and VideoConfiguration.
  690. // We ignore the multiplexed audio when there is normal audio also.
  691. if (videoCodecs.includes(',') && !audio) {
  692. const allCodecs = videoCodecs.split(',');
  693. const baseMimeType = MimeUtils.getBasicType(fullMimeType);
  694. videoCodecs = ManifestParserUtils.guessCodecs(
  695. ContentType.VIDEO, allCodecs);
  696. let audioCodecs = ManifestParserUtils.guessCodecs(
  697. ContentType.AUDIO, allCodecs);
  698. audioCodecs = StreamUtils.getCorrectAudioCodecs(
  699. audioCodecs, baseMimeType);
  700. const audioFullType = MimeUtils.getFullOrConvertedType(
  701. baseMimeType, audioCodecs, ContentType.AUDIO);
  702. audioConfigs.push({
  703. contentType: audioFullType,
  704. channels: 2,
  705. bitrate: variant.bandwidth || 1,
  706. samplerate: 1,
  707. spatialRendering: false,
  708. });
  709. }
  710. videoCodecs = StreamUtils.getCorrectVideoCodecs(videoCodecs);
  711. const fullType = MimeUtils.getFullOrConvertedType(
  712. MimeUtils.getBasicType(fullMimeType), videoCodecs,
  713. ContentType.VIDEO);
  714. // VideoConfiguration
  715. const videoConfig = {
  716. contentType: fullType,
  717. // NOTE: Some decoders strictly check the width and height fields and
  718. // won't decode smaller than 64x64. So if we don't have this info (as
  719. // is the case in some of our simpler tests), assume a 64x64
  720. // resolution to fill in this required field for MediaCapabilities.
  721. //
  722. // This became an issue specifically on Firefox on M1 Macs.
  723. width: video.width || 64,
  724. height: video.height || 64,
  725. bitrate: video.bandwidth || variant.bandwidth || 1,
  726. // framerate must be greater than 0, otherwise the config is invalid.
  727. framerate: video.frameRate || 1,
  728. };
  729. if (video.hdr) {
  730. switch (video.hdr) {
  731. case 'SDR':
  732. videoConfig.transferFunction = 'srgb';
  733. break;
  734. case 'PQ':
  735. videoConfig.transferFunction = 'pq';
  736. break;
  737. case 'HLG':
  738. videoConfig.transferFunction = 'hlg';
  739. break;
  740. }
  741. }
  742. if (video.colorGamut) {
  743. videoConfig.colorGamut = video.colorGamut;
  744. }
  745. videoConfigs.push(videoConfig);
  746. }
  747. }
  748. if (audio) {
  749. for (const fullMimeType of audio.fullMimeTypes) {
  750. const baseMimeType = MimeUtils.getBasicType(fullMimeType);
  751. const codecs = StreamUtils.getCorrectAudioCodecs(
  752. MimeUtils.getCodecs(fullMimeType), baseMimeType);
  753. const fullType = MimeUtils.getFullOrConvertedType(
  754. baseMimeType, codecs, ContentType.AUDIO);
  755. // AudioConfiguration
  756. audioConfigs.push({
  757. contentType: fullType,
  758. channels: audio.channelsCount || 2,
  759. bitrate: audio.bandwidth || variant.bandwidth || 1,
  760. samplerate: audio.audioSamplingRate || 1,
  761. spatialRendering: audio.spatialAudio,
  762. });
  763. }
  764. }
  765. // Generate each combination of video and audio config as a separate
  766. // MediaDecodingConfiguration, inside the main "batch".
  767. /** @type {!Array.<!MediaDecodingConfiguration>} */
  768. const mediaDecodingConfigBatch = [];
  769. if (videoConfigs.length == 0) {
  770. videoConfigs.push(null);
  771. }
  772. if (audioConfigs.length == 0) {
  773. audioConfigs.push(null);
  774. }
  775. for (const videoConfig of videoConfigs) {
  776. for (const audioConfig of audioConfigs) {
  777. /** @type {!MediaDecodingConfiguration} */
  778. const mediaDecodingConfig = {
  779. type: srcEquals ? 'file' : 'media-source',
  780. };
  781. if (videoConfig) {
  782. mediaDecodingConfig.video = videoConfig;
  783. }
  784. if (audioConfig) {
  785. mediaDecodingConfig.audio = audioConfig;
  786. }
  787. mediaDecodingConfigBatch.push(mediaDecodingConfig);
  788. }
  789. }
  790. const videoDrmInfos = variant.video ? variant.video.drmInfos : [];
  791. const audioDrmInfos = variant.audio ? variant.audio.drmInfos : [];
  792. const allDrmInfos = videoDrmInfos.concat(audioDrmInfos);
  793. // Return a list containing the mediaDecodingConfig for unencrypted variant.
  794. if (!allDrmInfos.length) {
  795. return [mediaDecodingConfigBatch];
  796. }
  797. // A list of MediaDecodingConfiguration objects created for the variant.
  798. const configs = [];
  799. // Get all the drm info so that we can avoid using nested loops when we
  800. // just need the drm info.
  801. const drmInfoByKeySystems = new Map();
  802. for (const info of allDrmInfos) {
  803. if (!drmInfoByKeySystems.get(info.keySystem)) {
  804. drmInfoByKeySystems.set(info.keySystem, []);
  805. }
  806. drmInfoByKeySystems.get(info.keySystem).push(info);
  807. }
  808. const persistentState =
  809. usePersistentLicenses ? 'required' : 'optional';
  810. const sessionTypes =
  811. usePersistentLicenses ? ['persistent-license'] : ['temporary'];
  812. for (const keySystem of drmInfoByKeySystems.keys()) {
  813. const modifiedMediaDecodingConfigBatch = [];
  814. for (const base of mediaDecodingConfigBatch) {
  815. // Create a copy of the mediaDecodingConfig.
  816. const config = /** @type {!MediaDecodingConfiguration} */
  817. (Object.assign({}, base));
  818. const drmInfos = drmInfoByKeySystems.get(keySystem);
  819. /** @type {!MediaCapabilitiesKeySystemConfiguration} */
  820. const keySystemConfig = {
  821. keySystem: keySystem,
  822. initDataType: 'cenc',
  823. persistentState: persistentState,
  824. distinctiveIdentifier: 'optional',
  825. sessionTypes: sessionTypes,
  826. };
  827. for (const info of drmInfos) {
  828. if (info.initData && info.initData.length) {
  829. const initDataTypes = new Set();
  830. for (const initData of info.initData) {
  831. initDataTypes.add(initData.initDataType);
  832. }
  833. if (initDataTypes.size > 1) {
  834. shaka.log.v2('DrmInfo contains more than one initDataType,',
  835. 'and we use the initDataType of the first initData.',
  836. info);
  837. }
  838. keySystemConfig.initDataType = info.initData[0].initDataType;
  839. }
  840. if (info.distinctiveIdentifierRequired) {
  841. keySystemConfig.distinctiveIdentifier = 'required';
  842. }
  843. if (info.persistentStateRequired) {
  844. keySystemConfig.persistentState = 'required';
  845. }
  846. if (info.sessionType) {
  847. keySystemConfig.sessionTypes = [info.sessionType];
  848. }
  849. if (audio) {
  850. if (!keySystemConfig.audio) {
  851. // KeySystemTrackConfiguration
  852. keySystemConfig.audio = {
  853. encryptionScheme: info.encryptionScheme,
  854. robustness: info.audioRobustness,
  855. };
  856. } else {
  857. keySystemConfig.audio.encryptionScheme =
  858. keySystemConfig.audio.encryptionScheme ||
  859. info.encryptionScheme;
  860. keySystemConfig.audio.robustness =
  861. keySystemConfig.audio.robustness ||
  862. info.audioRobustness;
  863. }
  864. // See: https://github.com/shaka-project/shaka-player/issues/4659
  865. if (keySystemConfig.audio.robustness == '') {
  866. delete keySystemConfig.audio.robustness;
  867. }
  868. }
  869. if (video) {
  870. if (!keySystemConfig.video) {
  871. // KeySystemTrackConfiguration
  872. keySystemConfig.video = {
  873. encryptionScheme: info.encryptionScheme,
  874. robustness: info.videoRobustness,
  875. };
  876. } else {
  877. keySystemConfig.video.encryptionScheme =
  878. keySystemConfig.video.encryptionScheme ||
  879. info.encryptionScheme;
  880. keySystemConfig.video.robustness =
  881. keySystemConfig.video.robustness ||
  882. info.videoRobustness;
  883. }
  884. // See: https://github.com/shaka-project/shaka-player/issues/4659
  885. if (keySystemConfig.video.robustness == '') {
  886. delete keySystemConfig.video.robustness;
  887. }
  888. }
  889. }
  890. config.keySystemConfiguration = keySystemConfig;
  891. modifiedMediaDecodingConfigBatch.push(config);
  892. }
  893. configs.push(modifiedMediaDecodingConfigBatch);
  894. }
  895. return configs;
  896. }
  897. /**
  898. * Generates the correct audio codec for MediaDecodingConfiguration and
  899. * for MediaSource.isTypeSupported.
  900. * @param {string} codecs
  901. * @param {string} mimeType
  902. * @return {string}
  903. */
  904. static getCorrectAudioCodecs(codecs, mimeType) {
  905. // According to RFC 6381 section 3.3, 'fLaC' is actually the correct
  906. // codec string. We still need to map it to 'flac', as some browsers
  907. // currently don't support 'fLaC', while 'flac' is supported by most
  908. // major browsers.
  909. // See https://bugs.chromium.org/p/chromium/issues/detail?id=1422728
  910. if (codecs.toLowerCase() == 'flac') {
  911. if (!shaka.util.Platform.isSafari()) {
  912. return 'flac';
  913. } else {
  914. return 'fLaC';
  915. }
  916. }
  917. // The same is true for 'Opus'.
  918. if (codecs.toLowerCase() === 'opus') {
  919. if (!shaka.util.Platform.isSafari()) {
  920. return 'opus';
  921. } else {
  922. if (shaka.util.MimeUtils.getContainerType(mimeType) == 'mp4') {
  923. return 'Opus';
  924. } else {
  925. return 'opus';
  926. }
  927. }
  928. }
  929. return codecs;
  930. }
  931. /**
  932. * Generates the correct video codec for MediaDecodingConfiguration and
  933. * for MediaSource.isTypeSupported.
  934. * @param {string} codec
  935. * @return {string}
  936. */
  937. static getCorrectVideoCodecs(codec) {
  938. if (codec.includes('avc1')) {
  939. // Convert avc1 codec string from RFC-4281 to RFC-6381 for
  940. // MediaSource.isTypeSupported
  941. // Example, convert avc1.66.30 to avc1.42001e (0x42 == 66 and 0x1e == 30)
  942. const avcdata = codec.split('.');
  943. if (avcdata.length == 3) {
  944. let result = avcdata.shift() + '.';
  945. result += parseInt(avcdata.shift(), 10).toString(16);
  946. result +=
  947. ('000' + parseInt(avcdata.shift(), 10).toString(16)).slice(-4);
  948. return result;
  949. }
  950. } else if (codec == 'vp9') {
  951. // MediaCapabilities supports 'vp09...' codecs, but not 'vp9'. Translate
  952. // vp9 codec strings into 'vp09...', to allow such content to play with
  953. // mediaCapabilities enabled.
  954. // This means profile 0, level 4.1, 8-bit color. This supports 1080p @
  955. // 60Hz. See https://en.wikipedia.org/wiki/VP9#Levels
  956. //
  957. // If we don't have more detailed codec info, assume this profile and
  958. // level because it's high enough to likely accommodate the parameters we
  959. // do have, such as width and height. If an implementation is checking
  960. // the profile and level very strictly, we want older VP9 content to
  961. // still work to some degree. But we don't want to set a level so high
  962. // that it is rejected by a hardware decoder that can't handle the
  963. // maximum requirements of the level.
  964. //
  965. // This became an issue specifically on Firefox on M1 Macs.
  966. return 'vp09.00.41.08';
  967. }
  968. return codec;
  969. }
  970. /**
  971. * Alters the given Manifest to filter out any streams uncompatible with the
  972. * current variant.
  973. *
  974. * @param {?shaka.extern.Variant} currentVariant
  975. * @param {shaka.extern.Manifest} manifest
  976. */
  977. static filterManifestByCurrentVariant(currentVariant, manifest) {
  978. const StreamUtils = shaka.util.StreamUtils;
  979. manifest.variants = manifest.variants.filter((variant) => {
  980. const audio = variant.audio;
  981. const video = variant.video;
  982. if (audio && currentVariant && currentVariant.audio) {
  983. if (!StreamUtils.areStreamsCompatible_(audio, currentVariant.audio)) {
  984. shaka.log.debug('Dropping variant - not compatible with active audio',
  985. 'active audio',
  986. StreamUtils.getStreamSummaryString_(currentVariant.audio),
  987. 'variant.audio',
  988. StreamUtils.getStreamSummaryString_(audio));
  989. return false;
  990. }
  991. }
  992. if (video && currentVariant && currentVariant.video) {
  993. if (!StreamUtils.areStreamsCompatible_(video, currentVariant.video)) {
  994. shaka.log.debug('Dropping variant - not compatible with active video',
  995. 'active video',
  996. StreamUtils.getStreamSummaryString_(currentVariant.video),
  997. 'variant.video',
  998. StreamUtils.getStreamSummaryString_(video));
  999. return false;
  1000. }
  1001. }
  1002. return true;
  1003. });
  1004. }
  1005. /**
  1006. * Alters the given Manifest to filter out any unsupported text streams.
  1007. *
  1008. * @param {shaka.extern.Manifest} manifest
  1009. * @private
  1010. */
  1011. static filterTextStreams_(manifest) {
  1012. // Filter text streams.
  1013. manifest.textStreams = manifest.textStreams.filter((stream) => {
  1014. const fullMimeType = shaka.util.MimeUtils.getFullType(
  1015. stream.mimeType, stream.codecs);
  1016. const keep = shaka.text.TextEngine.isTypeSupported(fullMimeType);
  1017. if (!keep) {
  1018. shaka.log.debug('Dropping text stream. Is not supported by the ' +
  1019. 'platform.', stream);
  1020. }
  1021. return keep;
  1022. });
  1023. }
  1024. /**
  1025. * Alters the given Manifest to filter out any unsupported image streams.
  1026. *
  1027. * @param {shaka.extern.Manifest} manifest
  1028. * @private
  1029. */
  1030. static async filterImageStreams_(manifest) {
  1031. const imageStreams = [];
  1032. for (const stream of manifest.imageStreams) {
  1033. let mimeType = stream.mimeType;
  1034. if (mimeType == 'application/mp4' && stream.codecs == 'mjpg') {
  1035. mimeType = 'image/jpg';
  1036. }
  1037. if (!shaka.util.StreamUtils.supportedImageMimeTypes_.has(mimeType)) {
  1038. const minImage = shaka.util.StreamUtils.minImage_.get(mimeType);
  1039. if (minImage) {
  1040. // eslint-disable-next-line no-await-in-loop
  1041. const res = await shaka.util.StreamUtils.isImageSupported_(minImage);
  1042. shaka.util.StreamUtils.supportedImageMimeTypes_.set(mimeType, res);
  1043. } else {
  1044. shaka.util.StreamUtils.supportedImageMimeTypes_.set(mimeType, false);
  1045. }
  1046. }
  1047. const keep =
  1048. shaka.util.StreamUtils.supportedImageMimeTypes_.get(mimeType);
  1049. if (!keep) {
  1050. shaka.log.debug('Dropping image stream. Is not supported by the ' +
  1051. 'platform.', stream);
  1052. } else {
  1053. imageStreams.push(stream);
  1054. }
  1055. }
  1056. manifest.imageStreams = imageStreams;
  1057. }
  1058. /**
  1059. * @param {string} minImage
  1060. * @return {!Promise.<boolean>}
  1061. * @private
  1062. */
  1063. static isImageSupported_(minImage) {
  1064. return new Promise((resolve) => {
  1065. const imageElement = /** @type {HTMLImageElement} */(new Image());
  1066. imageElement.src = minImage;
  1067. if ('decode' in imageElement) {
  1068. imageElement.decode().then(() => {
  1069. resolve(true);
  1070. }).catch(() => {
  1071. resolve(false);
  1072. });
  1073. } else {
  1074. imageElement.onload = imageElement.onerror = () => {
  1075. resolve(imageElement.height === 2);
  1076. };
  1077. }
  1078. });
  1079. }
  1080. /**
  1081. * @param {shaka.extern.Stream} s0
  1082. * @param {shaka.extern.Stream} s1
  1083. * @return {boolean}
  1084. * @private
  1085. */
  1086. static areStreamsCompatible_(s0, s1) {
  1087. // Basic mime types and basic codecs need to match.
  1088. // For example, we can't adapt between WebM and MP4,
  1089. // nor can we adapt between mp4a.* to ec-3.
  1090. // We can switch between text types on the fly,
  1091. // so don't run this check on text.
  1092. if (s0.mimeType != s1.mimeType) {
  1093. return false;
  1094. }
  1095. if (s0.codecs.split('.')[0] != s1.codecs.split('.')[0]) {
  1096. return false;
  1097. }
  1098. return true;
  1099. }
  1100. /**
  1101. * @param {shaka.extern.Variant} variant
  1102. * @return {shaka.extern.Track}
  1103. */
  1104. static variantToTrack(variant) {
  1105. /** @type {?shaka.extern.Stream} */
  1106. const audio = variant.audio;
  1107. /** @type {?shaka.extern.Stream} */
  1108. const video = variant.video;
  1109. /** @type {?string} */
  1110. const audioMimeType = audio ? audio.mimeType : null;
  1111. /** @type {?string} */
  1112. const videoMimeType = video ? video.mimeType : null;
  1113. /** @type {?string} */
  1114. const audioCodec = audio ? audio.codecs : null;
  1115. /** @type {?string} */
  1116. const videoCodec = video ? video.codecs : null;
  1117. /** @type {!Array.<string>} */
  1118. const codecs = [];
  1119. if (videoCodec) {
  1120. codecs.push(videoCodec);
  1121. }
  1122. if (audioCodec) {
  1123. codecs.push(audioCodec);
  1124. }
  1125. /** @type {!Array.<string>} */
  1126. const mimeTypes = [];
  1127. if (video) {
  1128. mimeTypes.push(video.mimeType);
  1129. }
  1130. if (audio) {
  1131. mimeTypes.push(audio.mimeType);
  1132. }
  1133. /** @type {?string} */
  1134. const mimeType = mimeTypes[0] || null;
  1135. /** @type {!Array.<string>} */
  1136. const kinds = [];
  1137. if (audio) {
  1138. kinds.push(audio.kind);
  1139. }
  1140. if (video) {
  1141. kinds.push(video.kind);
  1142. }
  1143. /** @type {?string} */
  1144. const kind = kinds[0] || null;
  1145. /** @type {!Set.<string>} */
  1146. const roles = new Set();
  1147. if (audio) {
  1148. for (const role of audio.roles) {
  1149. roles.add(role);
  1150. }
  1151. }
  1152. if (video) {
  1153. for (const role of video.roles) {
  1154. roles.add(role);
  1155. }
  1156. }
  1157. /** @type {shaka.extern.Track} */
  1158. const track = {
  1159. id: variant.id,
  1160. active: false,
  1161. type: 'variant',
  1162. bandwidth: variant.bandwidth,
  1163. language: variant.language,
  1164. label: null,
  1165. kind: kind,
  1166. width: null,
  1167. height: null,
  1168. frameRate: null,
  1169. pixelAspectRatio: null,
  1170. hdr: null,
  1171. colorGamut: null,
  1172. videoLayout: null,
  1173. mimeType: mimeType,
  1174. audioMimeType: audioMimeType,
  1175. videoMimeType: videoMimeType,
  1176. codecs: codecs.join(', '),
  1177. audioCodec: audioCodec,
  1178. videoCodec: videoCodec,
  1179. primary: variant.primary,
  1180. roles: Array.from(roles),
  1181. audioRoles: null,
  1182. forced: false,
  1183. videoId: null,
  1184. audioId: null,
  1185. channelsCount: null,
  1186. audioSamplingRate: null,
  1187. spatialAudio: false,
  1188. tilesLayout: null,
  1189. audioBandwidth: null,
  1190. videoBandwidth: null,
  1191. originalVideoId: null,
  1192. originalAudioId: null,
  1193. originalTextId: null,
  1194. originalImageId: null,
  1195. accessibilityPurpose: null,
  1196. originalLanguage: null,
  1197. };
  1198. if (video) {
  1199. track.videoId = video.id;
  1200. track.originalVideoId = video.originalId;
  1201. track.width = video.width || null;
  1202. track.height = video.height || null;
  1203. track.frameRate = video.frameRate || null;
  1204. track.pixelAspectRatio = video.pixelAspectRatio || null;
  1205. track.videoBandwidth = video.bandwidth || null;
  1206. track.hdr = video.hdr || null;
  1207. track.colorGamut = video.colorGamut || null;
  1208. track.videoLayout = video.videoLayout || null;
  1209. }
  1210. if (audio) {
  1211. track.audioId = audio.id;
  1212. track.originalAudioId = audio.originalId;
  1213. track.channelsCount = audio.channelsCount;
  1214. track.audioSamplingRate = audio.audioSamplingRate;
  1215. track.audioBandwidth = audio.bandwidth || null;
  1216. track.spatialAudio = audio.spatialAudio;
  1217. track.label = audio.label;
  1218. track.audioRoles = audio.roles;
  1219. track.accessibilityPurpose = audio.accessibilityPurpose;
  1220. track.originalLanguage = audio.originalLanguage;
  1221. }
  1222. return track;
  1223. }
  1224. /**
  1225. * @param {shaka.extern.Stream} stream
  1226. * @return {shaka.extern.Track}
  1227. */
  1228. static textStreamToTrack(stream) {
  1229. const ContentType = shaka.util.ManifestParserUtils.ContentType;
  1230. /** @type {shaka.extern.Track} */
  1231. const track = {
  1232. id: stream.id,
  1233. active: false,
  1234. type: ContentType.TEXT,
  1235. bandwidth: 0,
  1236. language: stream.language,
  1237. label: stream.label,
  1238. kind: stream.kind || null,
  1239. width: null,
  1240. height: null,
  1241. frameRate: null,
  1242. pixelAspectRatio: null,
  1243. hdr: null,
  1244. colorGamut: null,
  1245. videoLayout: null,
  1246. mimeType: stream.mimeType,
  1247. audioMimeType: null,
  1248. videoMimeType: null,
  1249. codecs: stream.codecs || null,
  1250. audioCodec: null,
  1251. videoCodec: null,
  1252. primary: stream.primary,
  1253. roles: stream.roles,
  1254. audioRoles: null,
  1255. forced: stream.forced,
  1256. videoId: null,
  1257. audioId: null,
  1258. channelsCount: null,
  1259. audioSamplingRate: null,
  1260. spatialAudio: false,
  1261. tilesLayout: null,
  1262. audioBandwidth: null,
  1263. videoBandwidth: null,
  1264. originalVideoId: null,
  1265. originalAudioId: null,
  1266. originalTextId: stream.originalId,
  1267. originalImageId: null,
  1268. accessibilityPurpose: stream.accessibilityPurpose,
  1269. originalLanguage: stream.originalLanguage,
  1270. };
  1271. return track;
  1272. }
  1273. /**
  1274. * @param {shaka.extern.Stream} stream
  1275. * @return {shaka.extern.Track}
  1276. */
  1277. static imageStreamToTrack(stream) {
  1278. const ContentType = shaka.util.ManifestParserUtils.ContentType;
  1279. let width = stream.width || null;
  1280. let height = stream.height || null;
  1281. // The stream width and height represent the size of the entire thumbnail
  1282. // sheet, so divide by the layout.
  1283. let reference = null;
  1284. // Note: segmentIndex is built by default for HLS, but not for DASH, but
  1285. // in DASH this information comes at the stream level and not at the
  1286. // segment level.
  1287. if (stream.segmentIndex) {
  1288. reference = stream.segmentIndex.get(0);
  1289. }
  1290. let layout = stream.tilesLayout;
  1291. if (reference) {
  1292. layout = reference.getTilesLayout() || layout;
  1293. }
  1294. if (layout && width != null) {
  1295. width /= Number(layout.split('x')[0]);
  1296. }
  1297. if (layout && height != null) {
  1298. height /= Number(layout.split('x')[1]);
  1299. }
  1300. // TODO: What happens if there are multiple grids, with different
  1301. // layout sizes, inside this image stream?
  1302. /** @type {shaka.extern.Track} */
  1303. const track = {
  1304. id: stream.id,
  1305. active: false,
  1306. type: ContentType.IMAGE,
  1307. bandwidth: stream.bandwidth || 0,
  1308. language: '',
  1309. label: null,
  1310. kind: null,
  1311. width,
  1312. height,
  1313. frameRate: null,
  1314. pixelAspectRatio: null,
  1315. hdr: null,
  1316. colorGamut: null,
  1317. videoLayout: null,
  1318. mimeType: stream.mimeType,
  1319. audioMimeType: null,
  1320. videoMimeType: null,
  1321. codecs: stream.codecs || null,
  1322. audioCodec: null,
  1323. videoCodec: null,
  1324. primary: false,
  1325. roles: [],
  1326. audioRoles: null,
  1327. forced: false,
  1328. videoId: null,
  1329. audioId: null,
  1330. channelsCount: null,
  1331. audioSamplingRate: null,
  1332. spatialAudio: false,
  1333. tilesLayout: layout || null,
  1334. audioBandwidth: null,
  1335. videoBandwidth: null,
  1336. originalVideoId: null,
  1337. originalAudioId: null,
  1338. originalTextId: null,
  1339. originalImageId: stream.originalId,
  1340. accessibilityPurpose: null,
  1341. originalLanguage: null,
  1342. };
  1343. return track;
  1344. }
  1345. /**
  1346. * Generate and return an ID for this track, since the ID field is optional.
  1347. *
  1348. * @param {TextTrack|AudioTrack} html5Track
  1349. * @return {number} The generated ID.
  1350. */
  1351. static html5TrackId(html5Track) {
  1352. if (!html5Track['__shaka_id']) {
  1353. html5Track['__shaka_id'] = shaka.util.StreamUtils.nextTrackId_++;
  1354. }
  1355. return html5Track['__shaka_id'];
  1356. }
  1357. /**
  1358. * @param {TextTrack} textTrack
  1359. * @return {shaka.extern.Track}
  1360. */
  1361. static html5TextTrackToTrack(textTrack) {
  1362. const StreamUtils = shaka.util.StreamUtils;
  1363. /** @type {shaka.extern.Track} */
  1364. const track = StreamUtils.html5TrackToGenericShakaTrack_(textTrack);
  1365. track.active = textTrack.mode != 'disabled';
  1366. track.type = 'text';
  1367. track.originalTextId = textTrack.id;
  1368. if (textTrack.kind == 'captions') {
  1369. // See: https://github.com/shaka-project/shaka-player/issues/6233
  1370. track.mimeType = 'unknown';
  1371. }
  1372. if (textTrack.kind == 'subtitles') {
  1373. track.mimeType = 'text/vtt';
  1374. }
  1375. if (textTrack.kind) {
  1376. track.roles = [textTrack.kind];
  1377. }
  1378. if (textTrack.kind == 'forced') {
  1379. track.forced = true;
  1380. }
  1381. return track;
  1382. }
  1383. /**
  1384. * @param {AudioTrack} audioTrack
  1385. * @return {shaka.extern.Track}
  1386. */
  1387. static html5AudioTrackToTrack(audioTrack) {
  1388. const StreamUtils = shaka.util.StreamUtils;
  1389. /** @type {shaka.extern.Track} */
  1390. const track = StreamUtils.html5TrackToGenericShakaTrack_(audioTrack);
  1391. track.active = audioTrack.enabled;
  1392. track.type = 'variant';
  1393. track.originalAudioId = audioTrack.id;
  1394. if (audioTrack.kind == 'main') {
  1395. track.primary = true;
  1396. }
  1397. if (audioTrack.kind) {
  1398. track.roles = [audioTrack.kind];
  1399. track.audioRoles = [audioTrack.kind];
  1400. track.label = audioTrack.label;
  1401. }
  1402. return track;
  1403. }
  1404. /**
  1405. * Creates a Track object with non-type specific fields filled out. The
  1406. * caller is responsible for completing the Track object with any
  1407. * type-specific information (audio or text).
  1408. *
  1409. * @param {TextTrack|AudioTrack} html5Track
  1410. * @return {shaka.extern.Track}
  1411. * @private
  1412. */
  1413. static html5TrackToGenericShakaTrack_(html5Track) {
  1414. const language = html5Track.language;
  1415. /** @type {shaka.extern.Track} */
  1416. const track = {
  1417. id: shaka.util.StreamUtils.html5TrackId(html5Track),
  1418. active: false,
  1419. type: '',
  1420. bandwidth: 0,
  1421. language: shaka.util.LanguageUtils.normalize(language || 'und'),
  1422. label: html5Track.label,
  1423. kind: html5Track.kind,
  1424. width: null,
  1425. height: null,
  1426. frameRate: null,
  1427. pixelAspectRatio: null,
  1428. hdr: null,
  1429. colorGamut: null,
  1430. videoLayout: null,
  1431. mimeType: null,
  1432. audioMimeType: null,
  1433. videoMimeType: null,
  1434. codecs: null,
  1435. audioCodec: null,
  1436. videoCodec: null,
  1437. primary: false,
  1438. roles: [],
  1439. forced: false,
  1440. audioRoles: null,
  1441. videoId: null,
  1442. audioId: null,
  1443. channelsCount: null,
  1444. audioSamplingRate: null,
  1445. spatialAudio: false,
  1446. tilesLayout: null,
  1447. audioBandwidth: null,
  1448. videoBandwidth: null,
  1449. originalVideoId: null,
  1450. originalAudioId: null,
  1451. originalTextId: null,
  1452. originalImageId: null,
  1453. accessibilityPurpose: null,
  1454. originalLanguage: language,
  1455. };
  1456. return track;
  1457. }
  1458. /**
  1459. * Determines if the given variant is playable.
  1460. * @param {!shaka.extern.Variant} variant
  1461. * @return {boolean}
  1462. */
  1463. static isPlayable(variant) {
  1464. return variant.allowedByApplication &&
  1465. variant.allowedByKeySystem &&
  1466. variant.disabledUntilTime == 0;
  1467. }
  1468. /**
  1469. * Filters out unplayable variants.
  1470. * @param {!Array.<!shaka.extern.Variant>} variants
  1471. * @return {!Array.<!shaka.extern.Variant>}
  1472. */
  1473. static getPlayableVariants(variants) {
  1474. return variants.filter((variant) => {
  1475. return shaka.util.StreamUtils.isPlayable(variant);
  1476. });
  1477. }
  1478. /**
  1479. * Chooses streams according to the given config.
  1480. * Works both for Stream and Track types due to their similarities.
  1481. *
  1482. * @param {!Array<!shaka.extern.Stream>|!Array<!shaka.extern.Track>} streams
  1483. * @param {string} preferredLanguage
  1484. * @param {string} preferredRole
  1485. * @param {boolean} preferredForced
  1486. * @return {!Array<!shaka.extern.Stream>|!Array<!shaka.extern.Track>}
  1487. */
  1488. static filterStreamsByLanguageAndRole(
  1489. streams, preferredLanguage, preferredRole, preferredForced) {
  1490. const LanguageUtils = shaka.util.LanguageUtils;
  1491. /** @type {!Array<!shaka.extern.Stream>|!Array<!shaka.extern.Track>} */
  1492. let chosen = streams;
  1493. // Start with the set of primary streams.
  1494. /** @type {!Array<!shaka.extern.Stream>|!Array<!shaka.extern.Track>} */
  1495. const primary = streams.filter((stream) => {
  1496. return stream.primary;
  1497. });
  1498. if (primary.length) {
  1499. chosen = primary;
  1500. }
  1501. // Now reduce the set to one language. This covers both arbitrary language
  1502. // choice and the reduction of the "primary" stream set to one language.
  1503. const firstLanguage = chosen.length ? chosen[0].language : '';
  1504. chosen = chosen.filter((stream) => {
  1505. return stream.language == firstLanguage;
  1506. });
  1507. // Find the streams that best match our language preference. This will
  1508. // override previous selections.
  1509. if (preferredLanguage) {
  1510. const closestLocale = LanguageUtils.findClosestLocale(
  1511. LanguageUtils.normalize(preferredLanguage),
  1512. streams.map((stream) => stream.language));
  1513. // Only replace |chosen| if we found a locale that is close to our
  1514. // preference.
  1515. if (closestLocale) {
  1516. chosen = streams.filter((stream) => {
  1517. const locale = LanguageUtils.normalize(stream.language);
  1518. return locale == closestLocale;
  1519. });
  1520. }
  1521. }
  1522. // Filter by forced preference
  1523. chosen = chosen.filter((stream) => {
  1524. return stream.forced == preferredForced;
  1525. });
  1526. // Now refine the choice based on role preference.
  1527. if (preferredRole) {
  1528. const roleMatches = shaka.util.StreamUtils.filterStreamsByRole_(
  1529. chosen, preferredRole);
  1530. if (roleMatches.length) {
  1531. return roleMatches;
  1532. } else {
  1533. shaka.log.warning('No exact match for the text role could be found.');
  1534. }
  1535. } else {
  1536. // Prefer text streams with no roles, if they exist.
  1537. const noRoleMatches = chosen.filter((stream) => {
  1538. return stream.roles.length == 0;
  1539. });
  1540. if (noRoleMatches.length) {
  1541. return noRoleMatches;
  1542. }
  1543. }
  1544. // Either there was no role preference, or it could not be satisfied.
  1545. // Choose an arbitrary role, if there are any, and filter out any other
  1546. // roles. This ensures we never adapt between roles.
  1547. const allRoles = chosen.map((stream) => {
  1548. return stream.roles;
  1549. }).reduce(shaka.util.Functional.collapseArrays, []);
  1550. if (!allRoles.length) {
  1551. return chosen;
  1552. }
  1553. return shaka.util.StreamUtils.filterStreamsByRole_(chosen, allRoles[0]);
  1554. }
  1555. /**
  1556. * Filter Streams by role.
  1557. * Works both for Stream and Track types due to their similarities.
  1558. *
  1559. * @param {!Array<!shaka.extern.Stream>|!Array<!shaka.extern.Track>} streams
  1560. * @param {string} preferredRole
  1561. * @return {!Array<!shaka.extern.Stream>|!Array<!shaka.extern.Track>}
  1562. * @private
  1563. */
  1564. static filterStreamsByRole_(streams, preferredRole) {
  1565. return streams.filter((stream) => {
  1566. return stream.roles.includes(preferredRole);
  1567. });
  1568. }
  1569. /**
  1570. * Checks if the given stream is an audio stream.
  1571. *
  1572. * @param {shaka.extern.Stream} stream
  1573. * @return {boolean}
  1574. */
  1575. static isAudio(stream) {
  1576. const ContentType = shaka.util.ManifestParserUtils.ContentType;
  1577. return stream.type == ContentType.AUDIO;
  1578. }
  1579. /**
  1580. * Checks if the given stream is a video stream.
  1581. *
  1582. * @param {shaka.extern.Stream} stream
  1583. * @return {boolean}
  1584. */
  1585. static isVideo(stream) {
  1586. const ContentType = shaka.util.ManifestParserUtils.ContentType;
  1587. return stream.type == ContentType.VIDEO;
  1588. }
  1589. /**
  1590. * Get all non-null streams in the variant as an array.
  1591. *
  1592. * @param {shaka.extern.Variant} variant
  1593. * @return {!Array.<shaka.extern.Stream>}
  1594. */
  1595. static getVariantStreams(variant) {
  1596. const streams = [];
  1597. if (variant.audio) {
  1598. streams.push(variant.audio);
  1599. }
  1600. if (variant.video) {
  1601. streams.push(variant.video);
  1602. }
  1603. return streams;
  1604. }
  1605. /**
  1606. * Indicates if some of the variant's streams are fastSwitching.
  1607. *
  1608. * @param {shaka.extern.Variant} variant
  1609. * @return {boolean}
  1610. */
  1611. static isFastSwitching(variant) {
  1612. if (variant.audio && variant.audio.fastSwitching) {
  1613. return true;
  1614. }
  1615. if (variant.video && variant.video.fastSwitching) {
  1616. return true;
  1617. }
  1618. return false;
  1619. }
  1620. /**
  1621. * Returns a string of a variant, with the attribute values of its audio
  1622. * and/or video streams for log printing.
  1623. * @param {shaka.extern.Variant} variant
  1624. * @return {string}
  1625. * @private
  1626. */
  1627. static getVariantSummaryString_(variant) {
  1628. const summaries = [];
  1629. if (variant.audio) {
  1630. summaries.push(shaka.util.StreamUtils.getStreamSummaryString_(
  1631. variant.audio));
  1632. }
  1633. if (variant.video) {
  1634. summaries.push(shaka.util.StreamUtils.getStreamSummaryString_(
  1635. variant.video));
  1636. }
  1637. return summaries.join(', ');
  1638. }
  1639. /**
  1640. * Returns a string of an audio or video stream for log printing.
  1641. * @param {shaka.extern.Stream} stream
  1642. * @return {string}
  1643. * @private
  1644. */
  1645. static getStreamSummaryString_(stream) {
  1646. // Accepted parameters for Chromecast can be found (internally) at
  1647. // go/cast-mime-params
  1648. if (shaka.util.StreamUtils.isAudio(stream)) {
  1649. return 'type=audio' +
  1650. ' codecs=' + stream.codecs +
  1651. ' bandwidth='+ stream.bandwidth +
  1652. ' channelsCount=' + stream.channelsCount +
  1653. ' audioSamplingRate=' + stream.audioSamplingRate;
  1654. }
  1655. if (shaka.util.StreamUtils.isVideo(stream)) {
  1656. return 'type=video' +
  1657. ' codecs=' + stream.codecs +
  1658. ' bandwidth=' + stream.bandwidth +
  1659. ' frameRate=' + stream.frameRate +
  1660. ' width=' + stream.width +
  1661. ' height=' + stream.height;
  1662. }
  1663. return 'unexpected stream type';
  1664. }
  1665. /**
  1666. * Clears underlying decoding config cache.
  1667. */
  1668. static clearDecodingConfigCache() {
  1669. shaka.util.StreamUtils.decodingConfigCache_ = {};
  1670. }
  1671. };
  1672. /**
  1673. * A cache of results from mediaCapabilities.decodingInfo, indexed by the
  1674. * (stringified) decodingConfig.
  1675. *
  1676. * @type {Object.<(!string), (!MediaCapabilitiesDecodingInfo)>}
  1677. * @private
  1678. */
  1679. shaka.util.StreamUtils.decodingConfigCache_ = {};
  1680. /** @private {number} */
  1681. shaka.util.StreamUtils.nextTrackId_ = 0;
  1682. /**
  1683. * @enum {string}
  1684. */
  1685. shaka.util.StreamUtils.DecodingAttributes = {
  1686. SMOOTH: 'smooth',
  1687. POWER: 'powerEfficient',
  1688. };
  1689. /**
  1690. * @private {!Map.<string, boolean>}
  1691. */
  1692. shaka.util.StreamUtils.supportedImageMimeTypes_ = new Map()
  1693. .set('image/svg+xml', true)
  1694. .set('image/png', true)
  1695. .set('image/jpeg', true)
  1696. .set('image/jpg', true);
  1697. /**
  1698. * @const {string}
  1699. * @private
  1700. */
  1701. shaka.util.StreamUtils.minWebPImage_ = 'data:image/webp;base64,UklGRjoAAABXRU' +
  1702. 'JQVlA4IC4AAACyAgCdASoCAAIALmk0mk0iIiIiIgBoSygABc6WWgAA/veff/0PP8bA//LwY' +
  1703. 'AAA';
  1704. /**
  1705. * @const {string}
  1706. * @private
  1707. */
  1708. shaka.util.StreamUtils.minAvifImage_ = 'data:image/avif;base64,AAAAIGZ0eXBhdm' +
  1709. 'lmAAAAAGF2aWZtaWYxbWlhZk1BMUIAAADybWV0YQAAAAAAAAAoaGRscgAAAAAAAAAAcGljd' +
  1710. 'AAAAAAAAAAAAAAAAGxpYmF2aWYAAAAADnBpdG0AAAAAAAEAAAAeaWxvYwAAAABEAAABAAEA' +
  1711. 'AAABAAABGgAAAB0AAAAoaWluZgAAAAAAAQAAABppbmZlAgAAAAABAABhdjAxQ29sb3IAAAA' +
  1712. 'AamlwcnAAAABLaXBjbwAAABRpc3BlAAAAAAAAAAIAAAACAAAAEHBpeGkAAAAAAwgICAAAAA' +
  1713. 'xhdjFDgQ0MAAAAABNjb2xybmNseAACAAIAAYAAAAAXaXBtYQAAAAAAAAABAAEEAQKDBAAAA' +
  1714. 'CVtZGF0EgAKCBgANogQEAwgMg8f8D///8WfhwB8+ErK42A=';
  1715. /**
  1716. * @const {!Map.<string, string>}
  1717. * @private
  1718. */
  1719. shaka.util.StreamUtils.minImage_ = new Map()
  1720. .set('image/webp', shaka.util.StreamUtils.minWebPImage_)
  1721. .set('image/avif', shaka.util.StreamUtils.minAvifImage_);