Source: lib/text/ui_text_displayer.js

  1. /*! @license
  2. * Shaka Player
  3. * Copyright 2016 Google LLC
  4. * SPDX-License-Identifier: Apache-2.0
  5. */
  6. goog.provide('shaka.text.UITextDisplayer');
  7. goog.require('goog.asserts');
  8. goog.require('shaka.Deprecate');
  9. goog.require('shaka.text.Cue');
  10. goog.require('shaka.text.CueRegion');
  11. goog.require('shaka.util.Dom');
  12. goog.require('shaka.util.EventManager');
  13. goog.require('shaka.util.Timer');
  14. /**
  15. * The text displayer plugin for the Shaka Player UI. Can also be used directly
  16. * by providing an appropriate container element.
  17. *
  18. * @implements {shaka.extern.TextDisplayer}
  19. * @final
  20. * @export
  21. */
  22. shaka.text.UITextDisplayer = class {
  23. /**
  24. * Constructor.
  25. * @param {HTMLMediaElement} video
  26. * @param {HTMLElement} videoContainer
  27. */
  28. constructor(video, videoContainer) {
  29. goog.asserts.assert(videoContainer, 'videoContainer should be valid.');
  30. /** @private {boolean} */
  31. this.isTextVisible_ = false;
  32. /** @private {!Array.<!shaka.text.Cue>} */
  33. this.cues_ = [];
  34. /** @private {HTMLMediaElement} */
  35. this.video_ = video;
  36. /** @private {HTMLElement} */
  37. this.videoContainer_ = videoContainer;
  38. /** @type {HTMLElement} */
  39. this.textContainer_ = shaka.util.Dom.createHTMLElement('div');
  40. this.textContainer_.classList.add('shaka-text-container');
  41. // Set the subtitles text-centered by default.
  42. this.textContainer_.style.textAlign = 'center';
  43. // Set the captions in the middle horizontally by default.
  44. this.textContainer_.style.display = 'flex';
  45. this.textContainer_.style.flexDirection = 'column';
  46. this.textContainer_.style.alignItems = 'center';
  47. // Set the captions at the bottom by default.
  48. this.textContainer_.style.justifyContent = 'flex-end';
  49. this.videoContainer_.appendChild(this.textContainer_);
  50. /**
  51. * The captions' update period in seconds.
  52. * @private {number}
  53. */
  54. const updatePeriod = 0.25;
  55. /** @private {shaka.util.Timer} */
  56. this.captionsTimer_ = new shaka.util.Timer(() => {
  57. this.updateCaptions_();
  58. }).tickEvery(updatePeriod);
  59. /**
  60. * Maps cues to cue elements. Specifically points out the wrapper element of
  61. * the cue (e.g. the HTML element to put nested cues inside).
  62. * @private {Map.<!shaka.extern.Cue, !{
  63. * cueElement: !HTMLElement,
  64. * regionElement: HTMLElement,
  65. * wrapper: !HTMLElement
  66. * }>}
  67. */
  68. this.currentCuesMap_ = new Map();
  69. /** @private {shaka.util.EventManager} */
  70. this.eventManager_ = new shaka.util.EventManager();
  71. this.eventManager_.listen(document, 'fullscreenchange', () => {
  72. this.updateCaptions_(/* forceUpdate= */ true);
  73. });
  74. /** @private {ResizeObserver} */
  75. this.resizeObserver_ = null;
  76. if ('ResizeObserver' in window) {
  77. this.resizeObserver_ = new ResizeObserver(() => {
  78. this.updateCaptions_(/* forceUpdate= */ true);
  79. });
  80. this.resizeObserver_.observe(this.textContainer_);
  81. }
  82. /** @private {Map.<string, !HTMLElement>} */
  83. this.regionElements_ = new Map();
  84. }
  85. /**
  86. * @override
  87. * @export
  88. */
  89. append(cues) {
  90. // Clone the cues list for performace optimization. We can avoid the cues
  91. // list growing during the comparisons for duplicate cues.
  92. // See: https://github.com/shaka-project/shaka-player/issues/3018
  93. const cuesList = [...this.cues_];
  94. for (const cue of cues) {
  95. // When a VTT cue spans a segment boundary, the cue will be duplicated
  96. // into two segments.
  97. // To avoid displaying duplicate cues, if the current cue list already
  98. // contains the cue, skip it.
  99. const containsCue = cuesList.some(
  100. (cueInList) => shaka.text.Cue.equal(cueInList, cue));
  101. if (!containsCue) {
  102. this.cues_.push(cue);
  103. }
  104. }
  105. this.updateCaptions_();
  106. }
  107. /**
  108. * @override
  109. * @export
  110. */
  111. destroy() {
  112. // Remove the text container element from the UI.
  113. this.videoContainer_.removeChild(this.textContainer_);
  114. this.textContainer_ = null;
  115. this.isTextVisible_ = false;
  116. this.cues_ = [];
  117. if (this.captionsTimer_) {
  118. this.captionsTimer_.stop();
  119. }
  120. this.currentCuesMap_.clear();
  121. // Tear-down the event manager to ensure messages stop moving around.
  122. if (this.eventManager_) {
  123. this.eventManager_.release();
  124. this.eventManager_ = null;
  125. }
  126. if (this.resizeObserver_) {
  127. this.resizeObserver_.disconnect();
  128. this.resizeObserver_ = null;
  129. }
  130. }
  131. /**
  132. * @override
  133. * @export
  134. */
  135. remove(start, end) {
  136. // Return false if destroy() has been called.
  137. if (!this.textContainer_) {
  138. return false;
  139. }
  140. // Remove the cues out of the time range.
  141. const oldNumCues = this.cues_.length;
  142. this.cues_ = this.cues_.filter(
  143. (cue) => cue.startTime < start || cue.endTime >= end);
  144. // If anything was actually removed in this process, force the captions to
  145. // update. This makes sure that the currently-displayed cues will stop
  146. // displaying if removed (say, due to the user changing languages).
  147. const forceUpdate = oldNumCues > this.cues_.length;
  148. this.updateCaptions_(forceUpdate);
  149. return true;
  150. }
  151. /**
  152. * @override
  153. * @export
  154. */
  155. isTextVisible() {
  156. return this.isTextVisible_;
  157. }
  158. /**
  159. * @override
  160. * @export
  161. */
  162. setTextVisibility(on) {
  163. this.isTextVisible_ = on;
  164. }
  165. /**
  166. * @private
  167. */
  168. isElementUnderTextContainer_(elemToCheck) {
  169. while (elemToCheck != null) {
  170. if (elemToCheck == this.textContainer_) {
  171. return true;
  172. }
  173. elemToCheck = elemToCheck.parentElement;
  174. }
  175. return false;
  176. }
  177. /**
  178. * @param {!Array.<!shaka.extern.Cue>} cues
  179. * @param {!HTMLElement} container
  180. * @param {number} currentTime
  181. * @param {!Array.<!shaka.extern.Cue>} parents
  182. * @private
  183. */
  184. updateCuesRecursive_(cues, container, currentTime, parents) {
  185. // Set to true if the cues have changed in some way, which will require
  186. // DOM changes. E.g. if a cue was added or removed.
  187. let updateDOM = false;
  188. /**
  189. * The elements to remove from the DOM.
  190. * Some of these elements may be added back again, if their corresponding
  191. * cue is in toPlant.
  192. * These elements are only removed if updateDOM is true.
  193. * @type {!Array.<!HTMLElement>}
  194. */
  195. const toUproot = [];
  196. /**
  197. * The cues whose corresponding elements should be in the DOM.
  198. * Some of these might be new, some might have been displayed beforehand.
  199. * These will only be added if updateDOM is true.
  200. * @type {!Array.<!shaka.extern.Cue>}
  201. */
  202. const toPlant = [];
  203. for (const cue of cues) {
  204. parents.push(cue);
  205. let cueRegistry = this.currentCuesMap_.get(cue);
  206. const shouldBeDisplayed =
  207. cue.startTime <= currentTime && cue.endTime > currentTime;
  208. let wrapper = cueRegistry ? cueRegistry.wrapper : null;
  209. if (cueRegistry) {
  210. // If the cues are replanted, all existing cues should be uprooted,
  211. // even ones which are going to be planted again.
  212. toUproot.push(cueRegistry.cueElement);
  213. // Also uproot all displayed region elements.
  214. if (cueRegistry.regionElement) {
  215. toUproot.push(cueRegistry.regionElement);
  216. }
  217. // If the cue should not be displayed, remove it entirely.
  218. if (!shouldBeDisplayed) {
  219. // Since something has to be removed, we will need to update the DOM.
  220. updateDOM = true;
  221. this.currentCuesMap_.delete(cue);
  222. cueRegistry = null;
  223. }
  224. }
  225. if (shouldBeDisplayed) {
  226. toPlant.push(cue);
  227. if (!cueRegistry) {
  228. // The cue has to be made!
  229. this.createCue_(cue, parents);
  230. cueRegistry = this.currentCuesMap_.get(cue);
  231. wrapper = cueRegistry.wrapper;
  232. updateDOM = true;
  233. } else if (!this.isElementUnderTextContainer_(wrapper)) {
  234. // We found that the wrapper needs to be in the DOM
  235. updateDOM = true;
  236. }
  237. }
  238. // Recursively check the nested cues, to see if they need to be added or
  239. // removed.
  240. // If wrapper is null, that means that the cue is not only not being
  241. // displayed currently, it also was not removed this tick. So it's
  242. // guaranteed that the children will neither need to be added nor removed.
  243. if (cue.nestedCues.length > 0 && wrapper) {
  244. this.updateCuesRecursive_(
  245. cue.nestedCues, wrapper, currentTime, parents);
  246. }
  247. const topCue = parents.pop();
  248. goog.asserts.assert(topCue == cue, 'Parent cues should be kept in order');
  249. }
  250. if (updateDOM) {
  251. for (const element of toUproot) {
  252. // NOTE: Because we uproot shared region elements, too, we might hit an
  253. // element here that has no parent because we've already processed it.
  254. if (element.parentElement) {
  255. element.parentElement.removeChild(element);
  256. }
  257. }
  258. toPlant.sort((a, b) => {
  259. if (a.startTime != b.startTime) {
  260. return a.startTime - b.startTime;
  261. } else {
  262. return a.endTime - b.endTime;
  263. }
  264. });
  265. for (const cue of toPlant) {
  266. const cueRegistry = this.currentCuesMap_.get(cue);
  267. goog.asserts.assert(cueRegistry, 'cueRegistry should exist.');
  268. if (cueRegistry.regionElement) {
  269. container.appendChild(cueRegistry.regionElement);
  270. cueRegistry.regionElement.appendChild(cueRegistry.cueElement);
  271. } else {
  272. container.appendChild(cueRegistry.cueElement);
  273. }
  274. }
  275. }
  276. }
  277. /**
  278. * Display the current captions.
  279. * @param {boolean=} forceUpdate
  280. * @private
  281. */
  282. updateCaptions_(forceUpdate = false) {
  283. if (!this.textContainer_) {
  284. return;
  285. }
  286. const currentTime = this.video_.currentTime;
  287. if (!this.isTextVisible_ || forceUpdate) {
  288. // Remove child elements from all regions.
  289. for (const regionElement of this.regionElements_.values()) {
  290. shaka.util.Dom.removeAllChildren(regionElement);
  291. }
  292. // Remove all top-level elements in the text container.
  293. shaka.util.Dom.removeAllChildren(this.textContainer_);
  294. // Clear the element maps.
  295. this.currentCuesMap_.clear();
  296. this.regionElements_.clear();
  297. }
  298. if (this.isTextVisible_) {
  299. // Log currently attached cue elements for verification, later.
  300. const previousCuesMap = new Map();
  301. for (const cue of this.currentCuesMap_.keys()) {
  302. previousCuesMap.set(cue, this.currentCuesMap_.get(cue));
  303. }
  304. // Update the cues.
  305. this.updateCuesRecursive_(
  306. this.cues_, this.textContainer_, currentTime, /* parents= */ []);
  307. if (goog.DEBUG) {
  308. // Previously, we had an issue (#2076) where cues sometimes were not
  309. // properly removed from the DOM. It is not clear if this issue still
  310. // happens, so the previous fix for it has been changed to an assert.
  311. for (const cue of previousCuesMap.keys()) {
  312. if (!this.currentCuesMap_.has(cue)) {
  313. // TODO: If the problem does not appear again, then we should remove
  314. // this assert (and the previousCuesMap code) in Shaka v4.
  315. const cueElement = previousCuesMap.get(cue).cueElement;
  316. goog.asserts.assert(
  317. !cueElement.parentNode, 'Cue was not properly removed!');
  318. }
  319. }
  320. }
  321. }
  322. }
  323. /**
  324. * Get or create a region element corresponding to the cue region. These are
  325. * cached by ID.
  326. *
  327. * @param {!shaka.extern.Cue} cue
  328. * @return {!HTMLElement}
  329. * @private
  330. */
  331. getRegionElement_(cue) {
  332. const region = cue.region;
  333. if (this.regionElements_.has(region.id)) {
  334. return this.regionElements_.get(region.id);
  335. }
  336. const regionElement = shaka.util.Dom.createHTMLElement('span');
  337. const percentageUnit = shaka.text.CueRegion.units.PERCENTAGE;
  338. const heightUnit = region.heightUnits == percentageUnit ? '%' : 'px';
  339. const widthUnit = region.widthUnits == percentageUnit ? '%' : 'px';
  340. const viewportAnchorUnit =
  341. region.viewportAnchorUnits == percentageUnit ? '%' : 'px';
  342. regionElement.id = 'shaka-text-region---' + region.id;
  343. regionElement.classList.add('shaka-text-region');
  344. regionElement.style.height = region.height + heightUnit;
  345. regionElement.style.width = region.width + widthUnit;
  346. regionElement.style.position = 'absolute';
  347. regionElement.style.top = region.viewportAnchorY + viewportAnchorUnit;
  348. regionElement.style.left = region.viewportAnchorX + viewportAnchorUnit;
  349. regionElement.style.display = 'flex';
  350. regionElement.style.flexDirection = 'column';
  351. regionElement.style.alignItems = 'center';
  352. if (cue.displayAlign == shaka.text.Cue.displayAlign.BEFORE) {
  353. regionElement.style.justifyContent = 'flex-start';
  354. } else if (cue.displayAlign == shaka.text.Cue.displayAlign.CENTER) {
  355. regionElement.style.justifyContent = 'center';
  356. } else {
  357. regionElement.style.justifyContent = 'flex-end';
  358. }
  359. this.regionElements_.set(region.id, regionElement);
  360. return regionElement;
  361. }
  362. /**
  363. * Creates the object for a cue.
  364. *
  365. * @param {!shaka.extern.Cue} cue
  366. * @param {!Array.<!shaka.extern.Cue>} parents
  367. * @private
  368. */
  369. createCue_(cue, parents) {
  370. const isNested = parents.length > 1;
  371. let type = isNested ? 'span' : 'div';
  372. if (cue.lineBreak || cue.spacer) {
  373. if (cue.spacer) {
  374. shaka.Deprecate.deprecateFeature(4,
  375. 'shaka.extern.Cue',
  376. 'Please use lineBreak instead of spacer.');
  377. }
  378. type = 'br';
  379. }
  380. const needWrapper = !isNested && cue.nestedCues.length > 0;
  381. // Nested cues are inline elements. Top-level cues are block elements.
  382. const cueElement = shaka.util.Dom.createHTMLElement(type);
  383. if (type != 'br') {
  384. this.setCaptionStyles_(cueElement, cue, parents, needWrapper);
  385. }
  386. let regionElement = null;
  387. if (cue.region && cue.region.id) {
  388. regionElement = this.getRegionElement_(cue);
  389. }
  390. let wrapper = cueElement;
  391. if (needWrapper) {
  392. // Create a wrapper element which will serve to contain all children into
  393. // a single item. This ensures that nested span elements appear
  394. // horizontally and br elements occupy no vertical space.
  395. wrapper = shaka.util.Dom.createHTMLElement('span');
  396. wrapper.classList.add('shaka-text-wrapper');
  397. wrapper.style.backgroundColor = cue.backgroundColor;
  398. cueElement.appendChild(wrapper);
  399. }
  400. this.currentCuesMap_.set(cue, {cueElement, wrapper, regionElement});
  401. }
  402. /**
  403. * @param {!HTMLElement} cueElement
  404. * @param {!shaka.extern.Cue} cue
  405. * @param {!Array.<!shaka.extern.Cue>} parents
  406. * @param {boolean} hasWrapper
  407. * @private
  408. */
  409. setCaptionStyles_(cueElement, cue, parents, hasWrapper) {
  410. const Cue = shaka.text.Cue;
  411. const inherit =
  412. (cb) => shaka.text.UITextDisplayer.inheritProperty_(parents, cb);
  413. const style = cueElement.style;
  414. const isLeaf = cue.nestedCues.length == 0;
  415. const isNested = parents.length > 1;
  416. // TODO: wrapLine is not yet supported. Lines always wrap.
  417. // White space should be preserved if emitted by the text parser. It's the
  418. // job of the parser to omit any whitespace that should not be displayed.
  419. // Using 'pre-wrap' means that whitespace is preserved even at the end of
  420. // the text, but that lines which overflow can still be broken.
  421. style.whiteSpace = 'pre-wrap';
  422. // Using 'break-spaces' would be better, as it would preserve even trailing
  423. // spaces, but that only shipped in Chrome 76. As of July 2020, Safari
  424. // still has not implemented break-spaces, and the original Chromecast will
  425. // never have this feature since it no longer gets firmware updates.
  426. // So we need to replace trailing spaces with non-breaking spaces.
  427. const text = cue.payload.replace(/\s+$/g, (match) => {
  428. const nonBreakingSpace = '\xa0';
  429. return nonBreakingSpace.repeat(match.length);
  430. });
  431. style.webkitTextStrokeColor = cue.textStrokeColor;
  432. style.webkitTextStrokeWidth = cue.textStrokeWidth;
  433. style.color = cue.color;
  434. style.direction = cue.direction;
  435. style.opacity = cue.opacity;
  436. style.paddingLeft = shaka.text.UITextDisplayer.convertLengthValue_(
  437. cue.linePadding, cue, this.videoContainer_);
  438. style.paddingRight =
  439. shaka.text.UITextDisplayer.convertLengthValue_(
  440. cue.linePadding, cue, this.videoContainer_);
  441. if (cue.backgroundImage) {
  442. style.backgroundImage = 'url(\'' + cue.backgroundImage + '\')';
  443. style.backgroundRepeat = 'no-repeat';
  444. style.backgroundSize = 'contain';
  445. style.backgroundPosition = 'center';
  446. // Quoting https://www.w3.org/TR/ttml-imsc1.2/:
  447. // "The width and height (in pixels) of the image resource referenced by
  448. // smpte:backgroundImage SHALL be equal to the width and height expressed
  449. // by the tts:extent attribute of the region in which the div element is
  450. // presented".
  451. style.width = '100%';
  452. style.height = '100%';
  453. } else {
  454. // If we have both text and nested cues, then style everything; otherwise
  455. // place the text in its own <span> so the background doesn't fill the
  456. // whole region.
  457. let elem;
  458. if (cue.nestedCues.length) {
  459. elem = cueElement;
  460. } else {
  461. elem = shaka.util.Dom.createHTMLElement('span');
  462. cueElement.appendChild(elem);
  463. }
  464. if (cue.border) {
  465. elem.style.border = cue.border;
  466. }
  467. if (!hasWrapper) {
  468. const bgColor = inherit((c) => c.backgroundColor);
  469. if (bgColor) {
  470. elem.style.backgroundColor = bgColor;
  471. } else if (text) {
  472. // If there is no background, default to a semi-transparent black.
  473. // Only do this for the text itself.
  474. elem.style.backgroundColor = 'rgba(0, 0, 0, 0.8)';
  475. }
  476. }
  477. if (text) {
  478. elem.textContent = text;
  479. }
  480. }
  481. // The displayAlign attribute specifies the vertical alignment of the
  482. // captions inside the text container. Before means at the top of the
  483. // text container, and after means at the bottom.
  484. if (isNested && !parents[parents.length - 1].isContainer) {
  485. style.display = 'inline';
  486. } else {
  487. style.display = 'flex';
  488. style.flexDirection = 'column';
  489. style.alignItems = 'center';
  490. if (cue.displayAlign == Cue.displayAlign.BEFORE) {
  491. style.justifyContent = 'flex-start';
  492. } else if (cue.displayAlign == Cue.displayAlign.CENTER) {
  493. style.justifyContent = 'center';
  494. } else {
  495. style.justifyContent = 'flex-end';
  496. }
  497. }
  498. if (!isLeaf) {
  499. style.margin = '0';
  500. }
  501. style.fontFamily = cue.fontFamily;
  502. style.fontWeight = cue.fontWeight.toString();
  503. style.fontStyle = cue.fontStyle;
  504. style.letterSpacing = cue.letterSpacing;
  505. style.fontSize = shaka.text.UITextDisplayer.convertLengthValue_(
  506. cue.fontSize, cue, this.videoContainer_);
  507. // The line attribute defines the positioning of the text container inside
  508. // the video container.
  509. // - The line offsets the text container from the top, the right or left of
  510. // the video viewport as defined by the writing direction.
  511. // - The value of the line is either as a number of lines, or a percentage
  512. // of the video viewport height or width.
  513. // The lineAlign is an alignment for the text container's line.
  514. // - The Start alignment means the text container’s top side (for horizontal
  515. // cues), left side (for vertical growing right), or right side (for
  516. // vertical growing left) is aligned at the line.
  517. // - The Center alignment means the text container is centered at the line
  518. // (to be implemented).
  519. // - The End Alignment means The text container’s bottom side (for
  520. // horizontal cues), right side (for vertical growing right), or left side
  521. // (for vertical growing left) is aligned at the line.
  522. // TODO: Implement line alignment with line number.
  523. // TODO: Implement lineAlignment of 'CENTER'.
  524. if (cue.line != null) {
  525. if (cue.lineInterpretation == Cue.lineInterpretation.PERCENTAGE) {
  526. // When setting absolute positioning, you need to set x/y/width/height
  527. // so the element is positioned correctly. Set these as default and
  528. // other settings will override them.
  529. style.position = 'absolute';
  530. style.left = '0';
  531. style.top = '0';
  532. if (cue.writingMode == Cue.writingMode.HORIZONTAL_TOP_TO_BOTTOM) {
  533. style.width = '100%';
  534. if (cue.lineAlign == Cue.lineAlign.START) {
  535. style.top = cue.line + '%';
  536. } else if (cue.lineAlign == Cue.lineAlign.END) {
  537. style.bottom = (100 - cue.line) + '%';
  538. }
  539. } else if (cue.writingMode == Cue.writingMode.VERTICAL_LEFT_TO_RIGHT) {
  540. style.height = '100%';
  541. if (cue.lineAlign == Cue.lineAlign.START) {
  542. style.left = cue.line + '%';
  543. } else if (cue.lineAlign == Cue.lineAlign.END) {
  544. style.right = (100 - cue.line) + '%';
  545. }
  546. } else {
  547. style.height = '100%';
  548. if (cue.lineAlign == Cue.lineAlign.START) {
  549. style.right = cue.line + '%';
  550. } else if (cue.lineAlign == Cue.lineAlign.END) {
  551. style.left = (100 - cue.line) + '%';
  552. }
  553. }
  554. }
  555. }
  556. style.lineHeight = cue.lineHeight;
  557. // The position defines the indent of the text container in the
  558. // direction defined by the writing direction.
  559. if (cue.position != null) {
  560. if (cue.writingMode == Cue.writingMode.HORIZONTAL_TOP_TO_BOTTOM) {
  561. style.paddingLeft = cue.position;
  562. } else {
  563. style.paddingTop = cue.position;
  564. }
  565. }
  566. // The positionAlign attribute is an alignment for the text container in
  567. // the dimension of the writing direction.
  568. if (cue.positionAlign == Cue.positionAlign.LEFT) {
  569. style.cssFloat = 'left';
  570. } else if (cue.positionAlign == Cue.positionAlign.RIGHT) {
  571. style.cssFloat = 'right';
  572. }
  573. style.textAlign = cue.textAlign;
  574. style.textDecoration = cue.textDecoration.join(' ');
  575. style.writingMode = cue.writingMode;
  576. // Old versions of Chromium, which may be found in certain versions of Tizen
  577. // and WebOS, may require the prefixed version: webkitWritingMode.
  578. // https://caniuse.com/css-writing-mode
  579. // However, testing shows that Tizen 3, at least, has a 'writingMode'
  580. // property, but the setter for it does nothing. Therefore we need to
  581. // detect that and fall back to the prefixed version in this case, too.
  582. if (!('writingMode' in document.documentElement.style) ||
  583. style.writingMode != cue.writingMode) {
  584. // Note that here we do not bother to check for webkitWritingMode support
  585. // explicitly. We try the unprefixed version, then fall back to the
  586. // prefixed version unconditionally.
  587. style.webkitWritingMode = cue.writingMode;
  588. }
  589. // The size is a number giving the size of the text container, to be
  590. // interpreted as a percentage of the video, as defined by the writing
  591. // direction.
  592. if (cue.size) {
  593. if (cue.writingMode == Cue.writingMode.HORIZONTAL_TOP_TO_BOTTOM) {
  594. style.width = cue.size + '%';
  595. } else {
  596. style.height = cue.size + '%';
  597. }
  598. }
  599. }
  600. /**
  601. * Returns info about provided lengthValue
  602. * @example 100px => { value: 100, unit: 'px' }
  603. * @param {?string} lengthValue
  604. *
  605. * @return {?{ value: number, unit: string }}
  606. * @private
  607. */
  608. static getLengthValueInfo_(lengthValue) {
  609. const matches = new RegExp(/(\d*\.?\d+)([a-z]+|%+)/).exec(lengthValue);
  610. if (!matches) {
  611. return null;
  612. }
  613. return {
  614. value: Number(matches[1]),
  615. unit: matches[2],
  616. };
  617. }
  618. /**
  619. * Converts length value to an absolute value in pixels.
  620. * If lengthValue is already an absolute value it will not
  621. * be modified. Relative lengthValue will be converted to an
  622. * absolute value in pixels based on Computed Cell Size
  623. *
  624. * @param {string} lengthValue
  625. * @param {!shaka.extern.Cue} cue
  626. * @param {HTMLElement} videoContainer
  627. * @return {string}
  628. * @private
  629. */
  630. static convertLengthValue_(lengthValue, cue, videoContainer) {
  631. const lengthValueInfo =
  632. shaka.text.UITextDisplayer.getLengthValueInfo_(lengthValue);
  633. if (!lengthValueInfo) {
  634. return lengthValue;
  635. }
  636. const {unit, value} = lengthValueInfo;
  637. switch (unit) {
  638. case '%':
  639. return shaka.text.UITextDisplayer.getAbsoluteLengthInPixels_(
  640. value / 100, cue, videoContainer);
  641. case 'c':
  642. return shaka.text.UITextDisplayer.getAbsoluteLengthInPixels_(
  643. value, cue, videoContainer);
  644. default:
  645. return lengthValue;
  646. }
  647. }
  648. /**
  649. * Returns computed absolute length value in pixels based on cell
  650. * and a video container size
  651. * @param {number} value
  652. * @param {!shaka.extern.Cue} cue
  653. * @param {HTMLElement} videoContainer
  654. * @return {string}
  655. *
  656. * @private
  657. * */
  658. static getAbsoluteLengthInPixels_(value, cue, videoContainer) {
  659. const containerHeight = videoContainer.clientHeight;
  660. return (containerHeight * value / cue.cellResolution.rows) + 'px';
  661. }
  662. /**
  663. * Inherits a property from the parent Cue elements. If the value is falsy,
  664. * it is assumed to be inherited from the parent. This returns null if the
  665. * value isn't found.
  666. *
  667. * @param {!Array.<!shaka.extern.Cue>} parents
  668. * @param {function(!shaka.extern.Cue):?T} cb
  669. * @return {?T}
  670. * @template T
  671. * @private
  672. */
  673. static inheritProperty_(parents, cb) {
  674. for (let i = parents.length - 1; i >= 0; i--) {
  675. const val = cb(parents[i]);
  676. if (val || val === 0) {
  677. return val;
  678. }
  679. }
  680. return null;
  681. }
  682. };