Source: lib/cea/sei_processor.js

  1. /*! @license
  2. * Shaka Player
  3. * Copyright 2016 Google LLC
  4. * SPDX-License-Identifier: Apache-2.0
  5. */
  6. goog.provide('shaka.cea.SeiProcessor');
  7. /**
  8. * H.264 SEI NALU Parser used for extracting 708 closed caption packets.
  9. */
  10. shaka.cea.SeiProcessor = class {
  11. /**
  12. * Processes supplemental enhancement information data.
  13. * @param {!Uint8Array} naluData NALU from which SEI data is to be processed.
  14. * @return {!Array.<!Uint8Array>}
  15. */
  16. process(naluData) {
  17. const seiPayloads = [];
  18. const naluClone = this.removeEmu(naluData);
  19. // The following is an implementation of section 7.3.2.3.1
  20. // in Rec. ITU-T H.264 (06/2019), the H.264 spec.
  21. let offset = 0;
  22. while (offset < naluClone.length) {
  23. let payloadType = 0; // SEI payload type as defined by H.264 spec
  24. while (naluClone[offset] == 0xFF) {
  25. payloadType += 255;
  26. offset++;
  27. }
  28. payloadType += naluClone[offset++];
  29. let payloadSize = 0; // SEI payload size as defined by H.264 spec
  30. while (naluClone[offset] == 0xFF) {
  31. payloadSize += 255;
  32. offset++;
  33. }
  34. payloadSize += naluClone[offset++];
  35. // Payload type 4 is user_data_registered_itu_t_t35, as per the H.264
  36. // spec. This payload type contains caption data.
  37. if (payloadType == 0x04) {
  38. seiPayloads.push(naluClone.subarray(offset, offset + payloadSize));
  39. }
  40. offset += payloadSize;
  41. }
  42. return seiPayloads;
  43. }
  44. /**
  45. * Removes H.264 emulation prevention bytes from the byte array.
  46. *
  47. * Note: Remove bytes by shifting will cause Chromium (VDA) to complain
  48. * about conformance. Recreating a new array solves it.
  49. *
  50. * @param {!Uint8Array} naluData NALU from which EMUs should be removed.
  51. * @return {!Uint8Array} The NALU with the emulation prevention byte removed.
  52. */
  53. removeEmu(naluData) {
  54. let naluClone = naluData;
  55. let zeroCount = 0;
  56. let src = 0;
  57. while (src < naluClone.length) {
  58. if (zeroCount == 2 && naluClone[src] == 0x03) {
  59. // 0x00, 0x00, 0x03 pattern detected
  60. zeroCount = 0;
  61. // Splice the array and recreate a new one, instead of shifting bytes
  62. const newArr = [...naluClone];
  63. newArr.splice(src, 1);
  64. naluClone = new Uint8Array(newArr);
  65. } else {
  66. if (naluClone[src] == 0x00) {
  67. zeroCount++;
  68. } else {
  69. zeroCount = 0;
  70. }
  71. }
  72. src++;
  73. }
  74. return naluClone;
  75. }
  76. };