Source: lib/text/ttml_text_parser.js

  1. /*! @license
  2. * Shaka Player
  3. * Copyright 2016 Google LLC
  4. * SPDX-License-Identifier: Apache-2.0
  5. */
  6. goog.provide('shaka.text.TtmlTextParser');
  7. goog.require('goog.asserts');
  8. goog.require('goog.Uri');
  9. goog.require('shaka.log');
  10. goog.require('shaka.text.Cue');
  11. goog.require('shaka.text.CueRegion');
  12. goog.require('shaka.text.TextEngine');
  13. goog.require('shaka.util.ArrayUtils');
  14. goog.require('shaka.util.Error');
  15. goog.require('shaka.util.StringUtils');
  16. goog.require('shaka.util.TXml');
  17. /**
  18. * @implements {shaka.extern.TextParser}
  19. * @export
  20. */
  21. shaka.text.TtmlTextParser = class {
  22. /**
  23. * @override
  24. * @export
  25. */
  26. parseInit(data) {
  27. goog.asserts.assert(false, 'TTML does not have init segments');
  28. }
  29. /**
  30. * @override
  31. * @export
  32. */
  33. setSequenceMode(sequenceMode) {
  34. // Unused.
  35. }
  36. /**
  37. * @override
  38. * @export
  39. */
  40. setManifestType(manifestType) {
  41. // Unused.
  42. }
  43. /**
  44. * @override
  45. * @export
  46. */
  47. parseMedia(data, time, uri) {
  48. const TtmlTextParser = shaka.text.TtmlTextParser;
  49. const TXml = shaka.util.TXml;
  50. const ttpNs = TtmlTextParser.parameterNs_;
  51. const ttsNs = TtmlTextParser.styleNs_;
  52. const str = shaka.util.StringUtils.fromUTF8(data);
  53. const cues = [];
  54. // dont try to parse empty string as
  55. // DOMParser will not throw error but return an errored xml
  56. if (str == '') {
  57. return cues;
  58. }
  59. const tt = TXml.parseXmlString(str, 'tt', /* includeParent= */ true);
  60. if (!tt) {
  61. throw new shaka.util.Error(
  62. shaka.util.Error.Severity.CRITICAL,
  63. shaka.util.Error.Category.TEXT,
  64. shaka.util.Error.Code.INVALID_XML,
  65. 'Failed to parse TTML.');
  66. }
  67. const body = TXml.getElementsByTagName(tt, 'body')[0];
  68. if (!body) {
  69. return [];
  70. }
  71. // Get the framerate, subFrameRate and frameRateMultiplier if applicable.
  72. const frameRate = TXml.getAttributeNSList(tt, ttpNs, 'frameRate');
  73. const subFrameRate = TXml.getAttributeNSList(
  74. tt, ttpNs, 'subFrameRate');
  75. const frameRateMultiplier =
  76. TXml.getAttributeNSList(tt, ttpNs, 'frameRateMultiplier');
  77. const tickRate = TXml.getAttributeNSList(tt, ttpNs, 'tickRate');
  78. const cellResolution = TXml.getAttributeNSList(
  79. tt, ttpNs, 'cellResolution');
  80. const spaceStyle = tt.attributes['xml:space'] || 'default';
  81. const extent = TXml.getAttributeNSList(tt, ttsNs, 'extent');
  82. if (spaceStyle != 'default' && spaceStyle != 'preserve') {
  83. throw new shaka.util.Error(
  84. shaka.util.Error.Severity.CRITICAL,
  85. shaka.util.Error.Category.TEXT,
  86. shaka.util.Error.Code.INVALID_XML,
  87. 'Invalid xml:space value: ' + spaceStyle);
  88. }
  89. const collapseMultipleSpaces = spaceStyle == 'default';
  90. const rateInfo = new TtmlTextParser.RateInfo_(
  91. frameRate, subFrameRate, frameRateMultiplier, tickRate);
  92. const cellResolutionInfo =
  93. TtmlTextParser.getCellResolution_(cellResolution);
  94. const metadata = TXml.getElementsByTagName(tt, 'metadata')[0];
  95. const metadataElements =
  96. (metadata ? metadata.children : []).filter((c) => c != '\n');
  97. const styles = TXml.getElementsByTagName(tt, 'style');
  98. const regionElements = TXml.getElementsByTagName(tt, 'region');
  99. const cueRegions = [];
  100. for (const region of regionElements) {
  101. const cueRegion =
  102. TtmlTextParser.parseCueRegion_(region, styles, extent);
  103. if (cueRegion) {
  104. cueRegions.push(cueRegion);
  105. }
  106. }
  107. // A <body> element should only contain <div> elements, not <p> or <span>
  108. // elements. We used to allow this, but it is non-compliant, and the
  109. // loose nature of our previous parser made it difficult to implement TTML
  110. // nesting more fully.
  111. if (TXml.findChildren(body, 'p').length) {
  112. throw new shaka.util.Error(
  113. shaka.util.Error.Severity.CRITICAL,
  114. shaka.util.Error.Category.TEXT,
  115. shaka.util.Error.Code.INVALID_TEXT_CUE,
  116. '<p> can only be inside <div> in TTML');
  117. }
  118. for (const div of TXml.findChildren(body, 'div')) {
  119. // A <div> element should only contain <p>, not <span>.
  120. if (TXml.findChildren(div, 'span').length) {
  121. throw new shaka.util.Error(
  122. shaka.util.Error.Severity.CRITICAL,
  123. shaka.util.Error.Category.TEXT,
  124. shaka.util.Error.Code.INVALID_TEXT_CUE,
  125. '<span> can only be inside <p> in TTML');
  126. }
  127. }
  128. const cue = TtmlTextParser.parseCue_(
  129. body, time, rateInfo, metadataElements, styles,
  130. regionElements, cueRegions, collapseMultipleSpaces,
  131. cellResolutionInfo, /* parentCueElement= */ null,
  132. /* isContent= */ false, uri);
  133. if (cue) {
  134. // According to the TTML spec, backgrounds default to transparent.
  135. // So default the background of the top-level element to transparent.
  136. // Nested elements may override that background color already.
  137. if (!cue.backgroundColor) {
  138. cue.backgroundColor = 'transparent';
  139. }
  140. cues.push(cue);
  141. }
  142. return cues;
  143. }
  144. /**
  145. * Parses a TTML node into a Cue.
  146. *
  147. * @param {!shaka.extern.xml.Node} cueNode
  148. * @param {shaka.extern.TextParser.TimeContext} timeContext
  149. * @param {!shaka.text.TtmlTextParser.RateInfo_} rateInfo
  150. * @param {!Array.<!shaka.extern.xml.Node>} metadataElements
  151. * @param {!Array.<!shaka.extern.xml.Node>} styles
  152. * @param {!Array.<!shaka.extern.xml.Node>} regionElements
  153. * @param {!Array.<!shaka.text.CueRegion>} cueRegions
  154. * @param {boolean} collapseMultipleSpaces
  155. * @param {?{columns: number, rows: number}} cellResolution
  156. * @param {?shaka.extern.xml.Node} parentCueElement
  157. * @param {boolean} isContent
  158. * @param {?(string|undefined)} uri
  159. * @return {shaka.text.Cue}
  160. * @private
  161. */
  162. static parseCue_(
  163. cueNode, timeContext, rateInfo, metadataElements, styles, regionElements,
  164. cueRegions, collapseMultipleSpaces, cellResolution, parentCueElement,
  165. isContent, uri) {
  166. const TXml = shaka.util.TXml;
  167. const StringUtils = shaka.util.StringUtils;
  168. /** @type {shaka.extern.xml.Node} */
  169. let cueElement;
  170. /** @type {?shaka.extern.xml.Node} */
  171. let parentElement = parentCueElement;
  172. if (TXml.isText(cueNode)) {
  173. if (!isContent) {
  174. // Ignore text elements outside the content. For example, whitespace
  175. // on the same lexical level as the <p> elements, in a document with
  176. // xml:space="preserve", should not be renderer.
  177. return null;
  178. }
  179. // This should generate an "anonymous span" according to the TTML spec.
  180. // So pretend the element was a <span>. parentElement was set above, so
  181. // we should still be able to correctly traverse up for timing
  182. // information later.
  183. /** @type {shaka.extern.xml.Node} */
  184. const span = {
  185. tagName: 'span',
  186. children: [TXml.getTextContents(cueNode)],
  187. attributes: {},
  188. parent: null,
  189. };
  190. cueElement = span;
  191. } else {
  192. cueElement = cueNode;
  193. }
  194. goog.asserts.assert(cueElement, 'cueElement should be non-null!');
  195. let imageElement = null;
  196. for (const nameSpace of shaka.text.TtmlTextParser.smpteNsList_) {
  197. imageElement = shaka.text.TtmlTextParser.getElementsFromCollection_(
  198. cueElement, 'backgroundImage', metadataElements, '#',
  199. nameSpace)[0];
  200. if (imageElement) {
  201. break;
  202. }
  203. }
  204. let imageUri = null;
  205. const backgroundImage = TXml.getAttributeNSList(
  206. cueElement,
  207. shaka.text.TtmlTextParser.smpteNsList_,
  208. 'backgroundImage');
  209. if (uri && backgroundImage && !backgroundImage.startsWith('#')) {
  210. const baseUri = new goog.Uri(uri);
  211. const relativeUri = new goog.Uri(backgroundImage);
  212. const newUri = baseUri.resolve(relativeUri).toString();
  213. if (newUri) {
  214. imageUri = newUri;
  215. }
  216. }
  217. if (cueNode.tagName == 'p' || imageElement || imageUri) {
  218. isContent = true;
  219. }
  220. const parentIsContent = isContent;
  221. const spaceStyle = cueElement.attributes['xml:space'] ||
  222. (collapseMultipleSpaces ? 'default' : 'preserve');
  223. const localCollapseMultipleSpaces = spaceStyle == 'default';
  224. // Parse any nested cues first.
  225. const isLeafNode = cueElement.children.every(TXml.isText);
  226. const nestedCues = [];
  227. if (!isLeafNode) {
  228. // Otherwise, recurse into the children. Text nodes will convert into
  229. // anonymous spans, which will then be leaf nodes.
  230. for (const childNode of cueElement.children) {
  231. const nestedCue = shaka.text.TtmlTextParser.parseCue_(
  232. childNode,
  233. timeContext,
  234. rateInfo,
  235. metadataElements,
  236. styles,
  237. regionElements,
  238. cueRegions,
  239. localCollapseMultipleSpaces,
  240. cellResolution,
  241. cueElement,
  242. isContent,
  243. uri,
  244. );
  245. // This node may or may not generate a nested cue.
  246. if (nestedCue) {
  247. nestedCues.push(nestedCue);
  248. }
  249. }
  250. }
  251. const isNested = /** @type {boolean} */ (parentCueElement != null);
  252. const textContent = TXml.getTextContents(cueElement);
  253. // In this regex, "\S" means "non-whitespace character".
  254. const hasTextContent = cueElement.children.length &&
  255. textContent &&
  256. /\S/.test(textContent);
  257. const hasTimeAttributes =
  258. cueElement.attributes['begin'] ||
  259. cueElement.attributes['end'] ||
  260. cueElement.attributes['dur'];
  261. if (!hasTimeAttributes && !hasTextContent && cueElement.tagName != 'br' &&
  262. nestedCues.length == 0) {
  263. if (!isNested) {
  264. // Disregards empty <p> elements without time attributes nor content.
  265. // <p begin="..." smpte:backgroundImage="..." /> will go through,
  266. // as some information could be held by its attributes.
  267. // <p /> won't, as it would not be displayed.
  268. return null;
  269. } else if (localCollapseMultipleSpaces) {
  270. // Disregards empty anonymous spans when (local) trim is true.
  271. return null;
  272. }
  273. }
  274. // Get local time attributes.
  275. let {start, end} = shaka.text.TtmlTextParser.parseTime_(
  276. cueElement, rateInfo);
  277. // Resolve local time relative to parent elements. Time elements can appear
  278. // all the way up to 'body', but not 'tt'.
  279. while (parentElement && TXml.isNode(parentElement) &&
  280. parentElement.tagName != 'tt') {
  281. ({start, end} = shaka.text.TtmlTextParser.resolveTime_(
  282. parentElement, rateInfo, start, end));
  283. parentElement =
  284. /** @type {shaka.extern.xml.Node} */ (parentElement.parent);
  285. }
  286. if (start == null) {
  287. start = 0;
  288. }
  289. start += timeContext.periodStart;
  290. // If end is null, that means the duration is effectively infinite.
  291. if (end == null) {
  292. end = Infinity;
  293. } else {
  294. end += timeContext.periodStart;
  295. }
  296. // Clip times to segment boundaries.
  297. // https://github.com/shaka-project/shaka-player/issues/4631
  298. start = Math.max(start, timeContext.segmentStart);
  299. end = Math.min(end, timeContext.segmentEnd);
  300. if (!hasTimeAttributes && nestedCues.length > 0) {
  301. // If no time is defined for this cue, base the timing information on
  302. // the time of the nested cues. In the case of multiple nested cues with
  303. // different start times, it is the text displayer's responsibility to
  304. // make sure that only the appropriate nested cue is drawn at any given
  305. // time.
  306. start = Infinity;
  307. end = 0;
  308. for (const cue of nestedCues) {
  309. start = Math.min(start, cue.startTime);
  310. end = Math.max(end, cue.endTime);
  311. }
  312. }
  313. if (cueElement.tagName == 'br') {
  314. const cue = new shaka.text.Cue(start, end, '');
  315. cue.lineBreak = true;
  316. return cue;
  317. }
  318. let payload = '';
  319. if (isLeafNode) {
  320. // If the childNodes are all text, this is a leaf node. Get the payload.
  321. payload = StringUtils.htmlUnescape(
  322. shaka.util.TXml.getTextContents(cueElement) || '');
  323. if (localCollapseMultipleSpaces) {
  324. // Collapse multiple spaces into one.
  325. payload = payload.replace(/\s+/g, ' ');
  326. }
  327. }
  328. const cue = new shaka.text.Cue(start, end, payload);
  329. cue.nestedCues = nestedCues;
  330. if (!isContent) {
  331. // If this is not a <p> element or a <div> with images, and it has no
  332. // parent that was a <p> element, then it's part of the outer containers
  333. // (e.g. the <body> or a normal <div> element within it).
  334. cue.isContainer = true;
  335. }
  336. if (cellResolution) {
  337. cue.cellResolution = cellResolution;
  338. }
  339. // Get other properties if available.
  340. const regionElement = shaka.text.TtmlTextParser.getElementsFromCollection_(
  341. cueElement, 'region', regionElements, /* prefix= */ '')[0];
  342. // Do not actually apply that region unless it is non-inherited, though.
  343. // This makes it so that, if a parent element has a region, the children
  344. // don't also all independently apply the positioning of that region.
  345. if (cueElement.attributes['region']) {
  346. if (regionElement && regionElement.attributes['xml:id']) {
  347. const regionId = regionElement.attributes['xml:id'];
  348. cue.region = cueRegions.filter((region) => region.id == regionId)[0];
  349. }
  350. }
  351. let regionElementForStyle = regionElement;
  352. if (parentCueElement && isNested && !cueElement.attributes['region'] &&
  353. !cueElement.attributes['style']) {
  354. regionElementForStyle =
  355. shaka.text.TtmlTextParser.getElementsFromCollection_(
  356. parentCueElement, 'region', regionElements, /* prefix= */ '')[0];
  357. }
  358. shaka.text.TtmlTextParser.addStyle_(
  359. cue,
  360. cueElement,
  361. regionElementForStyle,
  362. /** @type {!shaka.extern.xml.Node} */(imageElement),
  363. imageUri,
  364. styles,
  365. /** isNested= */ parentIsContent, // "nested in a <div>" doesn't count.
  366. /** isLeaf= */ (nestedCues.length == 0));
  367. return cue;
  368. }
  369. /**
  370. * Parses an Element into a TextTrackCue or VTTCue.
  371. *
  372. * @param {!shaka.extern.xml.Node} regionElement
  373. * @param {!Array.<!shaka.extern.xml.Node>} styles
  374. * Defined in the top of tt element and used principally for images.
  375. * @param {?string} globalExtent
  376. * @return {shaka.text.CueRegion}
  377. * @private
  378. */
  379. static parseCueRegion_(regionElement, styles, globalExtent) {
  380. const TtmlTextParser = shaka.text.TtmlTextParser;
  381. const region = new shaka.text.CueRegion();
  382. const id = regionElement.attributes['xml:id'];
  383. if (!id) {
  384. shaka.log.warning('TtmlTextParser parser encountered a region with ' +
  385. 'no id. Region will be ignored.');
  386. return null;
  387. }
  388. region.id = id;
  389. let globalResults = null;
  390. if (globalExtent) {
  391. globalResults = TtmlTextParser.percentValues_.exec(globalExtent) ||
  392. TtmlTextParser.pixelValues_.exec(globalExtent);
  393. }
  394. const globalWidth = globalResults ? Number(globalResults[1]) : null;
  395. const globalHeight = globalResults ? Number(globalResults[2]) : null;
  396. let results = null;
  397. let percentage = null;
  398. const extent = TtmlTextParser.getStyleAttributeFromRegion_(
  399. regionElement, styles, 'extent');
  400. if (extent) {
  401. percentage = TtmlTextParser.percentValues_.exec(extent);
  402. results = percentage || TtmlTextParser.pixelValues_.exec(extent);
  403. if (results != null) {
  404. region.width = Number(results[1]);
  405. region.height = Number(results[2]);
  406. if (!percentage) {
  407. if (globalWidth != null) {
  408. region.width = region.width * 100 / globalWidth;
  409. }
  410. if (globalHeight != null) {
  411. region.height = region.height * 100 / globalHeight;
  412. }
  413. }
  414. region.widthUnits = percentage || globalWidth != null ?
  415. shaka.text.CueRegion.units.PERCENTAGE :
  416. shaka.text.CueRegion.units.PX;
  417. region.heightUnits = percentage || globalHeight != null ?
  418. shaka.text.CueRegion.units.PERCENTAGE :
  419. shaka.text.CueRegion.units.PX;
  420. }
  421. }
  422. const origin = TtmlTextParser.getStyleAttributeFromRegion_(
  423. regionElement, styles, 'origin');
  424. if (origin) {
  425. percentage = TtmlTextParser.percentValues_.exec(origin);
  426. results = percentage || TtmlTextParser.pixelValues_.exec(origin);
  427. if (results != null) {
  428. region.viewportAnchorX = Number(results[1]);
  429. region.viewportAnchorY = Number(results[2]);
  430. if (!percentage) {
  431. if (globalHeight != null) {
  432. region.viewportAnchorY = region.viewportAnchorY * 100 /
  433. globalHeight;
  434. }
  435. if (globalWidth != null) {
  436. region.viewportAnchorX = region.viewportAnchorX * 100 /
  437. globalWidth;
  438. }
  439. } else if (!extent) {
  440. region.width = 100 - region.viewportAnchorX;
  441. region.widthUnits = shaka.text.CueRegion.units.PERCENTAGE;
  442. region.height = 100 - region.viewportAnchorY;
  443. region.heightUnits = shaka.text.CueRegion.units.PERCENTAGE;
  444. }
  445. region.viewportAnchorUnits = percentage || globalWidth != null ?
  446. shaka.text.CueRegion.units.PERCENTAGE :
  447. shaka.text.CueRegion.units.PX;
  448. }
  449. }
  450. return region;
  451. }
  452. /**
  453. * Ensures any TTML RGBA's alpha range of 0-255 is converted to 0-1.
  454. * @param {string} color
  455. * @return {string}
  456. * @private
  457. */
  458. static convertTTMLrgbaToHTMLrgba_(color) {
  459. const rgba = color.match(/rgba\(([^)]+)\)/);
  460. if (rgba) {
  461. const values = rgba[1].split(',');
  462. if (values.length == 4) {
  463. values[3] = String(Number(values[3]) / 255);
  464. return 'rgba(' + values.join(',') + ')';
  465. }
  466. }
  467. return color;
  468. }
  469. /**
  470. * Adds applicable style properties to a cue.
  471. *
  472. * @param {!shaka.text.Cue} cue
  473. * @param {!shaka.extern.xml.Node} cueElement
  474. * @param {shaka.extern.xml.Node} region
  475. * @param {shaka.extern.xml.Node} imageElement
  476. * @param {?string} imageUri
  477. * @param {!Array.<!shaka.extern.xml.Node>} styles
  478. * @param {boolean} isNested
  479. * @param {boolean} isLeaf
  480. * @private
  481. */
  482. static addStyle_(
  483. cue, cueElement, region, imageElement, imageUri, styles,
  484. isNested, isLeaf) {
  485. const TtmlTextParser = shaka.text.TtmlTextParser;
  486. const TXml = shaka.util.TXml;
  487. const Cue = shaka.text.Cue;
  488. // Styles should be inherited from regions, if a style property is not
  489. // associated with a Content element (or an anonymous span).
  490. const shouldInheritRegionStyles = isNested || isLeaf;
  491. const direction = TtmlTextParser.getStyleAttribute_(
  492. cueElement, region, styles, 'direction', shouldInheritRegionStyles);
  493. if (direction == 'rtl') {
  494. cue.direction = Cue.direction.HORIZONTAL_RIGHT_TO_LEFT;
  495. }
  496. // Direction attribute specifies one-dimentional writing direction
  497. // (left to right or right to left). Writing mode specifies that
  498. // plus whether text is vertical or horizontal.
  499. // They should not contradict each other. If they do, we give
  500. // preference to writing mode.
  501. const writingMode = TtmlTextParser.getStyleAttribute_(
  502. cueElement, region, styles, 'writingMode', shouldInheritRegionStyles);
  503. // Set cue's direction if the text is horizontal, and cue's writingMode if
  504. // it's vertical.
  505. if (writingMode == 'tb' || writingMode == 'tblr') {
  506. cue.writingMode = Cue.writingMode.VERTICAL_LEFT_TO_RIGHT;
  507. } else if (writingMode == 'tbrl') {
  508. cue.writingMode = Cue.writingMode.VERTICAL_RIGHT_TO_LEFT;
  509. } else if (writingMode == 'rltb' || writingMode == 'rl') {
  510. cue.direction = Cue.direction.HORIZONTAL_RIGHT_TO_LEFT;
  511. } else if (writingMode) {
  512. cue.direction = Cue.direction.HORIZONTAL_LEFT_TO_RIGHT;
  513. }
  514. const align = TtmlTextParser.getStyleAttribute_(
  515. cueElement, region, styles, 'textAlign', true);
  516. if (align) {
  517. cue.positionAlign = TtmlTextParser.textAlignToPositionAlign_[align];
  518. cue.lineAlign = TtmlTextParser.textAlignToLineAlign_[align];
  519. goog.asserts.assert(align.toUpperCase() in Cue.textAlign,
  520. align.toUpperCase() + ' Should be in Cue.textAlign values!');
  521. cue.textAlign = Cue.textAlign[align.toUpperCase()];
  522. } else {
  523. // Default value is START in the TTML spec: https://bit.ly/32OGmvo
  524. // But to make the subtitle render consitent with other players and the
  525. // shaka.text.Cue we use CENTER
  526. cue.textAlign = Cue.textAlign.CENTER;
  527. }
  528. const displayAlign = TtmlTextParser.getStyleAttribute_(
  529. cueElement, region, styles, 'displayAlign', true);
  530. if (displayAlign) {
  531. goog.asserts.assert(displayAlign.toUpperCase() in Cue.displayAlign,
  532. displayAlign.toUpperCase() +
  533. ' Should be in Cue.displayAlign values!');
  534. cue.displayAlign = Cue.displayAlign[displayAlign.toUpperCase()];
  535. }
  536. const color = TtmlTextParser.getStyleAttribute_(
  537. cueElement, region, styles, 'color', shouldInheritRegionStyles);
  538. if (color) {
  539. cue.color = TtmlTextParser.convertTTMLrgbaToHTMLrgba_(color);
  540. }
  541. // Background color should not be set on a container. If this is a nested
  542. // cue, you can set the background. If it's a top-level that happens to
  543. // also be a leaf, you can set the background.
  544. // See https://github.com/shaka-project/shaka-player/issues/2623
  545. // This used to be handled in the displayer, but that is confusing. The Cue
  546. // structure should reflect what you want to happen in the displayer, and
  547. // the displayer shouldn't have to know about TTML.
  548. const backgroundColor = TtmlTextParser.getStyleAttribute_(
  549. cueElement, region, styles, 'backgroundColor',
  550. shouldInheritRegionStyles);
  551. if (backgroundColor) {
  552. cue.backgroundColor =
  553. TtmlTextParser.convertTTMLrgbaToHTMLrgba_(backgroundColor);
  554. }
  555. const border = TtmlTextParser.getStyleAttribute_(
  556. cueElement, region, styles, 'border', shouldInheritRegionStyles);
  557. if (border) {
  558. cue.border = border;
  559. }
  560. const fontFamily = TtmlTextParser.getStyleAttribute_(
  561. cueElement, region, styles, 'fontFamily', shouldInheritRegionStyles);
  562. // See https://github.com/sandflow/imscJS/blob/1.1.3/src/main/js/html.js#L1384
  563. if (fontFamily) {
  564. switch (fontFamily) {
  565. case 'monospaceSerif':
  566. cue.fontFamily = 'Courier New,Liberation Mono,Courier,monospace';
  567. break;
  568. case 'proportionalSansSerif':
  569. cue.fontFamily = 'Arial,Helvetica,Liberation Sans,sans-serif';
  570. break;
  571. case 'sansSerif':
  572. cue.fontFamily = 'sans-serif';
  573. break;
  574. case 'monospaceSansSerif':
  575. cue.fontFamily = 'Consolas,monospace';
  576. break;
  577. case 'proportionalSerif':
  578. cue.fontFamily = 'serif';
  579. break;
  580. default:
  581. cue.fontFamily = fontFamily.split(',').filter((font) => {
  582. return font != 'default';
  583. }).join(',');
  584. break;
  585. }
  586. }
  587. const fontWeight = TtmlTextParser.getStyleAttribute_(
  588. cueElement, region, styles, 'fontWeight', shouldInheritRegionStyles);
  589. if (fontWeight && fontWeight == 'bold') {
  590. cue.fontWeight = Cue.fontWeight.BOLD;
  591. }
  592. const wrapOption = TtmlTextParser.getStyleAttribute_(
  593. cueElement, region, styles, 'wrapOption', shouldInheritRegionStyles);
  594. if (wrapOption && wrapOption == 'noWrap') {
  595. cue.wrapLine = false;
  596. } else {
  597. cue.wrapLine = true;
  598. }
  599. const lineHeight = TtmlTextParser.getStyleAttribute_(
  600. cueElement, region, styles, 'lineHeight', shouldInheritRegionStyles);
  601. if (lineHeight && lineHeight.match(TtmlTextParser.unitValues_)) {
  602. cue.lineHeight = lineHeight;
  603. }
  604. const fontSize = TtmlTextParser.getStyleAttribute_(
  605. cueElement, region, styles, 'fontSize', shouldInheritRegionStyles);
  606. if (fontSize) {
  607. const isValidFontSizeUnit =
  608. fontSize.match(TtmlTextParser.unitValues_) ||
  609. fontSize.match(TtmlTextParser.percentValue_);
  610. if (isValidFontSizeUnit) {
  611. cue.fontSize = fontSize;
  612. }
  613. }
  614. const fontStyle = TtmlTextParser.getStyleAttribute_(
  615. cueElement, region, styles, 'fontStyle', shouldInheritRegionStyles);
  616. if (fontStyle) {
  617. goog.asserts.assert(fontStyle.toUpperCase() in Cue.fontStyle,
  618. fontStyle.toUpperCase() +
  619. ' Should be in Cue.fontStyle values!');
  620. cue.fontStyle = Cue.fontStyle[fontStyle.toUpperCase()];
  621. }
  622. if (imageElement) {
  623. // According to the spec, we should use imageType (camelCase), but
  624. // historically we have checked for imagetype (lowercase).
  625. // This was the case since background image support was first introduced
  626. // in PR #1859, in April 2019, and first released in v2.5.0.
  627. // Now we check for both, although only imageType (camelCase) is to spec.
  628. const backgroundImageType =
  629. imageElement.attributes['imageType'] ||
  630. imageElement.attributes['imagetype'];
  631. const backgroundImageEncoding = imageElement.attributes['encoding'];
  632. const backgroundImageData = (TXml.getTextContents(imageElement)).trim();
  633. if (backgroundImageType == 'PNG' &&
  634. backgroundImageEncoding == 'Base64' &&
  635. backgroundImageData) {
  636. cue.backgroundImage = 'data:image/png;base64,' + backgroundImageData;
  637. }
  638. } else if (imageUri) {
  639. cue.backgroundImage = imageUri;
  640. }
  641. const textOutline = TtmlTextParser.getStyleAttribute_(
  642. cueElement, region, styles, 'textOutline', shouldInheritRegionStyles);
  643. if (textOutline) {
  644. // tts:textOutline isn't natively supported by browsers, but it can be
  645. // mostly replicated using the non-standard -webkit-text-stroke-width and
  646. // -webkit-text-stroke-color properties.
  647. const split = textOutline.split(' ');
  648. if (split[0].match(TtmlTextParser.unitValues_)) {
  649. // There is no defined color, so default to the text color.
  650. cue.textStrokeColor = cue.color;
  651. } else {
  652. cue.textStrokeColor =
  653. TtmlTextParser.convertTTMLrgbaToHTMLrgba_(split[0]);
  654. split.shift();
  655. }
  656. if (split[0] && split[0].match(TtmlTextParser.unitValues_)) {
  657. cue.textStrokeWidth = split[0];
  658. } else {
  659. // If there is no width, or the width is not a number, don't draw a
  660. // border.
  661. cue.textStrokeColor = '';
  662. }
  663. // There is an optional blur radius also, but we have no way of
  664. // replicating that, so ignore it.
  665. }
  666. const letterSpacing = TtmlTextParser.getStyleAttribute_(
  667. cueElement, region, styles, 'letterSpacing', shouldInheritRegionStyles);
  668. if (letterSpacing && letterSpacing.match(TtmlTextParser.unitValues_)) {
  669. cue.letterSpacing = letterSpacing;
  670. }
  671. const linePadding = TtmlTextParser.getStyleAttribute_(
  672. cueElement, region, styles, 'linePadding', shouldInheritRegionStyles);
  673. if (linePadding && linePadding.match(TtmlTextParser.unitValues_)) {
  674. cue.linePadding = linePadding;
  675. }
  676. const opacity = TtmlTextParser.getStyleAttribute_(
  677. cueElement, region, styles, 'opacity', shouldInheritRegionStyles);
  678. if (opacity) {
  679. cue.opacity = parseFloat(opacity);
  680. }
  681. // Text decoration is an array of values which can come both from the
  682. // element's style or be inherited from elements' parent nodes. All of those
  683. // values should be applied as long as they don't contradict each other. If
  684. // they do, elements' own style gets preference.
  685. const textDecorationRegion = TtmlTextParser.getStyleAttributeFromRegion_(
  686. region, styles, 'textDecoration');
  687. if (textDecorationRegion) {
  688. TtmlTextParser.addTextDecoration_(cue, textDecorationRegion);
  689. }
  690. const textDecorationElement = TtmlTextParser.getStyleAttributeFromElement_(
  691. cueElement, styles, 'textDecoration');
  692. if (textDecorationElement) {
  693. TtmlTextParser.addTextDecoration_(cue, textDecorationElement);
  694. }
  695. const textCombine = TtmlTextParser.getStyleAttribute_(
  696. cueElement, region, styles, 'textCombine', shouldInheritRegionStyles);
  697. if (textCombine) {
  698. cue.textCombineUpright = textCombine;
  699. }
  700. const ruby = TtmlTextParser.getStyleAttribute_(
  701. cueElement, region, styles, 'ruby', shouldInheritRegionStyles);
  702. switch (ruby) {
  703. case 'container':
  704. cue.rubyTag = 'ruby';
  705. break;
  706. case 'text':
  707. cue.rubyTag = 'rt';
  708. break;
  709. }
  710. }
  711. /**
  712. * Parses text decoration values and adds/removes them to/from the cue.
  713. *
  714. * @param {!shaka.text.Cue} cue
  715. * @param {string} decoration
  716. * @private
  717. */
  718. static addTextDecoration_(cue, decoration) {
  719. const Cue = shaka.text.Cue;
  720. for (const value of decoration.split(' ')) {
  721. switch (value) {
  722. case 'underline':
  723. if (!cue.textDecoration.includes(Cue.textDecoration.UNDERLINE)) {
  724. cue.textDecoration.push(Cue.textDecoration.UNDERLINE);
  725. }
  726. break;
  727. case 'noUnderline':
  728. if (cue.textDecoration.includes(Cue.textDecoration.UNDERLINE)) {
  729. shaka.util.ArrayUtils.remove(cue.textDecoration,
  730. Cue.textDecoration.UNDERLINE);
  731. }
  732. break;
  733. case 'lineThrough':
  734. if (!cue.textDecoration.includes(Cue.textDecoration.LINE_THROUGH)) {
  735. cue.textDecoration.push(Cue.textDecoration.LINE_THROUGH);
  736. }
  737. break;
  738. case 'noLineThrough':
  739. if (cue.textDecoration.includes(Cue.textDecoration.LINE_THROUGH)) {
  740. shaka.util.ArrayUtils.remove(cue.textDecoration,
  741. Cue.textDecoration.LINE_THROUGH);
  742. }
  743. break;
  744. case 'overline':
  745. if (!cue.textDecoration.includes(Cue.textDecoration.OVERLINE)) {
  746. cue.textDecoration.push(Cue.textDecoration.OVERLINE);
  747. }
  748. break;
  749. case 'noOverline':
  750. if (cue.textDecoration.includes(Cue.textDecoration.OVERLINE)) {
  751. shaka.util.ArrayUtils.remove(cue.textDecoration,
  752. Cue.textDecoration.OVERLINE);
  753. }
  754. break;
  755. }
  756. }
  757. }
  758. /**
  759. * Finds a specified attribute on either the original cue element or its
  760. * associated region and returns the value if the attribute was found.
  761. *
  762. * @param {!shaka.extern.xml.Node} cueElement
  763. * @param {shaka.extern.xml.Node} region
  764. * @param {!Array.<!shaka.extern.xml.Node>} styles
  765. * @param {string} attribute
  766. * @param {boolean=} shouldInheritRegionStyles
  767. * @return {?string}
  768. * @private
  769. */
  770. static getStyleAttribute_(cueElement, region, styles, attribute,
  771. shouldInheritRegionStyles=true) {
  772. // An attribute can be specified on region level or in a styling block
  773. // associated with the region or original element.
  774. const TtmlTextParser = shaka.text.TtmlTextParser;
  775. const attr = TtmlTextParser.getStyleAttributeFromElement_(
  776. cueElement, styles, attribute);
  777. if (attr) {
  778. return attr;
  779. }
  780. if (shouldInheritRegionStyles) {
  781. return TtmlTextParser.getStyleAttributeFromRegion_(
  782. region, styles, attribute);
  783. }
  784. return null;
  785. }
  786. /**
  787. * Finds a specified attribute on the element's associated region
  788. * and returns the value if the attribute was found.
  789. *
  790. * @param {shaka.extern.xml.Node} region
  791. * @param {!Array.<!shaka.extern.xml.Node>} styles
  792. * @param {string} attribute
  793. * @return {?string}
  794. * @private
  795. */
  796. static getStyleAttributeFromRegion_(region, styles, attribute) {
  797. const TXml = shaka.util.TXml;
  798. const ttsNs = shaka.text.TtmlTextParser.styleNs_;
  799. if (!region) {
  800. return null;
  801. }
  802. const attr = TXml.getAttributeNSList(region, ttsNs, attribute);
  803. if (attr) {
  804. return attr;
  805. }
  806. return shaka.text.TtmlTextParser.getInheritedStyleAttribute_(
  807. region, styles, attribute);
  808. }
  809. /**
  810. * Finds a specified attribute on the cue element and returns the value
  811. * if the attribute was found.
  812. *
  813. * @param {!shaka.extern.xml.Node} cueElement
  814. * @param {!Array.<!shaka.extern.xml.Node>} styles
  815. * @param {string} attribute
  816. * @return {?string}
  817. * @private
  818. */
  819. static getStyleAttributeFromElement_(cueElement, styles, attribute) {
  820. const TXml = shaka.util.TXml;
  821. const ttsNs = shaka.text.TtmlTextParser.styleNs_;
  822. // Styling on elements should take precedence
  823. // over the main styling attributes
  824. const elementAttribute = TXml.getAttributeNSList(
  825. cueElement,
  826. ttsNs,
  827. attribute);
  828. if (elementAttribute) {
  829. return elementAttribute;
  830. }
  831. return shaka.text.TtmlTextParser.getInheritedStyleAttribute_(
  832. cueElement, styles, attribute);
  833. }
  834. /**
  835. * Finds a specified attribute on an element's styles and the styles those
  836. * styles inherit from.
  837. *
  838. * @param {!shaka.extern.xml.Node} element
  839. * @param {!Array.<!shaka.extern.xml.Node>} styles
  840. * @param {string} attribute
  841. * @return {?string}
  842. * @private
  843. */
  844. static getInheritedStyleAttribute_(element, styles, attribute) {
  845. const TXml = shaka.util.TXml;
  846. const ttsNs = shaka.text.TtmlTextParser.styleNs_;
  847. const ebuttsNs = shaka.text.TtmlTextParser.styleEbuttsNs_;
  848. const inheritedStyles =
  849. shaka.text.TtmlTextParser.getElementsFromCollection_(
  850. element, 'style', styles, /* prefix= */ '');
  851. let styleValue = null;
  852. // The last value in our styles stack takes the precedence over the others
  853. for (let i = 0; i < inheritedStyles.length; i++) {
  854. // Check ebu namespace first.
  855. let styleAttributeValue = TXml.getAttributeNS(
  856. inheritedStyles[i],
  857. ebuttsNs,
  858. attribute);
  859. if (!styleAttributeValue) {
  860. // Fall back to tts namespace.
  861. styleAttributeValue = TXml.getAttributeNSList(
  862. inheritedStyles[i],
  863. ttsNs,
  864. attribute);
  865. }
  866. if (!styleAttributeValue) {
  867. // Next, check inheritance.
  868. // Styles can inherit from other styles, so traverse up that chain.
  869. styleAttributeValue =
  870. shaka.text.TtmlTextParser.getStyleAttributeFromElement_(
  871. inheritedStyles[i], styles, attribute);
  872. }
  873. if (styleAttributeValue) {
  874. styleValue = styleAttributeValue;
  875. }
  876. }
  877. return styleValue;
  878. }
  879. /**
  880. * Selects items from |collection| whose id matches |attributeName|
  881. * from |element|.
  882. *
  883. * @param {shaka.extern.xml.Node} element
  884. * @param {string} attributeName
  885. * @param {!Array.<shaka.extern.xml.Node>} collection
  886. * @param {string} prefixName
  887. * @param {string=} nsName
  888. * @return {!Array.<!shaka.extern.xml.Node>}
  889. * @private
  890. */
  891. static getElementsFromCollection_(
  892. element, attributeName, collection, prefixName, nsName) {
  893. const items = [];
  894. if (!element || collection.length < 1) {
  895. return items;
  896. }
  897. const attributeValue = shaka.text.TtmlTextParser.getInheritedAttribute_(
  898. element, attributeName, nsName);
  899. if (attributeValue) {
  900. // There could be multiple items in one attribute
  901. // <span style="style1 style2">A cue</span>
  902. const itemNames = attributeValue.split(' ');
  903. for (const name of itemNames) {
  904. for (const item of collection) {
  905. if ((prefixName + item.attributes['xml:id']) == name) {
  906. items.push(item);
  907. break;
  908. }
  909. }
  910. }
  911. }
  912. return items;
  913. }
  914. /**
  915. * Traverses upwards from a given node until a given attribute is found.
  916. *
  917. * @param {!shaka.extern.xml.Node} element
  918. * @param {string} attributeName
  919. * @param {string=} nsName
  920. * @return {?string}
  921. * @private
  922. */
  923. static getInheritedAttribute_(element, attributeName, nsName) {
  924. let ret = null;
  925. const TXml = shaka.util.TXml;
  926. while (!ret) {
  927. ret = nsName ?
  928. TXml.getAttributeNS(element, nsName, attributeName) :
  929. element.attributes[attributeName];
  930. if (ret) {
  931. break;
  932. }
  933. // Element.parentNode can lead to XMLDocument, which is not an Element and
  934. // has no getAttribute().
  935. const parentNode = element.parent;
  936. if (parentNode) {
  937. element = parentNode;
  938. } else {
  939. break;
  940. }
  941. }
  942. return ret;
  943. }
  944. /**
  945. * Factor parent/ancestor time attributes into the parsed time of a
  946. * child/descendent.
  947. *
  948. * @param {!shaka.extern.xml.Node} parentElement
  949. * @param {!shaka.text.TtmlTextParser.RateInfo_} rateInfo
  950. * @param {?number} start The child's start time
  951. * @param {?number} end The child's end time
  952. * @return {{start: ?number, end: ?number}}
  953. * @private
  954. */
  955. static resolveTime_(parentElement, rateInfo, start, end) {
  956. const parentTime = shaka.text.TtmlTextParser.parseTime_(
  957. parentElement, rateInfo);
  958. if (start == null) {
  959. // No start time of your own? Inherit from the parent.
  960. start = parentTime.start;
  961. } else {
  962. // Otherwise, the start time is relative to the parent's start time.
  963. if (parentTime.start != null) {
  964. start += parentTime.start;
  965. }
  966. }
  967. if (end == null) {
  968. // No end time of your own? Inherit from the parent.
  969. end = parentTime.end;
  970. } else {
  971. // Otherwise, the end time is relative to the parent's _start_ time.
  972. // This is not a typo. Both times are relative to the parent's _start_.
  973. if (parentTime.start != null) {
  974. end += parentTime.start;
  975. }
  976. }
  977. return {start, end};
  978. }
  979. /**
  980. * Parse TTML time attributes from the given element.
  981. *
  982. * @param {!shaka.extern.xml.Node} element
  983. * @param {!shaka.text.TtmlTextParser.RateInfo_} rateInfo
  984. * @return {{start: ?number, end: ?number}}
  985. * @private
  986. */
  987. static parseTime_(element, rateInfo) {
  988. const start = shaka.text.TtmlTextParser.parseTimeAttribute_(
  989. element.attributes['begin'], rateInfo);
  990. let end = shaka.text.TtmlTextParser.parseTimeAttribute_(
  991. element.attributes['end'], rateInfo);
  992. const duration = shaka.text.TtmlTextParser.parseTimeAttribute_(
  993. element.attributes['dur'], rateInfo);
  994. if (end == null && duration != null) {
  995. end = start + duration;
  996. }
  997. return {start, end};
  998. }
  999. /**
  1000. * Parses a TTML time from the given attribute text.
  1001. *
  1002. * @param {string} text
  1003. * @param {!shaka.text.TtmlTextParser.RateInfo_} rateInfo
  1004. * @return {?number}
  1005. * @private
  1006. */
  1007. static parseTimeAttribute_(text, rateInfo) {
  1008. let ret = null;
  1009. const TtmlTextParser = shaka.text.TtmlTextParser;
  1010. if (TtmlTextParser.timeColonFormatFrames_.test(text)) {
  1011. ret = TtmlTextParser.parseColonTimeWithFrames_(rateInfo, text);
  1012. } else if (TtmlTextParser.timeColonFormat_.test(text)) {
  1013. ret = TtmlTextParser.parseTimeFromRegex_(
  1014. TtmlTextParser.timeColonFormat_, text);
  1015. } else if (TtmlTextParser.timeColonFormatMilliseconds_.test(text)) {
  1016. ret = TtmlTextParser.parseTimeFromRegex_(
  1017. TtmlTextParser.timeColonFormatMilliseconds_, text);
  1018. } else if (TtmlTextParser.timeFramesFormat_.test(text)) {
  1019. ret = TtmlTextParser.parseFramesTime_(rateInfo, text);
  1020. } else if (TtmlTextParser.timeTickFormat_.test(text)) {
  1021. ret = TtmlTextParser.parseTickTime_(rateInfo, text);
  1022. } else if (TtmlTextParser.timeHMSFormat_.test(text)) {
  1023. ret = TtmlTextParser.parseTimeFromRegex_(
  1024. TtmlTextParser.timeHMSFormat_, text);
  1025. } else if (text) {
  1026. // It's not empty or null, but it doesn't match a known format.
  1027. throw new shaka.util.Error(
  1028. shaka.util.Error.Severity.CRITICAL,
  1029. shaka.util.Error.Category.TEXT,
  1030. shaka.util.Error.Code.INVALID_TEXT_CUE,
  1031. 'Could not parse cue time range in TTML');
  1032. }
  1033. return ret;
  1034. }
  1035. /**
  1036. * Parses a TTML time in frame format.
  1037. *
  1038. * @param {!shaka.text.TtmlTextParser.RateInfo_} rateInfo
  1039. * @param {string} text
  1040. * @return {?number}
  1041. * @private
  1042. */
  1043. static parseFramesTime_(rateInfo, text) {
  1044. // 75f or 75.5f
  1045. const results = shaka.text.TtmlTextParser.timeFramesFormat_.exec(text);
  1046. const frames = Number(results[1]);
  1047. return frames / rateInfo.frameRate;
  1048. }
  1049. /**
  1050. * Parses a TTML time in tick format.
  1051. *
  1052. * @param {!shaka.text.TtmlTextParser.RateInfo_} rateInfo
  1053. * @param {string} text
  1054. * @return {?number}
  1055. * @private
  1056. */
  1057. static parseTickTime_(rateInfo, text) {
  1058. // 50t or 50.5t
  1059. const results = shaka.text.TtmlTextParser.timeTickFormat_.exec(text);
  1060. const ticks = Number(results[1]);
  1061. return ticks / rateInfo.tickRate;
  1062. }
  1063. /**
  1064. * Parses a TTML colon formatted time containing frames.
  1065. *
  1066. * @param {!shaka.text.TtmlTextParser.RateInfo_} rateInfo
  1067. * @param {string} text
  1068. * @return {?number}
  1069. * @private
  1070. */
  1071. static parseColonTimeWithFrames_(rateInfo, text) {
  1072. // 01:02:43:07 ('07' is frames) or 01:02:43:07.1 (subframes)
  1073. const results = shaka.text.TtmlTextParser.timeColonFormatFrames_.exec(text);
  1074. const hours = Number(results[1]);
  1075. const minutes = Number(results[2]);
  1076. let seconds = Number(results[3]);
  1077. let frames = Number(results[4]);
  1078. const subframes = Number(results[5]) || 0;
  1079. frames += subframes / rateInfo.subFrameRate;
  1080. seconds += frames / rateInfo.frameRate;
  1081. return seconds + (minutes * 60) + (hours * 3600);
  1082. }
  1083. /**
  1084. * Parses a TTML time with a given regex. Expects regex to be some
  1085. * sort of a time-matcher to match hours, minutes, seconds and milliseconds
  1086. *
  1087. * @param {!RegExp} regex
  1088. * @param {string} text
  1089. * @return {?number}
  1090. * @private
  1091. */
  1092. static parseTimeFromRegex_(regex, text) {
  1093. const results = regex.exec(text);
  1094. if (results == null || results[0] == '') {
  1095. return null;
  1096. }
  1097. // This capture is optional, but will still be in the array as undefined,
  1098. // in which case it is 0.
  1099. const hours = Number(results[1]) || 0;
  1100. const minutes = Number(results[2]) || 0;
  1101. const seconds = Number(results[3]) || 0;
  1102. const milliseconds = Number(results[4]) || 0;
  1103. return (milliseconds / 1000) + seconds + (minutes * 60) + (hours * 3600);
  1104. }
  1105. /**
  1106. * If ttp:cellResolution provided returns cell resolution info
  1107. * with number of columns and rows into which the Root Container
  1108. * Region area is divided
  1109. *
  1110. * @param {?string} cellResolution
  1111. * @return {?{columns: number, rows: number}}
  1112. * @private
  1113. */
  1114. static getCellResolution_(cellResolution) {
  1115. if (!cellResolution) {
  1116. return null;
  1117. }
  1118. const matches = /^(\d+) (\d+)$/.exec(cellResolution);
  1119. if (!matches) {
  1120. return null;
  1121. }
  1122. const columns = parseInt(matches[1], 10);
  1123. const rows = parseInt(matches[2], 10);
  1124. return {columns, rows};
  1125. }
  1126. };
  1127. /**
  1128. * @summary
  1129. * Contains information about frame/subframe rate
  1130. * and frame rate multiplier for time in frame format.
  1131. *
  1132. * @example 01:02:03:04(4 frames) or 01:02:03:04.1(4 frames, 1 subframe)
  1133. * @private
  1134. */
  1135. shaka.text.TtmlTextParser.RateInfo_ = class {
  1136. /**
  1137. * @param {?string} frameRate
  1138. * @param {?string} subFrameRate
  1139. * @param {?string} frameRateMultiplier
  1140. * @param {?string} tickRate
  1141. */
  1142. constructor(frameRate, subFrameRate, frameRateMultiplier, tickRate) {
  1143. /**
  1144. * @type {number}
  1145. */
  1146. this.frameRate = Number(frameRate) || 30;
  1147. /**
  1148. * @type {number}
  1149. */
  1150. this.subFrameRate = Number(subFrameRate) || 1;
  1151. /**
  1152. * @type {number}
  1153. */
  1154. this.tickRate = Number(tickRate);
  1155. if (this.tickRate == 0) {
  1156. if (frameRate) {
  1157. this.tickRate = this.frameRate * this.subFrameRate;
  1158. } else {
  1159. this.tickRate = 1;
  1160. }
  1161. }
  1162. if (frameRateMultiplier) {
  1163. const multiplierResults = /^(\d+) (\d+)$/g.exec(frameRateMultiplier);
  1164. if (multiplierResults) {
  1165. const numerator = Number(multiplierResults[1]);
  1166. const denominator = Number(multiplierResults[2]);
  1167. const multiplierNum = numerator / denominator;
  1168. this.frameRate *= multiplierNum;
  1169. }
  1170. }
  1171. }
  1172. };
  1173. /**
  1174. * @const
  1175. * @private {!RegExp}
  1176. * @example 50.17% 10%
  1177. */
  1178. shaka.text.TtmlTextParser.percentValues_ =
  1179. /^(\d{1,2}(?:\.\d+)?|100(?:\.0+)?)% (\d{1,2}(?:\.\d+)?|100(?:\.0+)?)%$/;
  1180. /**
  1181. * @const
  1182. * @private {!RegExp}
  1183. * @example 0.6% 90% 300% 1000%
  1184. */
  1185. shaka.text.TtmlTextParser.percentValue_ = /^(\d{1,4}(?:\.\d+)?|100)%$/;
  1186. /**
  1187. * @const
  1188. * @private {!RegExp}
  1189. * @example 100px, 8em, 0.80c
  1190. */
  1191. shaka.text.TtmlTextParser.unitValues_ = /^(\d+px|\d+em|\d*\.?\d+c)$/;
  1192. /**
  1193. * @const
  1194. * @private {!RegExp}
  1195. * @example 100px
  1196. */
  1197. shaka.text.TtmlTextParser.pixelValues_ = /^(\d+)px (\d+)px$/;
  1198. /**
  1199. * @const
  1200. * @private {!RegExp}
  1201. * @example 00:00:40:07 (7 frames) or 00:00:40:07.1 (7 frames, 1 subframe)
  1202. */
  1203. shaka.text.TtmlTextParser.timeColonFormatFrames_ =
  1204. /^(\d{2,}):(\d{2}):(\d{2}):(\d{2})\.?(\d+)?$/;
  1205. /**
  1206. * @const
  1207. * @private {!RegExp}
  1208. * @example 00:00:40 or 00:40
  1209. */
  1210. shaka.text.TtmlTextParser.timeColonFormat_ = /^(?:(\d{2,}):)?(\d{2}):(\d{2})$/;
  1211. /**
  1212. * @const
  1213. * @private {!RegExp}
  1214. * @example 01:02:43.0345555 or 02:43.03 or 02:45.5
  1215. */
  1216. shaka.text.TtmlTextParser.timeColonFormatMilliseconds_ =
  1217. /^(?:(\d{2,}):)?(\d{2}):(\d{2}\.\d+)$/;
  1218. /**
  1219. * @const
  1220. * @private {!RegExp}
  1221. * @example 75f or 75.5f
  1222. */
  1223. shaka.text.TtmlTextParser.timeFramesFormat_ = /^(\d*(?:\.\d*)?)f$/;
  1224. /**
  1225. * @const
  1226. * @private {!RegExp}
  1227. * @example 50t or 50.5t
  1228. */
  1229. shaka.text.TtmlTextParser.timeTickFormat_ = /^(\d*(?:\.\d*)?)t$/;
  1230. /**
  1231. * @const
  1232. * @private {!RegExp}
  1233. * @example 3.45h, 3m or 4.20s
  1234. */
  1235. shaka.text.TtmlTextParser.timeHMSFormat_ =
  1236. new RegExp(['^(?:(\\d*(?:\\.\\d*)?)h)?',
  1237. '(?:(\\d*(?:\\.\\d*)?)m)?',
  1238. '(?:(\\d*(?:\\.\\d*)?)s)?',
  1239. '(?:(\\d*(?:\\.\\d*)?)ms)?$'].join(''));
  1240. /**
  1241. * @const
  1242. * @private {!Object.<string, shaka.text.Cue.lineAlign>}
  1243. */
  1244. shaka.text.TtmlTextParser.textAlignToLineAlign_ = {
  1245. 'left': shaka.text.Cue.lineAlign.START,
  1246. 'center': shaka.text.Cue.lineAlign.CENTER,
  1247. 'right': shaka.text.Cue.lineAlign.END,
  1248. 'start': shaka.text.Cue.lineAlign.START,
  1249. 'end': shaka.text.Cue.lineAlign.END,
  1250. };
  1251. /**
  1252. * @const
  1253. * @private {!Object.<string, shaka.text.Cue.positionAlign>}
  1254. */
  1255. shaka.text.TtmlTextParser.textAlignToPositionAlign_ = {
  1256. 'left': shaka.text.Cue.positionAlign.LEFT,
  1257. 'center': shaka.text.Cue.positionAlign.CENTER,
  1258. 'right': shaka.text.Cue.positionAlign.RIGHT,
  1259. };
  1260. /**
  1261. * The namespace URL for TTML parameters. Can be assigned any name in the TTML
  1262. * document, not just "ttp:", so we use this with getAttributeNS() to ensure
  1263. * that we support arbitrary namespace names.
  1264. *
  1265. * @const {!Array.<string>}
  1266. * @private
  1267. */
  1268. shaka.text.TtmlTextParser.parameterNs_ = [
  1269. 'http://www.w3.org/ns/ttml#parameter',
  1270. 'http://www.w3.org/2006/10/ttaf1#parameter',
  1271. ];
  1272. /**
  1273. * The namespace URL for TTML styles. Can be assigned any name in the TTML
  1274. * document, not just "tts:", so we use this with getAttributeNS() to ensure
  1275. * that we support arbitrary namespace names.
  1276. *
  1277. * @const {!Array.<string>}
  1278. * @private
  1279. */
  1280. shaka.text.TtmlTextParser.styleNs_ = [
  1281. 'http://www.w3.org/ns/ttml#styling',
  1282. 'http://www.w3.org/2006/10/ttaf1#styling',
  1283. ];
  1284. /**
  1285. * The namespace URL for EBU TTML styles. Can be assigned any name in the TTML
  1286. * document, not just "ebutts:", so we use this with getAttributeNS() to ensure
  1287. * that we support arbitrary namespace names.
  1288. *
  1289. * @const {string}
  1290. * @private
  1291. */
  1292. shaka.text.TtmlTextParser.styleEbuttsNs_ = 'urn:ebu:tt:style';
  1293. /**
  1294. * The supported namespace URLs for SMPTE fields.
  1295. * @const {!Array.<string>}
  1296. * @private
  1297. */
  1298. shaka.text.TtmlTextParser.smpteNsList_ = [
  1299. 'http://www.smpte-ra.org/schemas/2052-1/2010/smpte-tt',
  1300. 'http://www.smpte-ra.org/schemas/2052-1/2013/smpte-tt',
  1301. ];
  1302. shaka.text.TextEngine.registerParser(
  1303. 'application/ttml+xml', () => new shaka.text.TtmlTextParser());