Source: lib/cast/cast_utils.js

  1. /*! @license
  2. * Shaka Player
  3. * Copyright 2016 Google LLC
  4. * SPDX-License-Identifier: Apache-2.0
  5. */
  6. goog.provide('shaka.cast.CastUtils');
  7. goog.require('shaka.media.TimeRangesUtils');
  8. goog.require('shaka.util.FakeEvent');
  9. /**
  10. * @summary A set of cast utility functions and variables shared between sender
  11. * and receiver.
  12. */
  13. shaka.cast.CastUtils = class {
  14. /**
  15. * Serialize as JSON, but specially encode things JSON will not otherwise
  16. * represent.
  17. * @param {?} thing
  18. * @return {string}
  19. */
  20. static serialize(thing) {
  21. return JSON.stringify(thing, (key, value) => {
  22. if (typeof value == 'function') {
  23. // Functions can't be (safely) serialized.
  24. return undefined;
  25. }
  26. if (value instanceof Event || value instanceof shaka.util.FakeEvent) {
  27. // Events don't serialize to JSON well because of the DOM objects
  28. // and other complex objects they contain, so we strip these out.
  29. // Note that using Object.keys or JSON.stringify directly on the event
  30. // will not capture its properties. We must use a for loop.
  31. const simpleEvent = {};
  32. for (const eventKey in value) {
  33. const eventValue = value[eventKey];
  34. if (eventValue && typeof eventValue == 'object') {
  35. if (eventKey == 'detail') {
  36. // Keep the detail value, because it contains important
  37. // information for diagnosing errors.
  38. simpleEvent[eventKey] = eventValue;
  39. }
  40. // Strip out non-null object types because they are complex and we
  41. // don't need them.
  42. } else if (eventKey in Event) {
  43. // Strip out keys that are found on Event itself because they are
  44. // class-level constants we don't need, like Event.MOUSEMOVE == 16.
  45. } else {
  46. simpleEvent[eventKey] = eventValue;
  47. }
  48. }
  49. return simpleEvent;
  50. }
  51. if (value instanceof Error) {
  52. // Errors don't serialize to JSON well, either. TypeError, for example,
  53. // turns in "{}", leading to messages like "Error UNKNOWN.UNKNOWN" when
  54. // deserialized on the sender and displayed in the demo app.
  55. return shaka.cast.CastUtils.unpackError_(value);
  56. }
  57. if (value instanceof TimeRanges) {
  58. // TimeRanges must be unpacked into plain data for serialization.
  59. return shaka.cast.CastUtils.unpackTimeRanges_(value);
  60. }
  61. if (value instanceof Uint8Array) {
  62. // Some of our code cares about Uint8Arrays actually being Uint8Arrays,
  63. // so this gives them special treatment.
  64. return shaka.cast.CastUtils.unpackUint8Array_(value);
  65. }
  66. if (typeof value == 'number') {
  67. // NaN and infinity cannot be represented directly in JSON.
  68. if (isNaN(value)) {
  69. return 'NaN';
  70. }
  71. if (isFinite(value)) {
  72. return value;
  73. }
  74. if (value < 0) {
  75. return '-Infinity';
  76. }
  77. return 'Infinity';
  78. }
  79. return value;
  80. });
  81. }
  82. /**
  83. * Deserialize JSON using our special encodings.
  84. * @param {string} str
  85. * @return {?}
  86. */
  87. static deserialize(str) {
  88. return JSON.parse(str, (key, value) => {
  89. if (value == 'NaN') {
  90. return NaN;
  91. } else if (value == '-Infinity') {
  92. return -Infinity;
  93. } else if (value == 'Infinity') {
  94. return Infinity;
  95. } else if (value && typeof value == 'object' &&
  96. value['__type__'] == 'TimeRanges') {
  97. // TimeRanges objects have been unpacked and sent as plain data.
  98. // Simulate the original TimeRanges object.
  99. return shaka.cast.CastUtils.simulateTimeRanges_(value);
  100. } else if (value && typeof value == 'object' &&
  101. value['__type__'] == 'Uint8Array') {
  102. return shaka.cast.CastUtils.makeUint8Array_(value);
  103. } else if (value && typeof value == 'object' &&
  104. value['__type__'] == 'Error') {
  105. return shaka.cast.CastUtils.makeError_(value);
  106. }
  107. return value;
  108. });
  109. }
  110. /**
  111. * @param {!TimeRanges} ranges
  112. * @return {!Object}
  113. * @private
  114. */
  115. static unpackTimeRanges_(ranges) {
  116. const obj = {
  117. '__type__': 'TimeRanges', // a signal to deserialize
  118. 'length': ranges.length,
  119. 'start': [],
  120. 'end': [],
  121. };
  122. const TimeRangesUtils = shaka.media.TimeRangesUtils;
  123. for (const {start, end} of TimeRangesUtils.getBufferedInfo(ranges)) {
  124. obj['start'].push(start);
  125. obj['end'].push(end);
  126. }
  127. return obj;
  128. }
  129. /**
  130. * Creates a simulated TimeRanges object from data sent by the cast receiver.
  131. * @param {?} obj
  132. * @return {{
  133. * length: number,
  134. * start: function(number): number,
  135. * end: function(number): number
  136. * }}
  137. * @private
  138. */
  139. static simulateTimeRanges_(obj) {
  140. return {
  141. length: obj.length,
  142. // NOTE: a more complete simulation would throw when |i| was out of range,
  143. // but for simplicity we will assume a well-behaved application that uses
  144. // length instead of catch to stop iterating.
  145. start: (i) => { return obj.start[i]; },
  146. end: (i) => { return obj.end[i]; },
  147. };
  148. }
  149. /**
  150. * @param {!Uint8Array} array
  151. * @return {!Object}
  152. * @private
  153. */
  154. static unpackUint8Array_(array) {
  155. return {
  156. '__type__': 'Uint8Array', // a signal to deserialize
  157. 'entries': Array.from(array),
  158. };
  159. }
  160. /**
  161. * Creates a Uint8Array object from data sent by the cast receiver.
  162. * @param {?} obj
  163. * @return {!Uint8Array}
  164. * @private
  165. */
  166. static makeUint8Array_(obj) {
  167. return new Uint8Array(/** @type {!Array.<number>} */ (obj['entries']));
  168. }
  169. /**
  170. * @param {!Error} error
  171. * @return {!Object}
  172. * @private
  173. */
  174. static unpackError_(error) {
  175. // None of the properties in TypeError are enumerable, but there are some
  176. // common Error properties we expect. We also enumerate any enumerable
  177. // properties and "own" properties of the type, in case there is an Error
  178. // subtype with additional properties we don't know about in advance.
  179. const properties = new Set(['name', 'message', 'stack']);
  180. for (const key in error) {
  181. properties.add(key);
  182. }
  183. for (const key of Object.getOwnPropertyNames(error)) {
  184. properties.add(key);
  185. }
  186. const contents = {};
  187. for (const key of properties) {
  188. contents[key] = error[key];
  189. }
  190. return {
  191. '__type__': 'Error', // a signal to deserialize
  192. 'contents': contents,
  193. };
  194. }
  195. /**
  196. * Creates an Error object from data sent by the cast receiver.
  197. * @param {?} obj
  198. * @return {!Error}
  199. * @private
  200. */
  201. static makeError_(obj) {
  202. const contents = obj['contents'];
  203. const error = new Error(contents['message']);
  204. for (const key in contents) {
  205. error[key] = contents[key];
  206. }
  207. return error;
  208. }
  209. };
  210. /**
  211. * HTMLMediaElement events that are proxied while casting.
  212. * @const {!Array.<string>}
  213. */
  214. shaka.cast.CastUtils.VideoEvents = [
  215. 'ended',
  216. 'play',
  217. 'playing',
  218. 'pause',
  219. 'pausing',
  220. 'ratechange',
  221. 'seeked',
  222. 'seeking',
  223. 'timeupdate',
  224. 'volumechange',
  225. ];
  226. /**
  227. * HTMLMediaElement attributes that are proxied while casting.
  228. * @const {!Array.<string>}
  229. */
  230. shaka.cast.CastUtils.VideoAttributes = [
  231. 'buffered',
  232. 'currentTime',
  233. 'duration',
  234. 'ended',
  235. 'loop',
  236. 'muted',
  237. 'paused',
  238. 'playbackRate',
  239. 'seeking',
  240. 'videoHeight',
  241. 'videoWidth',
  242. 'volume',
  243. ];
  244. /**
  245. * HTMLMediaElement attributes that are transferred when casting begins.
  246. * @const {!Array.<string>}
  247. */
  248. shaka.cast.CastUtils.VideoInitStateAttributes = [
  249. 'loop',
  250. 'playbackRate',
  251. ];
  252. /**
  253. * HTMLMediaElement methods with no return value that are proxied while casting.
  254. * @const {!Array.<string>}
  255. */
  256. shaka.cast.CastUtils.VideoVoidMethods = [
  257. 'pause',
  258. 'play',
  259. ];
  260. /**
  261. * Player getter methods that are proxied while casting.
  262. * The key is the method, the value is the frequency of updates.
  263. * Frequency 1 translates to every update; frequency 2 to every 2 updates, etc.
  264. * @const {!Object.<string, number>}
  265. */
  266. shaka.cast.CastUtils.PlayerGetterMethods = {
  267. // NOTE: The 'drmInfo' property is not proxied, as it is very large.
  268. 'getAssetUri': 2,
  269. 'getAudioLanguages': 4,
  270. 'getAudioLanguagesAndRoles': 4,
  271. 'getBufferFullness': 1,
  272. 'getBufferedInfo': 2,
  273. 'getExpiration': 2,
  274. 'getKeyStatuses': 2,
  275. // NOTE: The 'getManifest' property is not proxied, as it is very large.
  276. // NOTE: The 'getManifestParserFactory' property is not proxied, as it would
  277. // not serialize.
  278. 'getPlaybackRate': 2,
  279. 'getTextLanguages': 4,
  280. 'getTextLanguagesAndRoles': 4,
  281. 'getImageTracks': 2,
  282. 'getThumbnails': 2,
  283. 'isAudioOnly': 10,
  284. 'isBuffering': 1,
  285. 'isInProgress': 1,
  286. 'isLive': 10,
  287. 'isTextTrackVisible': 1,
  288. 'keySystem': 10,
  289. 'seekRange': 1,
  290. 'getLoadMode': 10,
  291. 'getManifestType': 10,
  292. };
  293. /**
  294. * Player getter methods with data large enough to be sent in their own update
  295. * messages, to reduce the size of each message. The format of this is
  296. * identical to PlayerGetterMethods.
  297. * @const {!Object.<string, number>}
  298. */
  299. shaka.cast.CastUtils.LargePlayerGetterMethods = {
  300. // NOTE: The 'getSharedConfiguration' property is not proxied as it would
  301. // not be possible to share a reference.
  302. 'getConfiguration': 4,
  303. 'getStats': 5,
  304. 'getTextTracks': 2,
  305. 'getVariantTracks': 2,
  306. };
  307. /**
  308. * Player getter methods that are proxied while casting, but only when casting
  309. * a livestream.
  310. * The key is the method, the value is the frequency of updates.
  311. * Frequency 1 translates to every update; frequency 2 to every 2 updates, etc.
  312. * @const {!Object.<string, number>}
  313. */
  314. shaka.cast.CastUtils.PlayerGetterMethodsThatRequireLive = {
  315. 'getPlayheadTimeAsDate': 1,
  316. 'getPresentationStartTimeAsDate': 20,
  317. 'getSegmentAvailabilityDuration': 20,
  318. };
  319. /**
  320. * Player getter and setter methods that are used to transfer state when casting
  321. * begins.
  322. * @const {!Array.<!Array.<string>>}
  323. */
  324. shaka.cast.CastUtils.PlayerInitState = [
  325. ['getConfiguration', 'configure'],
  326. ];
  327. /**
  328. * Player getter and setter methods that are used to transfer state after
  329. * load() is resolved.
  330. * @const {!Array.<!Array.<string>>}
  331. */
  332. shaka.cast.CastUtils.PlayerInitAfterLoadState = [
  333. ['isTextTrackVisible', 'setTextTrackVisibility'],
  334. ];
  335. /**
  336. * Player methods with no return value that are proxied while casting.
  337. * @const {!Array.<string>}
  338. */
  339. shaka.cast.CastUtils.PlayerVoidMethods = [
  340. 'addChaptersTrack',
  341. 'addTextTrackAsync',
  342. 'addThumbnailsTrack',
  343. 'cancelTrickPlay',
  344. 'configure',
  345. 'getChapters',
  346. 'getChaptersTracks',
  347. 'resetConfiguration',
  348. 'retryStreaming',
  349. 'selectAudioLanguage',
  350. 'selectTextLanguage',
  351. 'selectTextTrack',
  352. 'selectVariantTrack',
  353. 'selectVariantsByLabel',
  354. 'setTextTrackVisibility',
  355. 'trickPlay',
  356. 'updateStartTime',
  357. 'goToLive',
  358. ];
  359. /**
  360. * Player methods returning a Promise that are proxied while casting.
  361. * @const {!Array.<string>}
  362. */
  363. shaka.cast.CastUtils.PlayerPromiseMethods = [
  364. 'attach',
  365. 'attachCanvas',
  366. 'detach',
  367. // The manifestFactory parameter of load is not supported.
  368. 'load',
  369. 'unload',
  370. ];
  371. /**
  372. * @typedef {{
  373. * video: Object,
  374. * player: Object,
  375. * manifest: ?string,
  376. * startTime: ?number
  377. * }}
  378. * @property {Object} video
  379. * Dictionary of video properties to be set.
  380. * @property {Object} player
  381. * Dictionary of player setters to be called.
  382. * @property {?string} manifest
  383. * The currently-selected manifest, if present.
  384. * @property {?number} startTime
  385. * The playback start time, if currently playing.
  386. */
  387. shaka.cast.CastUtils.InitStateType;
  388. /**
  389. * The namespace for Shaka messages on the cast bus.
  390. * @const {string}
  391. */
  392. shaka.cast.CastUtils.SHAKA_MESSAGE_NAMESPACE = 'urn:x-cast:com.google.shaka.v2';
  393. /**
  394. * The namespace for generic messages on the cast bus.
  395. * @const {string}
  396. */
  397. shaka.cast.CastUtils.GENERIC_MESSAGE_NAMESPACE =
  398. 'urn:x-cast:com.google.cast.media';