Proyectos de Subversion Moodle

Rev

Rev 1 | Autoría | Comparar con el anterior | Ultima modificación | Ver Log |

{"version":3,"file":"video-lazy.min.js","sources":["../src/video-lazy.js"],"sourcesContent":["/**\n * @license\n * Video.js 8.21.1 <http://videojs.com/>\n * Copyright Brightcove, Inc. <https://www.brightcove.com/>\n * Available under Apache License Version 2.0\n * <https://github.com/videojs/video.js/blob/main/LICENSE>\n *\n * Includes vtt.js <https://github.com/mozilla/vtt.js>\n * Available under Apache License Version 2.0\n * <https://github.com/mozilla/vtt.js/blob/main/LICENSE>\n */\n\n(function (global, factory) {\n  typeof exports === 'object' && typeof module !== 'undefined' ? module.exports = factory() :\n  typeof define === 'function' && define.amd ? define(factory) :\n  (global = typeof globalThis !== 'undefined' ? globalThis : global || self, global.videojs = factory());\n})(this, (function () { 'use strict';\n\n  var version$5 = \"8.21.1\";\n\n  /**\n   * An Object that contains lifecycle hooks as keys which point to an array\n   * of functions that are run when a lifecycle is triggered\n   *\n   * @private\n   */\n  const hooks_ = {};\n\n  /**\n   * Get a list of hooks for a specific lifecycle\n   *\n   * @param  {string} type\n   *         the lifecycle to get hooks from\n   *\n   * @param  {Function|Function[]} [fn]\n   *         Optionally add a hook (or hooks) to the lifecycle that your are getting.\n   *\n   * @return {Array}\n   *         an array of hooks, or an empty array if there are none.\n   */\n  const hooks = function (type, fn) {\n    hooks_[type] = hooks_[type] || [];\n    if (fn) {\n      hooks_[type] = hooks_[type].concat(fn);\n    }\n    return hooks_[type];\n  };\n\n  /**\n   * Add a function hook to a specific videojs lifecycle.\n   *\n   * @param {string} type\n   *        the lifecycle to hook the function to.\n   *\n   * @param {Function|Function[]}\n   *        The function or array of functions to attach.\n   */\n  const hook = function (type, fn) {\n    hooks(type, fn);\n  };\n\n  /**\n   * Remove a hook from a specific videojs lifecycle.\n   *\n   * @param  {string} type\n   *         the lifecycle that the function hooked to\n   *\n   * @param  {Function} fn\n   *         The hooked function to remove\n   *\n   * @return {boolean}\n   *         The function that was removed or undef\n   */\n  const removeHook = function (type, fn) {\n    const index = hooks(type).indexOf(fn);\n    if (index <= -1) {\n      return false;\n    }\n    hooks_[type] = hooks_[type].slice();\n    hooks_[type].splice(index, 1);\n    return true;\n  };\n\n  /**\n   * Add a function hook that will only run once to a specific videojs lifecycle.\n   *\n   * @param {string} type\n   *        the lifecycle to hook the function to.\n   *\n   * @param {Function|Function[]}\n   *        The function or array of functions to attach.\n   */\n  const hookOnce = function (type, fn) {\n    hooks(type, [].concat(fn).map(original => {\n      const wrapper = (...args) => {\n        removeHook(type, wrapper);\n        return original(...args);\n      };\n      return wrapper;\n    }));\n  };\n\n  /**\n   * @file fullscreen-api.js\n   * @module fullscreen-api\n   */\n\n  /**\n   * Store the browser-specific methods for the fullscreen API.\n   *\n   * @type {Object}\n   * @see [Specification]{@link https://fullscreen.spec.whatwg.org}\n   * @see [Map Approach From Screenfull.js]{@link https://github.com/sindresorhus/screenfull.js}\n   */\n  const FullscreenApi = {\n    prefixed: true\n  };\n\n  // browser API methods\n  const apiMap = [['requestFullscreen', 'exitFullscreen', 'fullscreenElement', 'fullscreenEnabled', 'fullscreenchange', 'fullscreenerror', 'fullscreen'],\n  // WebKit\n  ['webkitRequestFullscreen', 'webkitExitFullscreen', 'webkitFullscreenElement', 'webkitFullscreenEnabled', 'webkitfullscreenchange', 'webkitfullscreenerror', '-webkit-full-screen']];\n  const specApi = apiMap[0];\n  let browserApi;\n\n  // determine the supported set of functions\n  for (let i = 0; i < apiMap.length; i++) {\n    // check for exitFullscreen function\n    if (apiMap[i][1] in document) {\n      browserApi = apiMap[i];\n      break;\n    }\n  }\n\n  // map the browser API names to the spec API names\n  if (browserApi) {\n    for (let i = 0; i < browserApi.length; i++) {\n      FullscreenApi[specApi[i]] = browserApi[i];\n    }\n    FullscreenApi.prefixed = browserApi[0] !== specApi[0];\n  }\n\n  /**\n   * @file create-logger.js\n   * @module create-logger\n   */\n\n  // This is the private tracking variable for the logging history.\n  let history = [];\n\n  /**\n   * Log messages to the console and history based on the type of message\n   *\n   * @private\n   * @param  {string} name\n   *         The name of the console method to use.\n   *\n   * @param  {Object} log\n   *         The arguments to be passed to the matching console method.\n   *\n   * @param {string} [styles]\n   *        styles for name\n   */\n  const LogByTypeFactory = (name, log, styles) => (type, level, args) => {\n    const lvl = log.levels[level];\n    const lvlRegExp = new RegExp(`^(${lvl})$`);\n    let resultName = name;\n    if (type !== 'log') {\n      // Add the type to the front of the message when it's not \"log\".\n      args.unshift(type.toUpperCase() + ':');\n    }\n    if (styles) {\n      resultName = `%c${name}`;\n      args.unshift(styles);\n    }\n\n    // Add console prefix after adding to history.\n    args.unshift(resultName + ':');\n\n    // Add a clone of the args at this point to history.\n    if (history) {\n      history.push([].concat(args));\n\n      // only store 1000 history entries\n      const splice = history.length - 1000;\n      history.splice(0, splice > 0 ? splice : 0);\n    }\n\n    // If there's no console then don't try to output messages, but they will\n    // still be stored in history.\n    if (!window.console) {\n      return;\n    }\n\n    // Was setting these once outside of this function, but containing them\n    // in the function makes it easier to test cases where console doesn't exist\n    // when the module is executed.\n    let fn = window.console[type];\n    if (!fn && type === 'debug') {\n      // Certain browsers don't have support for console.debug. For those, we\n      // should default to the closest comparable log.\n      fn = window.console.info || window.console.log;\n    }\n\n    // Bail out if there's no console or if this type is not allowed by the\n    // current logging level.\n    if (!fn || !lvl || !lvlRegExp.test(type)) {\n      return;\n    }\n    fn[Array.isArray(args) ? 'apply' : 'call'](window.console, args);\n  };\n  function createLogger$1(name, delimiter = ':', styles = '') {\n    // This is the private tracking variable for logging level.\n    let level = 'info';\n\n    // the curried logByType bound to the specific log and history\n    let logByType;\n\n    /**\n     * Logs plain debug messages. Similar to `console.log`.\n     *\n     * Due to [limitations](https://github.com/jsdoc3/jsdoc/issues/955#issuecomment-313829149)\n     * of our JSDoc template, we cannot properly document this as both a function\n     * and a namespace, so its function signature is documented here.\n     *\n     * #### Arguments\n     * ##### *args\n     * *[]\n     *\n     * Any combination of values that could be passed to `console.log()`.\n     *\n     * #### Return Value\n     *\n     * `undefined`\n     *\n     * @namespace\n     * @param    {...*} args\n     *           One or more messages or objects that should be logged.\n     */\n    function log(...args) {\n      logByType('log', level, args);\n    }\n\n    // This is the logByType helper that the logging methods below use\n    logByType = LogByTypeFactory(name, log, styles);\n\n    /**\n     * Create a new subLogger which chains the old name to the new name.\n     *\n     * For example, doing `mylogger = videojs.log.createLogger('player')` and then using that logger will log the following:\n     * ```js\n     *  mylogger('foo');\n     *  // > VIDEOJS: player: foo\n     * ```\n     *\n     * @param {string} subName\n     *        The name to add call the new logger\n     * @param {string} [subDelimiter]\n     *        Optional delimiter\n     * @param {string} [subStyles]\n     *        Optional styles\n     * @return {Object}\n     */\n    log.createLogger = (subName, subDelimiter, subStyles) => {\n      const resultDelimiter = subDelimiter !== undefined ? subDelimiter : delimiter;\n      const resultStyles = subStyles !== undefined ? subStyles : styles;\n      const resultName = `${name} ${resultDelimiter} ${subName}`;\n      return createLogger$1(resultName, resultDelimiter, resultStyles);\n    };\n\n    /**\n     * Create a new logger.\n     *\n     * @param {string} newName\n     *        The name for the new logger\n     * @param {string} [newDelimiter]\n     *        Optional delimiter\n     * @param {string} [newStyles]\n     *        Optional styles\n     * @return {Object}\n     */\n    log.createNewLogger = (newName, newDelimiter, newStyles) => {\n      return createLogger$1(newName, newDelimiter, newStyles);\n    };\n\n    /**\n     * Enumeration of available logging levels, where the keys are the level names\n     * and the values are `|`-separated strings containing logging methods allowed\n     * in that logging level. These strings are used to create a regular expression\n     * matching the function name being called.\n     *\n     * Levels provided by Video.js are:\n     *\n     * - `off`: Matches no calls. Any value that can be cast to `false` will have\n     *   this effect. The most restrictive.\n     * - `all`: Matches only Video.js-provided functions (`debug`, `log`,\n     *   `log.warn`, and `log.error`).\n     * - `debug`: Matches `log.debug`, `log`, `log.warn`, and `log.error` calls.\n     * - `info` (default): Matches `log`, `log.warn`, and `log.error` calls.\n     * - `warn`: Matches `log.warn` and `log.error` calls.\n     * - `error`: Matches only `log.error` calls.\n     *\n     * @type {Object}\n     */\n    log.levels = {\n      all: 'debug|log|warn|error',\n      off: '',\n      debug: 'debug|log|warn|error',\n      info: 'log|warn|error',\n      warn: 'warn|error',\n      error: 'error',\n      DEFAULT: level\n    };\n\n    /**\n     * Get or set the current logging level.\n     *\n     * If a string matching a key from {@link module:log.levels} is provided, acts\n     * as a setter.\n     *\n     * @param  {'all'|'debug'|'info'|'warn'|'error'|'off'} [lvl]\n     *         Pass a valid level to set a new logging level.\n     *\n     * @return {string}\n     *         The current logging level.\n     */\n    log.level = lvl => {\n      if (typeof lvl === 'string') {\n        if (!log.levels.hasOwnProperty(lvl)) {\n          throw new Error(`\"${lvl}\" in not a valid log level`);\n        }\n        level = lvl;\n      }\n      return level;\n    };\n\n    /**\n     * Returns an array containing everything that has been logged to the history.\n     *\n     * This array is a shallow clone of the internal history record. However, its\n     * contents are _not_ cloned; so, mutating objects inside this array will\n     * mutate them in history.\n     *\n     * @return {Array}\n     */\n    log.history = () => history ? [].concat(history) : [];\n\n    /**\n     * Allows you to filter the history by the given logger name\n     *\n     * @param {string} fname\n     *        The name to filter by\n     *\n     * @return {Array}\n     *         The filtered list to return\n     */\n    log.history.filter = fname => {\n      return (history || []).filter(historyItem => {\n        // if the first item in each historyItem includes `fname`, then it's a match\n        return new RegExp(`.*${fname}.*`).test(historyItem[0]);\n      });\n    };\n\n    /**\n     * Clears the internal history tracking, but does not prevent further history\n     * tracking.\n     */\n    log.history.clear = () => {\n      if (history) {\n        history.length = 0;\n      }\n    };\n\n    /**\n     * Disable history tracking if it is currently enabled.\n     */\n    log.history.disable = () => {\n      if (history !== null) {\n        history.length = 0;\n        history = null;\n      }\n    };\n\n    /**\n     * Enable history tracking if it is currently disabled.\n     */\n    log.history.enable = () => {\n      if (history === null) {\n        history = [];\n      }\n    };\n\n    /**\n     * Logs error messages. Similar to `console.error`.\n     *\n     * @param {...*} args\n     *        One or more messages or objects that should be logged as an error\n     */\n    log.error = (...args) => logByType('error', level, args);\n\n    /**\n     * Logs warning messages. Similar to `console.warn`.\n     *\n     * @param {...*} args\n     *        One or more messages or objects that should be logged as a warning.\n     */\n    log.warn = (...args) => logByType('warn', level, args);\n\n    /**\n     * Logs debug messages. Similar to `console.debug`, but may also act as a comparable\n     * log if `console.debug` is not available\n     *\n     * @param {...*} args\n     *        One or more messages or objects that should be logged as debug.\n     */\n    log.debug = (...args) => logByType('debug', level, args);\n    return log;\n  }\n\n  /**\n   * @file log.js\n   * @module log\n   */\n  const log$1 = createLogger$1('VIDEOJS');\n  const createLogger = log$1.createLogger;\n\n  /**\n   * @file obj.js\n   * @module obj\n   */\n\n  /**\n   * @callback obj:EachCallback\n   *\n   * @param {*} value\n   *        The current key for the object that is being iterated over.\n   *\n   * @param {string} key\n   *        The current key-value for object that is being iterated over\n   */\n\n  /**\n   * @callback obj:ReduceCallback\n   *\n   * @param {*} accum\n   *        The value that is accumulating over the reduce loop.\n   *\n   * @param {*} value\n   *        The current key for the object that is being iterated over.\n   *\n   * @param {string} key\n   *        The current key-value for object that is being iterated over\n   *\n   * @return {*}\n   *         The new accumulated value.\n   */\n  const toString$1 = Object.prototype.toString;\n\n  /**\n   * Get the keys of an Object\n   *\n   * @param {Object}\n   *        The Object to get the keys from\n   *\n   * @return {string[]}\n   *         An array of the keys from the object. Returns an empty array if the\n   *         object passed in was invalid or had no keys.\n   *\n   * @private\n   */\n  const keys = function (object) {\n    return isObject$1(object) ? Object.keys(object) : [];\n  };\n\n  /**\n   * Array-like iteration for objects.\n   *\n   * @param {Object} object\n   *        The object to iterate over\n   *\n   * @param {obj:EachCallback} fn\n   *        The callback function which is called for each key in the object.\n   */\n  function each(object, fn) {\n    keys(object).forEach(key => fn(object[key], key));\n  }\n\n  /**\n   * Array-like reduce for objects.\n   *\n   * @param {Object} object\n   *        The Object that you want to reduce.\n   *\n   * @param {Function} fn\n   *         A callback function which is called for each key in the object. It\n   *         receives the accumulated value and the per-iteration value and key\n   *         as arguments.\n   *\n   * @param {*} [initial = 0]\n   *        Starting value\n   *\n   * @return {*}\n   *         The final accumulated value.\n   */\n  function reduce(object, fn, initial = 0) {\n    return keys(object).reduce((accum, key) => fn(accum, object[key], key), initial);\n  }\n\n  /**\n   * Returns whether a value is an object of any kind - including DOM nodes,\n   * arrays, regular expressions, etc. Not functions, though.\n   *\n   * This avoids the gotcha where using `typeof` on a `null` value\n   * results in `'object'`.\n   *\n   * @param  {Object} value\n   * @return {boolean}\n   */\n  function isObject$1(value) {\n    return !!value && typeof value === 'object';\n  }\n\n  /**\n   * Returns whether an object appears to be a \"plain\" object - that is, a\n   * direct instance of `Object`.\n   *\n   * @param  {Object} value\n   * @return {boolean}\n   */\n  function isPlain(value) {\n    return isObject$1(value) && toString$1.call(value) === '[object Object]' && value.constructor === Object;\n  }\n\n  /**\n   * Merge two objects recursively.\n   *\n   * Performs a deep merge like\n   * {@link https://lodash.com/docs/4.17.10#merge|lodash.merge}, but only merges\n   * plain objects (not arrays, elements, or anything else).\n   *\n   * Non-plain object values will be copied directly from the right-most\n   * argument.\n   *\n   * @param   {Object[]} sources\n   *          One or more objects to merge into a new object.\n   *\n   * @return {Object}\n   *          A new object that is the merged result of all sources.\n   */\n  function merge$2(...sources) {\n    const result = {};\n    sources.forEach(source => {\n      if (!source) {\n        return;\n      }\n      each(source, (value, key) => {\n        if (!isPlain(value)) {\n          result[key] = value;\n          return;\n        }\n        if (!isPlain(result[key])) {\n          result[key] = {};\n        }\n        result[key] = merge$2(result[key], value);\n      });\n    });\n    return result;\n  }\n\n  /**\n   * Returns an array of values for a given object\n   *\n   * @param  {Object} source - target object\n   * @return {Array<unknown>} - object values\n   */\n  function values$1(source = {}) {\n    const result = [];\n    for (const key in source) {\n      if (source.hasOwnProperty(key)) {\n        const value = source[key];\n        result.push(value);\n      }\n    }\n    return result;\n  }\n\n  /**\n   * Object.defineProperty but \"lazy\", which means that the value is only set after\n   * it is retrieved the first time, rather than being set right away.\n   *\n   * @param {Object} obj the object to set the property on\n   * @param {string} key the key for the property to set\n   * @param {Function} getValue the function used to get the value when it is needed.\n   * @param {boolean} setter whether a setter should be allowed or not\n   */\n  function defineLazyProperty(obj, key, getValue, setter = true) {\n    const set = value => Object.defineProperty(obj, key, {\n      value,\n      enumerable: true,\n      writable: true\n    });\n    const options = {\n      configurable: true,\n      enumerable: true,\n      get() {\n        const value = getValue();\n        set(value);\n        return value;\n      }\n    };\n    if (setter) {\n      options.set = set;\n    }\n    return Object.defineProperty(obj, key, options);\n  }\n\n  var Obj = /*#__PURE__*/Object.freeze({\n    __proto__: null,\n    each: each,\n    reduce: reduce,\n    isObject: isObject$1,\n    isPlain: isPlain,\n    merge: merge$2,\n    values: values$1,\n    defineLazyProperty: defineLazyProperty\n  });\n\n  /**\n   * @file browser.js\n   * @module browser\n   */\n\n  /**\n   * Whether or not this device is an iPod.\n   *\n   * @static\n   * @type {Boolean}\n   */\n  let IS_IPOD = false;\n\n  /**\n   * The detected iOS version - or `null`.\n   *\n   * @static\n   * @type {string|null}\n   */\n  let IOS_VERSION = null;\n\n  /**\n   * Whether or not this is an Android device.\n   *\n   * @static\n   * @type {Boolean}\n   */\n  let IS_ANDROID = false;\n\n  /**\n   * The detected Android version - or `null` if not Android or indeterminable.\n   *\n   * @static\n   * @type {number|string|null}\n   */\n  let ANDROID_VERSION;\n\n  /**\n   * Whether or not this is Mozilla Firefox.\n   *\n   * @static\n   * @type {Boolean}\n   */\n  let IS_FIREFOX = false;\n\n  /**\n   * Whether or not this is Microsoft Edge.\n   *\n   * @static\n   * @type {Boolean}\n   */\n  let IS_EDGE = false;\n\n  /**\n   * Whether or not this is any Chromium Browser\n   *\n   * @static\n   * @type {Boolean}\n   */\n  let IS_CHROMIUM = false;\n\n  /**\n   * Whether or not this is any Chromium browser that is not Edge.\n   *\n   * This will also be `true` for Chrome on iOS, which will have different support\n   * as it is actually Safari under the hood.\n   *\n   * Deprecated, as the behaviour to not match Edge was to prevent Legacy Edge's UA matching.\n   * IS_CHROMIUM should be used instead.\n   * \"Chromium but not Edge\" could be explicitly tested with IS_CHROMIUM && !IS_EDGE\n   *\n   * @static\n   * @deprecated\n   * @type {Boolean}\n   */\n  let IS_CHROME = false;\n\n  /**\n   * The detected Chromium version - or `null`.\n   *\n   * @static\n   * @type {number|null}\n   */\n  let CHROMIUM_VERSION = null;\n\n  /**\n   * The detected Google Chrome version - or `null`.\n   * This has always been the _Chromium_ version, i.e. would return on Chromium Edge.\n   * Deprecated, use CHROMIUM_VERSION instead.\n   *\n   * @static\n   * @deprecated\n   * @type {number|null}\n   */\n  let CHROME_VERSION = null;\n\n  /**\n   * Whether or not this is a Chromecast receiver application.\n   *\n   * @static\n   * @type {Boolean}\n   */\n  const IS_CHROMECAST_RECEIVER = Boolean(window.cast && window.cast.framework && window.cast.framework.CastReceiverContext);\n\n  /**\n   * The detected Internet Explorer version - or `null`.\n   *\n   * @static\n   * @deprecated\n   * @type {number|null}\n   */\n  let IE_VERSION = null;\n\n  /**\n   * Whether or not this is desktop Safari.\n   *\n   * @static\n   * @type {Boolean}\n   */\n  let IS_SAFARI = false;\n\n  /**\n   * Whether or not this is a Windows machine.\n   *\n   * @static\n   * @type {Boolean}\n   */\n  let IS_WINDOWS = false;\n\n  /**\n   * Whether or not this device is an iPad.\n   *\n   * @static\n   * @type {Boolean}\n   */\n  let IS_IPAD = false;\n\n  /**\n   * Whether or not this device is an iPhone.\n   *\n   * @static\n   * @type {Boolean}\n   */\n  // The Facebook app's UIWebView identifies as both an iPhone and iPad, so\n  // to identify iPhones, we need to exclude iPads.\n  // http://artsy.github.io/blog/2012/10/18/the-perils-of-ios-user-agent-sniffing/\n  let IS_IPHONE = false;\n\n  /**\n   * Whether or not this is a Tizen device.\n   *\n   * @static\n   * @type {Boolean}\n   */\n  let IS_TIZEN = false;\n\n  /**\n   * Whether or not this is a WebOS device.\n   *\n   * @static\n   * @type {Boolean}\n   */\n  let IS_WEBOS = false;\n\n  /**\n   * Whether or not this is a Smart TV (Tizen or WebOS) device.\n   *\n   * @static\n   * @type {Boolean}\n   */\n  let IS_SMART_TV = false;\n\n  /**\n   * Whether or not this device is touch-enabled.\n   *\n   * @static\n   * @const\n   * @type {Boolean}\n   */\n  const TOUCH_ENABLED = Boolean(isReal() && ('ontouchstart' in window || window.navigator.maxTouchPoints || window.DocumentTouch && window.document instanceof window.DocumentTouch));\n  const UAD = window.navigator && window.navigator.userAgentData;\n  if (UAD && UAD.platform && UAD.brands) {\n    // If userAgentData is present, use it instead of userAgent to avoid warnings\n    // Currently only implemented on Chromium\n    // userAgentData does not expose Android version, so ANDROID_VERSION remains `null`\n\n    IS_ANDROID = UAD.platform === 'Android';\n    IS_EDGE = Boolean(UAD.brands.find(b => b.brand === 'Microsoft Edge'));\n    IS_CHROMIUM = Boolean(UAD.brands.find(b => b.brand === 'Chromium'));\n    IS_CHROME = !IS_EDGE && IS_CHROMIUM;\n    CHROMIUM_VERSION = CHROME_VERSION = (UAD.brands.find(b => b.brand === 'Chromium') || {}).version || null;\n    IS_WINDOWS = UAD.platform === 'Windows';\n  }\n\n  // If the browser is not Chromium, either userAgentData is not present which could be an old Chromium browser,\n  //  or it's a browser that has added userAgentData since that we don't have tests for yet. In either case,\n  // the checks need to be made agiainst the regular userAgent string.\n  if (!IS_CHROMIUM) {\n    const USER_AGENT = window.navigator && window.navigator.userAgent || '';\n    IS_IPOD = /iPod/i.test(USER_AGENT);\n    IOS_VERSION = function () {\n      const match = USER_AGENT.match(/OS (\\d+)_/i);\n      if (match && match[1]) {\n        return match[1];\n      }\n      return null;\n    }();\n    IS_ANDROID = /Android/i.test(USER_AGENT);\n    ANDROID_VERSION = function () {\n      // This matches Android Major.Minor.Patch versions\n      // ANDROID_VERSION is Major.Minor as a Number, if Minor isn't available, then only Major is returned\n      const match = USER_AGENT.match(/Android (\\d+)(?:\\.(\\d+))?(?:\\.(\\d+))*/i);\n      if (!match) {\n        return null;\n      }\n      const major = match[1] && parseFloat(match[1]);\n      const minor = match[2] && parseFloat(match[2]);\n      if (major && minor) {\n        return parseFloat(match[1] + '.' + match[2]);\n      } else if (major) {\n        return major;\n      }\n      return null;\n    }();\n    IS_FIREFOX = /Firefox/i.test(USER_AGENT);\n    IS_EDGE = /Edg/i.test(USER_AGENT);\n    IS_CHROMIUM = /Chrome/i.test(USER_AGENT) || /CriOS/i.test(USER_AGENT);\n    IS_CHROME = !IS_EDGE && IS_CHROMIUM;\n    CHROMIUM_VERSION = CHROME_VERSION = function () {\n      const match = USER_AGENT.match(/(Chrome|CriOS)\\/(\\d+)/);\n      if (match && match[2]) {\n        return parseFloat(match[2]);\n      }\n      return null;\n    }();\n    IE_VERSION = function () {\n      const result = /MSIE\\s(\\d+)\\.\\d/.exec(USER_AGENT);\n      let version = result && parseFloat(result[1]);\n      if (!version && /Trident\\/7.0/i.test(USER_AGENT) && /rv:11.0/.test(USER_AGENT)) {\n        // IE 11 has a different user agent string than other IE versions\n        version = 11.0;\n      }\n      return version;\n    }();\n    IS_TIZEN = /Tizen/i.test(USER_AGENT);\n    IS_WEBOS = /Web0S/i.test(USER_AGENT);\n    IS_SMART_TV = IS_TIZEN || IS_WEBOS;\n    IS_SAFARI = /Safari/i.test(USER_AGENT) && !IS_CHROME && !IS_ANDROID && !IS_EDGE && !IS_SMART_TV;\n    IS_WINDOWS = /Windows/i.test(USER_AGENT);\n    IS_IPAD = /iPad/i.test(USER_AGENT) || IS_SAFARI && TOUCH_ENABLED && !/iPhone/i.test(USER_AGENT);\n    IS_IPHONE = /iPhone/i.test(USER_AGENT) && !IS_IPAD;\n  }\n\n  /**\n   * Whether or not this is an iOS device.\n   *\n   * @static\n   * @const\n   * @type {Boolean}\n   */\n  const IS_IOS = IS_IPHONE || IS_IPAD || IS_IPOD;\n\n  /**\n   * Whether or not this is any flavor of Safari - including iOS.\n   *\n   * @static\n   * @const\n   * @type {Boolean}\n   */\n  const IS_ANY_SAFARI = (IS_SAFARI || IS_IOS) && !IS_CHROME;\n\n  var browser = /*#__PURE__*/Object.freeze({\n    __proto__: null,\n    get IS_IPOD () { return IS_IPOD; },\n    get IOS_VERSION () { return IOS_VERSION; },\n    get IS_ANDROID () { return IS_ANDROID; },\n    get ANDROID_VERSION () { return ANDROID_VERSION; },\n    get IS_FIREFOX () { return IS_FIREFOX; },\n    get IS_EDGE () { return IS_EDGE; },\n    get IS_CHROMIUM () { return IS_CHROMIUM; },\n    get IS_CHROME () { return IS_CHROME; },\n    get CHROMIUM_VERSION () { return CHROMIUM_VERSION; },\n    get CHROME_VERSION () { return CHROME_VERSION; },\n    IS_CHROMECAST_RECEIVER: IS_CHROMECAST_RECEIVER,\n    get IE_VERSION () { return IE_VERSION; },\n    get IS_SAFARI () { return IS_SAFARI; },\n    get IS_WINDOWS () { return IS_WINDOWS; },\n    get IS_IPAD () { return IS_IPAD; },\n    get IS_IPHONE () { return IS_IPHONE; },\n    get IS_TIZEN () { return IS_TIZEN; },\n    get IS_WEBOS () { return IS_WEBOS; },\n    get IS_SMART_TV () { return IS_SMART_TV; },\n    TOUCH_ENABLED: TOUCH_ENABLED,\n    IS_IOS: IS_IOS,\n    IS_ANY_SAFARI: IS_ANY_SAFARI\n  });\n\n  /**\n   * @file dom.js\n   * @module dom\n   */\n\n  /**\n   * Detect if a value is a string with any non-whitespace characters.\n   *\n   * @private\n   * @param  {string} str\n   *         The string to check\n   *\n   * @return {boolean}\n   *         Will be `true` if the string is non-blank, `false` otherwise.\n   *\n   */\n  function isNonBlankString(str) {\n    // we use str.trim as it will trim any whitespace characters\n    // from the front or back of non-whitespace characters. aka\n    // Any string that contains non-whitespace characters will\n    // still contain them after `trim` but whitespace only strings\n    // will have a length of 0, failing this check.\n    return typeof str === 'string' && Boolean(str.trim());\n  }\n\n  /**\n   * Throws an error if the passed string has whitespace. This is used by\n   * class methods to be relatively consistent with the classList API.\n   *\n   * @private\n   * @param  {string} str\n   *         The string to check for whitespace.\n   *\n   * @throws {Error}\n   *         Throws an error if there is whitespace in the string.\n   */\n  function throwIfWhitespace(str) {\n    // str.indexOf instead of regex because str.indexOf is faster performance wise.\n    if (str.indexOf(' ') >= 0) {\n      throw new Error('class has illegal whitespace characters');\n    }\n  }\n\n  /**\n   * Whether the current DOM interface appears to be real (i.e. not simulated).\n   *\n   * @return {boolean}\n   *         Will be `true` if the DOM appears to be real, `false` otherwise.\n   */\n  function isReal() {\n    // Both document and window will never be undefined thanks to `global`.\n    return document === window.document;\n  }\n\n  /**\n   * Determines, via duck typing, whether or not a value is a DOM element.\n   *\n   * @param  {*} value\n   *         The value to check.\n   *\n   * @return {boolean}\n   *         Will be `true` if the value is a DOM element, `false` otherwise.\n   */\n  function isEl(value) {\n    return isObject$1(value) && value.nodeType === 1;\n  }\n\n  /**\n   * Determines if the current DOM is embedded in an iframe.\n   *\n   * @return {boolean}\n   *         Will be `true` if the DOM is embedded in an iframe, `false`\n   *         otherwise.\n   */\n  function isInFrame() {\n    // We need a try/catch here because Safari will throw errors when attempting\n    // to get either `parent` or `self`\n    try {\n      return window.parent !== window.self;\n    } catch (x) {\n      return true;\n    }\n  }\n\n  /**\n   * Creates functions to query the DOM using a given method.\n   *\n   * @private\n   * @param   {string} method\n   *          The method to create the query with.\n   *\n   * @return  {Function}\n   *          The query method\n   */\n  function createQuerier(method) {\n    return function (selector, context) {\n      if (!isNonBlankString(selector)) {\n        return document[method](null);\n      }\n      if (isNonBlankString(context)) {\n        context = document.querySelector(context);\n      }\n      const ctx = isEl(context) ? context : document;\n      return ctx[method] && ctx[method](selector);\n    };\n  }\n\n  /**\n   * Creates an element and applies properties, attributes, and inserts content.\n   *\n   * @param  {string} [tagName='div']\n   *         Name of tag to be created.\n   *\n   * @param  {Object} [properties={}]\n   *         Element properties to be applied.\n   *\n   * @param  {Object} [attributes={}]\n   *         Element attributes to be applied.\n   *\n   * @param {ContentDescriptor} [content]\n   *        A content descriptor object.\n   *\n   * @return {Element}\n   *         The element that was created.\n   */\n  function createEl(tagName = 'div', properties = {}, attributes = {}, content) {\n    const el = document.createElement(tagName);\n    Object.getOwnPropertyNames(properties).forEach(function (propName) {\n      const val = properties[propName];\n\n      // Handle textContent since it's not supported everywhere and we have a\n      // method for it.\n      if (propName === 'textContent') {\n        textContent(el, val);\n      } else if (el[propName] !== val || propName === 'tabIndex') {\n        el[propName] = val;\n      }\n    });\n    Object.getOwnPropertyNames(attributes).forEach(function (attrName) {\n      el.setAttribute(attrName, attributes[attrName]);\n    });\n    if (content) {\n      appendContent(el, content);\n    }\n    return el;\n  }\n\n  /**\n   * Injects text into an element, replacing any existing contents entirely.\n   *\n   * @param  {HTMLElement} el\n   *         The element to add text content into\n   *\n   * @param  {string} text\n   *         The text content to add.\n   *\n   * @return {Element}\n   *         The element with added text content.\n   */\n  function textContent(el, text) {\n    if (typeof el.textContent === 'undefined') {\n      el.innerText = text;\n    } else {\n      el.textContent = text;\n    }\n    return el;\n  }\n\n  /**\n   * Insert an element as the first child node of another\n   *\n   * @param {Element} child\n   *        Element to insert\n   *\n   * @param {Element} parent\n   *        Element to insert child into\n   */\n  function prependTo(child, parent) {\n    if (parent.firstChild) {\n      parent.insertBefore(child, parent.firstChild);\n    } else {\n      parent.appendChild(child);\n    }\n  }\n\n  /**\n   * Check if an element has a class name.\n   *\n   * @param  {Element} element\n   *         Element to check\n   *\n   * @param  {string} classToCheck\n   *         Class name to check for\n   *\n   * @return {boolean}\n   *         Will be `true` if the element has a class, `false` otherwise.\n   *\n   * @throws {Error}\n   *         Throws an error if `classToCheck` has white space.\n   */\n  function hasClass(element, classToCheck) {\n    throwIfWhitespace(classToCheck);\n    return element.classList.contains(classToCheck);\n  }\n\n  /**\n   * Add a class name to an element.\n   *\n   * @param  {Element} element\n   *         Element to add class name to.\n   *\n   * @param  {...string} classesToAdd\n   *         One or more class name to add.\n   *\n   * @return {Element}\n   *         The DOM element with the added class name.\n   */\n  function addClass(element, ...classesToAdd) {\n    element.classList.add(...classesToAdd.reduce((prev, current) => prev.concat(current.split(/\\s+/)), []));\n    return element;\n  }\n\n  /**\n   * Remove a class name from an element.\n   *\n   * @param  {Element} element\n   *         Element to remove a class name from.\n   *\n   * @param  {...string} classesToRemove\n   *         One or more class name to remove.\n   *\n   * @return {Element}\n   *         The DOM element with class name removed.\n   */\n  function removeClass(element, ...classesToRemove) {\n    // Protect in case the player gets disposed\n    if (!element) {\n      log$1.warn(\"removeClass was called with an element that doesn't exist\");\n      return null;\n    }\n    element.classList.remove(...classesToRemove.reduce((prev, current) => prev.concat(current.split(/\\s+/)), []));\n    return element;\n  }\n\n  /**\n   * The callback definition for toggleClass.\n   *\n   * @callback PredicateCallback\n   * @param    {Element} element\n   *           The DOM element of the Component.\n   *\n   * @param    {string} classToToggle\n   *           The `className` that wants to be toggled\n   *\n   * @return   {boolean|undefined}\n   *           If `true` is returned, the `classToToggle` will be added to the\n   *           `element`, but not removed. If `false`, the `classToToggle` will be removed from\n   *           the `element`, but not added. If `undefined`, the callback will be ignored.\n   *\n   */\n\n  /**\n   * Adds or removes a class name to/from an element depending on an optional\n   * condition or the presence/absence of the class name.\n   *\n   * @param  {Element} element\n   *         The element to toggle a class name on.\n   *\n   * @param  {string} classToToggle\n   *         The class that should be toggled.\n   *\n   * @param  {boolean|PredicateCallback} [predicate]\n   *         See the return value for {@link module:dom~PredicateCallback}\n   *\n   * @return {Element}\n   *         The element with a class that has been toggled.\n   */\n  function toggleClass(element, classToToggle, predicate) {\n    if (typeof predicate === 'function') {\n      predicate = predicate(element, classToToggle);\n    }\n    if (typeof predicate !== 'boolean') {\n      predicate = undefined;\n    }\n    classToToggle.split(/\\s+/).forEach(className => element.classList.toggle(className, predicate));\n    return element;\n  }\n\n  /**\n   * Apply attributes to an HTML element.\n   *\n   * @param {Element} el\n   *        Element to add attributes to.\n   *\n   * @param {Object} [attributes]\n   *        Attributes to be applied.\n   */\n  function setAttributes(el, attributes) {\n    Object.getOwnPropertyNames(attributes).forEach(function (attrName) {\n      const attrValue = attributes[attrName];\n      if (attrValue === null || typeof attrValue === 'undefined' || attrValue === false) {\n        el.removeAttribute(attrName);\n      } else {\n        el.setAttribute(attrName, attrValue === true ? '' : attrValue);\n      }\n    });\n  }\n\n  /**\n   * Get an element's attribute values, as defined on the HTML tag.\n   *\n   * Attributes are not the same as properties. They're defined on the tag\n   * or with setAttribute.\n   *\n   * @param  {Element} tag\n   *         Element from which to get tag attributes.\n   *\n   * @return {Object}\n   *         All attributes of the element. Boolean attributes will be `true` or\n   *         `false`, others will be strings.\n   */\n  function getAttributes(tag) {\n    const obj = {};\n\n    // known boolean attributes\n    // we can check for matching boolean properties, but not all browsers\n    // and not all tags know about these attributes, so, we still want to check them manually\n    const knownBooleans = ['autoplay', 'controls', 'playsinline', 'loop', 'muted', 'default', 'defaultMuted'];\n    if (tag && tag.attributes && tag.attributes.length > 0) {\n      const attrs = tag.attributes;\n      for (let i = attrs.length - 1; i >= 0; i--) {\n        const attrName = attrs[i].name;\n        /** @type {boolean|string} */\n        let attrVal = attrs[i].value;\n\n        // check for known booleans\n        // the matching element property will return a value for typeof\n        if (knownBooleans.includes(attrName)) {\n          // the value of an included boolean attribute is typically an empty\n          // string ('') which would equal false if we just check for a false value.\n          // we also don't want support bad code like autoplay='false'\n          attrVal = attrVal !== null ? true : false;\n        }\n        obj[attrName] = attrVal;\n      }\n    }\n    return obj;\n  }\n\n  /**\n   * Get the value of an element's attribute.\n   *\n   * @param {Element} el\n   *        A DOM element.\n   *\n   * @param {string} attribute\n   *        Attribute to get the value of.\n   *\n   * @return {string}\n   *         The value of the attribute.\n   */\n  function getAttribute(el, attribute) {\n    return el.getAttribute(attribute);\n  }\n\n  /**\n   * Set the value of an element's attribute.\n   *\n   * @param {Element} el\n   *        A DOM element.\n   *\n   * @param {string} attribute\n   *        Attribute to set.\n   *\n   * @param {string} value\n   *        Value to set the attribute to.\n   */\n  function setAttribute(el, attribute, value) {\n    el.setAttribute(attribute, value);\n  }\n\n  /**\n   * Remove an element's attribute.\n   *\n   * @param {Element} el\n   *        A DOM element.\n   *\n   * @param {string} attribute\n   *        Attribute to remove.\n   */\n  function removeAttribute(el, attribute) {\n    el.removeAttribute(attribute);\n  }\n\n  /**\n   * Attempt to block the ability to select text.\n   */\n  function blockTextSelection() {\n    document.body.focus();\n    document.onselectstart = function () {\n      return false;\n    };\n  }\n\n  /**\n   * Turn off text selection blocking.\n   */\n  function unblockTextSelection() {\n    document.onselectstart = function () {\n      return true;\n    };\n  }\n\n  /**\n   * Identical to the native `getBoundingClientRect` function, but ensures that\n   * the method is supported at all (it is in all browsers we claim to support)\n   * and that the element is in the DOM before continuing.\n   *\n   * This wrapper function also shims properties which are not provided by some\n   * older browsers (namely, IE8).\n   *\n   * Additionally, some browsers do not support adding properties to a\n   * `ClientRect`/`DOMRect` object; so, we shallow-copy it with the standard\n   * properties (except `x` and `y` which are not widely supported). This helps\n   * avoid implementations where keys are non-enumerable.\n   *\n   * @param  {Element} el\n   *         Element whose `ClientRect` we want to calculate.\n   *\n   * @return {Object|undefined}\n   *         Always returns a plain object - or `undefined` if it cannot.\n   */\n  function getBoundingClientRect(el) {\n    if (el && el.getBoundingClientRect && el.parentNode) {\n      const rect = el.getBoundingClientRect();\n      const result = {};\n      ['bottom', 'height', 'left', 'right', 'top', 'width'].forEach(k => {\n        if (rect[k] !== undefined) {\n          result[k] = rect[k];\n        }\n      });\n      if (!result.height) {\n        result.height = parseFloat(computedStyle(el, 'height'));\n      }\n      if (!result.width) {\n        result.width = parseFloat(computedStyle(el, 'width'));\n      }\n      return result;\n    }\n  }\n\n  /**\n   * Represents the position of a DOM element on the page.\n   *\n   * @typedef  {Object} module:dom~Position\n   *\n   * @property {number} left\n   *           Pixels to the left.\n   *\n   * @property {number} top\n   *           Pixels from the top.\n   */\n\n  /**\n   * Get the position of an element in the DOM.\n   *\n   * Uses `getBoundingClientRect` technique from John Resig.\n   *\n   * @see http://ejohn.org/blog/getboundingclientrect-is-awesome/\n   *\n   * @param  {Element} el\n   *         Element from which to get offset.\n   *\n   * @return {module:dom~Position}\n   *         The position of the element that was passed in.\n   */\n  function findPosition(el) {\n    if (!el || el && !el.offsetParent) {\n      return {\n        left: 0,\n        top: 0,\n        width: 0,\n        height: 0\n      };\n    }\n    const width = el.offsetWidth;\n    const height = el.offsetHeight;\n    let left = 0;\n    let top = 0;\n    while (el.offsetParent && el !== document[FullscreenApi.fullscreenElement]) {\n      left += el.offsetLeft;\n      top += el.offsetTop;\n      el = el.offsetParent;\n    }\n    return {\n      left,\n      top,\n      width,\n      height\n    };\n  }\n\n  /**\n   * Represents x and y coordinates for a DOM element or mouse pointer.\n   *\n   * @typedef  {Object} module:dom~Coordinates\n   *\n   * @property {number} x\n   *           x coordinate in pixels\n   *\n   * @property {number} y\n   *           y coordinate in pixels\n   */\n\n  /**\n   * Get the pointer position within an element.\n   *\n   * The base on the coordinates are the bottom left of the element.\n   *\n   * @param  {Element} el\n   *         Element on which to get the pointer position on.\n   *\n   * @param  {Event} event\n   *         Event object.\n   *\n   * @return {module:dom~Coordinates}\n   *         A coordinates object corresponding to the mouse position.\n   *\n   */\n  function getPointerPosition(el, event) {\n    const translated = {\n      x: 0,\n      y: 0\n    };\n    if (IS_IOS) {\n      let item = el;\n      while (item && item.nodeName.toLowerCase() !== 'html') {\n        const transform = computedStyle(item, 'transform');\n        if (/^matrix/.test(transform)) {\n          const values = transform.slice(7, -1).split(/,\\s/).map(Number);\n          translated.x += values[4];\n          translated.y += values[5];\n        } else if (/^matrix3d/.test(transform)) {\n          const values = transform.slice(9, -1).split(/,\\s/).map(Number);\n          translated.x += values[12];\n          translated.y += values[13];\n        }\n        if (item.assignedSlot && item.assignedSlot.parentElement && window.WebKitCSSMatrix) {\n          const transformValue = window.getComputedStyle(item.assignedSlot.parentElement).transform;\n          const matrix = new window.WebKitCSSMatrix(transformValue);\n          translated.x += matrix.m41;\n          translated.y += matrix.m42;\n        }\n        item = item.parentNode || item.host;\n      }\n    }\n    const position = {};\n    const boxTarget = findPosition(event.target);\n    const box = findPosition(el);\n    const boxW = box.width;\n    const boxH = box.height;\n    let offsetY = event.offsetY - (box.top - boxTarget.top);\n    let offsetX = event.offsetX - (box.left - boxTarget.left);\n    if (event.changedTouches) {\n      offsetX = event.changedTouches[0].pageX - box.left;\n      offsetY = event.changedTouches[0].pageY + box.top;\n      if (IS_IOS) {\n        offsetX -= translated.x;\n        offsetY -= translated.y;\n      }\n    }\n    position.y = 1 - Math.max(0, Math.min(1, offsetY / boxH));\n    position.x = Math.max(0, Math.min(1, offsetX / boxW));\n    return position;\n  }\n\n  /**\n   * Determines, via duck typing, whether or not a value is a text node.\n   *\n   * @param  {*} value\n   *         Check if this value is a text node.\n   *\n   * @return {boolean}\n   *         Will be `true` if the value is a text node, `false` otherwise.\n   */\n  function isTextNode$1(value) {\n    return isObject$1(value) && value.nodeType === 3;\n  }\n\n  /**\n   * Empties the contents of an element.\n   *\n   * @param  {Element} el\n   *         The element to empty children from\n   *\n   * @return {Element}\n   *         The element with no children\n   */\n  function emptyEl(el) {\n    while (el.firstChild) {\n      el.removeChild(el.firstChild);\n    }\n    return el;\n  }\n\n  /**\n   * This is a mixed value that describes content to be injected into the DOM\n   * via some method. It can be of the following types:\n   *\n   * Type       | Description\n   * -----------|-------------\n   * `string`   | The value will be normalized into a text node.\n   * `Element`  | The value will be accepted as-is.\n   * `Text`     | A TextNode. The value will be accepted as-is.\n   * `Array`    | A one-dimensional array of strings, elements, text nodes, or functions. These functions should return a string, element, or text node (any other return value, like an array, will be ignored).\n   * `Function` | A function, which is expected to return a string, element, text node, or array - any of the other possible values described above. This means that a content descriptor could be a function that returns an array of functions, but those second-level functions must return strings, elements, or text nodes.\n   *\n   * @typedef {string|Element|Text|Array|Function} ContentDescriptor\n   */\n\n  /**\n   * Normalizes content for eventual insertion into the DOM.\n   *\n   * This allows a wide range of content definition methods, but helps protect\n   * from falling into the trap of simply writing to `innerHTML`, which could\n   * be an XSS concern.\n   *\n   * The content for an element can be passed in multiple types and\n   * combinations, whose behavior is as follows:\n   *\n   * @param {ContentDescriptor} content\n   *        A content descriptor value.\n   *\n   * @return {Array}\n   *         All of the content that was passed in, normalized to an array of\n   *         elements or text nodes.\n   */\n  function normalizeContent(content) {\n    // First, invoke content if it is a function. If it produces an array,\n    // that needs to happen before normalization.\n    if (typeof content === 'function') {\n      content = content();\n    }\n\n    // Next up, normalize to an array, so one or many items can be normalized,\n    // filtered, and returned.\n    return (Array.isArray(content) ? content : [content]).map(value => {\n      // First, invoke value if it is a function to produce a new value,\n      // which will be subsequently normalized to a Node of some kind.\n      if (typeof value === 'function') {\n        value = value();\n      }\n      if (isEl(value) || isTextNode$1(value)) {\n        return value;\n      }\n      if (typeof value === 'string' && /\\S/.test(value)) {\n        return document.createTextNode(value);\n      }\n    }).filter(value => value);\n  }\n\n  /**\n   * Normalizes and appends content to an element.\n   *\n   * @param  {Element} el\n   *         Element to append normalized content to.\n   *\n   * @param {ContentDescriptor} content\n   *        A content descriptor value.\n   *\n   * @return {Element}\n   *         The element with appended normalized content.\n   */\n  function appendContent(el, content) {\n    normalizeContent(content).forEach(node => el.appendChild(node));\n    return el;\n  }\n\n  /**\n   * Normalizes and inserts content into an element; this is identical to\n   * `appendContent()`, except it empties the element first.\n   *\n   * @param {Element} el\n   *        Element to insert normalized content into.\n   *\n   * @param {ContentDescriptor} content\n   *        A content descriptor value.\n   *\n   * @return {Element}\n   *         The element with inserted normalized content.\n   */\n  function insertContent(el, content) {\n    return appendContent(emptyEl(el), content);\n  }\n\n  /**\n   * Check if an event was a single left click.\n   *\n   * @param  {MouseEvent} event\n   *         Event object.\n   *\n   * @return {boolean}\n   *         Will be `true` if a single left click, `false` otherwise.\n   */\n  function isSingleLeftClick(event) {\n    // Note: if you create something draggable, be sure to\n    // call it on both `mousedown` and `mousemove` event,\n    // otherwise `mousedown` should be enough for a button\n\n    if (event.button === undefined && event.buttons === undefined) {\n      // Why do we need `buttons` ?\n      // Because, middle mouse sometimes have this:\n      // e.button === 0 and e.buttons === 4\n      // Furthermore, we want to prevent combination click, something like\n      // HOLD middlemouse then left click, that would be\n      // e.button === 0, e.buttons === 5\n      // just `button` is not gonna work\n\n      // Alright, then what this block does ?\n      // this is for chrome `simulate mobile devices`\n      // I want to support this as well\n\n      return true;\n    }\n    if (event.button === 0 && event.buttons === undefined) {\n      // Touch screen, sometimes on some specific device, `buttons`\n      // doesn't have anything (safari on ios, blackberry...)\n\n      return true;\n    }\n\n    // `mouseup` event on a single left click has\n    // `button` and `buttons` equal to 0\n    if (event.type === 'mouseup' && event.button === 0 && event.buttons === 0) {\n      return true;\n    }\n\n    // MacOS Sonoma trackpad when \"tap to click enabled\"\n    if (event.type === 'mousedown' && event.button === 0 && event.buttons === 0) {\n      return true;\n    }\n    if (event.button !== 0 || event.buttons !== 1) {\n      // This is the reason we have those if else block above\n      // if any special case we can catch and let it slide\n      // we do it above, when get to here, this definitely\n      // is-not-left-click\n\n      return false;\n    }\n    return true;\n  }\n\n  /**\n   * Finds a single DOM element matching `selector` within the optional\n   * `context` of another DOM element (defaulting to `document`).\n   *\n   * @param  {string} selector\n   *         A valid CSS selector, which will be passed to `querySelector`.\n   *\n   * @param  {Element|String} [context=document]\n   *         A DOM element within which to query. Can also be a selector\n   *         string in which case the first matching element will be used\n   *         as context. If missing (or no element matches selector), falls\n   *         back to `document`.\n   *\n   * @return {Element|null}\n   *         The element that was found or null.\n   */\n  const $ = createQuerier('querySelector');\n\n  /**\n   * Finds a all DOM elements matching `selector` within the optional\n   * `context` of another DOM element (defaulting to `document`).\n   *\n   * @param  {string} selector\n   *         A valid CSS selector, which will be passed to `querySelectorAll`.\n   *\n   * @param  {Element|String} [context=document]\n   *         A DOM element within which to query. Can also be a selector\n   *         string in which case the first matching element will be used\n   *         as context. If missing (or no element matches selector), falls\n   *         back to `document`.\n   *\n   * @return {NodeList}\n   *         A element list of elements that were found. Will be empty if none\n   *         were found.\n   *\n   */\n  const $$ = createQuerier('querySelectorAll');\n\n  /**\n   * A safe getComputedStyle.\n   *\n   * This is needed because in Firefox, if the player is loaded in an iframe with\n   * `display:none`, then `getComputedStyle` returns `null`, so, we do a\n   * null-check to make sure that the player doesn't break in these cases.\n   *\n   * @param    {Element} el\n   *           The element you want the computed style of\n   *\n   * @param    {string} prop\n   *           The property name you want\n   *\n   * @see      https://bugzilla.mozilla.org/show_bug.cgi?id=548397\n   */\n  function computedStyle(el, prop) {\n    if (!el || !prop) {\n      return '';\n    }\n    if (typeof window.getComputedStyle === 'function') {\n      let computedStyleValue;\n      try {\n        computedStyleValue = window.getComputedStyle(el);\n      } catch (e) {\n        return '';\n      }\n      return computedStyleValue ? computedStyleValue.getPropertyValue(prop) || computedStyleValue[prop] : '';\n    }\n    return '';\n  }\n\n  /**\n   * Copy document style sheets to another window.\n   *\n   * @param    {Window} win\n   *           The window element you want to copy the document style sheets to.\n   *\n   */\n  function copyStyleSheetsToWindow(win) {\n    [...document.styleSheets].forEach(styleSheet => {\n      try {\n        const cssRules = [...styleSheet.cssRules].map(rule => rule.cssText).join('');\n        const style = document.createElement('style');\n        style.textContent = cssRules;\n        win.document.head.appendChild(style);\n      } catch (e) {\n        const link = document.createElement('link');\n        link.rel = 'stylesheet';\n        link.type = styleSheet.type;\n        // For older Safari this has to be the string; on other browsers setting the MediaList works\n        link.media = styleSheet.media.mediaText;\n        link.href = styleSheet.href;\n        win.document.head.appendChild(link);\n      }\n    });\n  }\n\n  var Dom = /*#__PURE__*/Object.freeze({\n    __proto__: null,\n    isReal: isReal,\n    isEl: isEl,\n    isInFrame: isInFrame,\n    createEl: createEl,\n    textContent: textContent,\n    prependTo: prependTo,\n    hasClass: hasClass,\n    addClass: addClass,\n    removeClass: removeClass,\n    toggleClass: toggleClass,\n    setAttributes: setAttributes,\n    getAttributes: getAttributes,\n    getAttribute: getAttribute,\n    setAttribute: setAttribute,\n    removeAttribute: removeAttribute,\n    blockTextSelection: blockTextSelection,\n    unblockTextSelection: unblockTextSelection,\n    getBoundingClientRect: getBoundingClientRect,\n    findPosition: findPosition,\n    getPointerPosition: getPointerPosition,\n    isTextNode: isTextNode$1,\n    emptyEl: emptyEl,\n    normalizeContent: normalizeContent,\n    appendContent: appendContent,\n    insertContent: insertContent,\n    isSingleLeftClick: isSingleLeftClick,\n    $: $,\n    $$: $$,\n    computedStyle: computedStyle,\n    copyStyleSheetsToWindow: copyStyleSheetsToWindow\n  });\n\n  /**\n   * @file setup.js - Functions for setting up a player without\n   * user interaction based on the data-setup `attribute` of the video tag.\n   *\n   * @module setup\n   */\n  let _windowLoaded = false;\n  let videojs$1;\n\n  /**\n   * Set up any tags that have a data-setup `attribute` when the player is started.\n   */\n  const autoSetup = function () {\n    if (videojs$1.options.autoSetup === false) {\n      return;\n    }\n    const vids = Array.prototype.slice.call(document.getElementsByTagName('video'));\n    const audios = Array.prototype.slice.call(document.getElementsByTagName('audio'));\n    const divs = Array.prototype.slice.call(document.getElementsByTagName('video-js'));\n    const mediaEls = vids.concat(audios, divs);\n\n    // Check if any media elements exist\n    if (mediaEls && mediaEls.length > 0) {\n      for (let i = 0, e = mediaEls.length; i < e; i++) {\n        const mediaEl = mediaEls[i];\n\n        // Check if element exists, has getAttribute func.\n        if (mediaEl && mediaEl.getAttribute) {\n          // Make sure this player hasn't already been set up.\n          if (mediaEl.player === undefined) {\n            const options = mediaEl.getAttribute('data-setup');\n\n            // Check if data-setup attr exists.\n            // We only auto-setup if they've added the data-setup attr.\n            if (options !== null) {\n              // Create new video.js instance.\n              videojs$1(mediaEl);\n            }\n          }\n\n          // If getAttribute isn't defined, we need to wait for the DOM.\n        } else {\n          autoSetupTimeout(1);\n          break;\n        }\n      }\n\n      // No videos were found, so keep looping unless page is finished loading.\n    } else if (!_windowLoaded) {\n      autoSetupTimeout(1);\n    }\n  };\n\n  /**\n   * Wait until the page is loaded before running autoSetup. This will be called in\n   * autoSetup if `hasLoaded` returns false.\n   *\n   * @param {number} wait\n   *        How long to wait in ms\n   *\n   * @param {module:videojs} [vjs]\n   *        The videojs library function\n   */\n  function autoSetupTimeout(wait, vjs) {\n    // Protect against breakage in non-browser environments\n    if (!isReal()) {\n      return;\n    }\n    if (vjs) {\n      videojs$1 = vjs;\n    }\n    window.setTimeout(autoSetup, wait);\n  }\n\n  /**\n   * Used to set the internal tracking of window loaded state to true.\n   *\n   * @private\n   */\n  function setWindowLoaded() {\n    _windowLoaded = true;\n    window.removeEventListener('load', setWindowLoaded);\n  }\n  if (isReal()) {\n    if (document.readyState === 'complete') {\n      setWindowLoaded();\n    } else {\n      /**\n       * Listen for the load event on window, and set _windowLoaded to true.\n       *\n       * We use a standard event listener here to avoid incrementing the GUID\n       * before any players are created.\n       *\n       * @listens load\n       */\n      window.addEventListener('load', setWindowLoaded);\n    }\n  }\n\n  /**\n   * @file stylesheet.js\n   * @module stylesheet\n   */\n\n  /**\n   * Create a DOM style element given a className for it.\n   *\n   * @param {string} className\n   *        The className to add to the created style element.\n   *\n   * @return {Element}\n   *         The element that was created.\n   */\n  const createStyleElement = function (className) {\n    const style = document.createElement('style');\n    style.className = className;\n    return style;\n  };\n\n  /**\n   * Add text to a DOM element.\n   *\n   * @param {Element} el\n   *        The Element to add text content to.\n   *\n   * @param {string} content\n   *        The text to add to the element.\n   */\n  const setTextContent = function (el, content) {\n    if (el.styleSheet) {\n      el.styleSheet.cssText = content;\n    } else {\n      el.textContent = content;\n    }\n  };\n\n  /**\n   * @file dom-data.js\n   * @module dom-data\n   */\n\n  /**\n   * Element Data Store.\n   *\n   * Allows for binding data to an element without putting it directly on the\n   * element. Ex. Event listeners are stored here.\n   * (also from jsninja.com, slightly modified and updated for closure compiler)\n   *\n   * @type {Object}\n   * @private\n   */\n  var DomData = new WeakMap();\n\n  /**\n   * @file guid.js\n   * @module guid\n   */\n\n  // Default value for GUIDs. This allows us to reset the GUID counter in tests.\n  //\n  // The initial GUID is 3 because some users have come to rely on the first\n  // default player ID ending up as `vjs_video_3`.\n  //\n  // See: https://github.com/videojs/video.js/pull/6216\n  const _initialGuid = 3;\n\n  /**\n   * Unique ID for an element or function\n   *\n   * @type {Number}\n   */\n  let _guid = _initialGuid;\n\n  /**\n   * Get a unique auto-incrementing ID by number that has not been returned before.\n   *\n   * @return {number}\n   *         A new unique ID.\n   */\n  function newGUID() {\n    return _guid++;\n  }\n\n  /**\n   * @file events.js. An Event System (John Resig - Secrets of a JS Ninja http://jsninja.com/)\n   * (Original book version wasn't completely usable, so fixed some things and made Closure Compiler compatible)\n   * This should work very similarly to jQuery's events, however it's based off the book version which isn't as\n   * robust as jquery's, so there's probably some differences.\n   *\n   * @file events.js\n   * @module events\n   */\n\n  /**\n   * Clean up the listener cache and dispatchers\n   *\n   * @param {Element|Object} elem\n   *        Element to clean up\n   *\n   * @param {string} type\n   *        Type of event to clean up\n   */\n  function _cleanUpEvents(elem, type) {\n    if (!DomData.has(elem)) {\n      return;\n    }\n    const data = DomData.get(elem);\n\n    // Remove the events of a particular type if there are none left\n    if (data.handlers[type].length === 0) {\n      delete data.handlers[type];\n      // data.handlers[type] = null;\n      // Setting to null was causing an error with data.handlers\n\n      // Remove the meta-handler from the element\n      if (elem.removeEventListener) {\n        elem.removeEventListener(type, data.dispatcher, false);\n      } else if (elem.detachEvent) {\n        elem.detachEvent('on' + type, data.dispatcher);\n      }\n    }\n\n    // Remove the events object if there are no types left\n    if (Object.getOwnPropertyNames(data.handlers).length <= 0) {\n      delete data.handlers;\n      delete data.dispatcher;\n      delete data.disabled;\n    }\n\n    // Finally remove the element data if there is no data left\n    if (Object.getOwnPropertyNames(data).length === 0) {\n      DomData.delete(elem);\n    }\n  }\n\n  /**\n   * Loops through an array of event types and calls the requested method for each type.\n   *\n   * @param {Function} fn\n   *        The event method we want to use.\n   *\n   * @param {Element|Object} elem\n   *        Element or object to bind listeners to\n   *\n   * @param {string[]} types\n   *        Type of event to bind to.\n   *\n   * @param {Function} callback\n   *        Event listener.\n   */\n  function _handleMultipleEvents(fn, elem, types, callback) {\n    types.forEach(function (type) {\n      // Call the event method for each one of the types\n      fn(elem, type, callback);\n    });\n  }\n\n  /**\n   * Fix a native event to have standard property values\n   *\n   * @param {Object} event\n   *        Event object to fix.\n   *\n   * @return {Object}\n   *         Fixed event object.\n   */\n  function fixEvent(event) {\n    if (event.fixed_) {\n      return event;\n    }\n    function returnTrue() {\n      return true;\n    }\n    function returnFalse() {\n      return false;\n    }\n\n    // Test if fixing up is needed\n    // Used to check if !event.stopPropagation instead of isPropagationStopped\n    // But native events return true for stopPropagation, but don't have\n    // other expected methods like isPropagationStopped. Seems to be a problem\n    // with the Javascript Ninja code. So we're just overriding all events now.\n    if (!event || !event.isPropagationStopped || !event.isImmediatePropagationStopped) {\n      const old = event || window.event;\n      event = {};\n      // Clone the old object so that we can modify the values event = {};\n      // IE8 Doesn't like when you mess with native event properties\n      // Firefox returns false for event.hasOwnProperty('type') and other props\n      //  which makes copying more difficult.\n\n      // TODO: Probably best to create an allowlist of event props\n      const deprecatedProps = ['layerX', 'layerY', 'keyLocation', 'path', 'webkitMovementX', 'webkitMovementY', 'mozPressure', 'mozInputSource'];\n      for (const key in old) {\n        // Safari 6.0.3 warns you if you try to copy deprecated layerX/Y\n        // Chrome warns you if you try to copy deprecated keyboardEvent.keyLocation\n        // and webkitMovementX/Y\n        // Lighthouse complains if Event.path is copied\n        if (!deprecatedProps.includes(key)) {\n          // Chrome 32+ warns if you try to copy deprecated returnValue, but\n          // we still want to if preventDefault isn't supported (IE8).\n          if (!(key === 'returnValue' && old.preventDefault)) {\n            event[key] = old[key];\n          }\n        }\n      }\n\n      // The event occurred on this element\n      if (!event.target) {\n        event.target = event.srcElement || document;\n      }\n\n      // Handle which other element the event is related to\n      if (!event.relatedTarget) {\n        event.relatedTarget = event.fromElement === event.target ? event.toElement : event.fromElement;\n      }\n\n      // Stop the default browser action\n      event.preventDefault = function () {\n        if (old.preventDefault) {\n          old.preventDefault();\n        }\n        event.returnValue = false;\n        old.returnValue = false;\n        event.defaultPrevented = true;\n      };\n      event.defaultPrevented = false;\n\n      // Stop the event from bubbling\n      event.stopPropagation = function () {\n        if (old.stopPropagation) {\n          old.stopPropagation();\n        }\n        event.cancelBubble = true;\n        old.cancelBubble = true;\n        event.isPropagationStopped = returnTrue;\n      };\n      event.isPropagationStopped = returnFalse;\n\n      // Stop the event from bubbling and executing other handlers\n      event.stopImmediatePropagation = function () {\n        if (old.stopImmediatePropagation) {\n          old.stopImmediatePropagation();\n        }\n        event.isImmediatePropagationStopped = returnTrue;\n        event.stopPropagation();\n      };\n      event.isImmediatePropagationStopped = returnFalse;\n\n      // Handle mouse position\n      if (event.clientX !== null && event.clientX !== undefined) {\n        const doc = document.documentElement;\n        const body = document.body;\n        event.pageX = event.clientX + (doc && doc.scrollLeft || body && body.scrollLeft || 0) - (doc && doc.clientLeft || body && body.clientLeft || 0);\n        event.pageY = event.clientY + (doc && doc.scrollTop || body && body.scrollTop || 0) - (doc && doc.clientTop || body && body.clientTop || 0);\n      }\n\n      // Handle key presses\n      event.which = event.charCode || event.keyCode;\n\n      // Fix button for mouse clicks:\n      // 0 == left; 1 == middle; 2 == right\n      if (event.button !== null && event.button !== undefined) {\n        // The following is disabled because it does not pass videojs-standard\n        // and... yikes.\n        /* eslint-disable */\n        event.button = event.button & 1 ? 0 : event.button & 4 ? 1 : event.button & 2 ? 2 : 0;\n        /* eslint-enable */\n      }\n    }\n    event.fixed_ = true;\n    // Returns fixed-up instance\n    return event;\n  }\n\n  /**\n   * Whether passive event listeners are supported\n   */\n  let _supportsPassive;\n  const supportsPassive = function () {\n    if (typeof _supportsPassive !== 'boolean') {\n      _supportsPassive = false;\n      try {\n        const opts = Object.defineProperty({}, 'passive', {\n          get() {\n            _supportsPassive = true;\n          }\n        });\n        window.addEventListener('test', null, opts);\n        window.removeEventListener('test', null, opts);\n      } catch (e) {\n        // disregard\n      }\n    }\n    return _supportsPassive;\n  };\n\n  /**\n   * Touch events Chrome expects to be passive\n   */\n  const passiveEvents = ['touchstart', 'touchmove'];\n\n  /**\n   * Add an event listener to element\n   * It stores the handler function in a separate cache object\n   * and adds a generic handler to the element's event,\n   * along with a unique id (guid) to the element.\n   *\n   * @param {Element|Object} elem\n   *        Element or object to bind listeners to\n   *\n   * @param {string|string[]} type\n   *        Type of event to bind to.\n   *\n   * @param {Function} fn\n   *        Event listener.\n   */\n  function on(elem, type, fn) {\n    if (Array.isArray(type)) {\n      return _handleMultipleEvents(on, elem, type, fn);\n    }\n    if (!DomData.has(elem)) {\n      DomData.set(elem, {});\n    }\n    const data = DomData.get(elem);\n\n    // We need a place to store all our handler data\n    if (!data.handlers) {\n      data.handlers = {};\n    }\n    if (!data.handlers[type]) {\n      data.handlers[type] = [];\n    }\n    if (!fn.guid) {\n      fn.guid = newGUID();\n    }\n    data.handlers[type].push(fn);\n    if (!data.dispatcher) {\n      data.disabled = false;\n      data.dispatcher = function (event, hash) {\n        if (data.disabled) {\n          return;\n        }\n        event = fixEvent(event);\n        const handlers = data.handlers[event.type];\n        if (handlers) {\n          // Copy handlers so if handlers are added/removed during the process it doesn't throw everything off.\n          const handlersCopy = handlers.slice(0);\n          for (let m = 0, n = handlersCopy.length; m < n; m++) {\n            if (event.isImmediatePropagationStopped()) {\n              break;\n            } else {\n              try {\n                handlersCopy[m].call(elem, event, hash);\n              } catch (e) {\n                log$1.error(e);\n              }\n            }\n          }\n        }\n      };\n    }\n    if (data.handlers[type].length === 1) {\n      if (elem.addEventListener) {\n        let options = false;\n        if (supportsPassive() && passiveEvents.indexOf(type) > -1) {\n          options = {\n            passive: true\n          };\n        }\n        elem.addEventListener(type, data.dispatcher, options);\n      } else if (elem.attachEvent) {\n        elem.attachEvent('on' + type, data.dispatcher);\n      }\n    }\n  }\n\n  /**\n   * Removes event listeners from an element\n   *\n   * @param {Element|Object} elem\n   *        Object to remove listeners from.\n   *\n   * @param {string|string[]} [type]\n   *        Type of listener to remove. Don't include to remove all events from element.\n   *\n   * @param {Function} [fn]\n   *        Specific listener to remove. Don't include to remove listeners for an event\n   *        type.\n   */\n  function off(elem, type, fn) {\n    // Don't want to add a cache object through getElData if not needed\n    if (!DomData.has(elem)) {\n      return;\n    }\n    const data = DomData.get(elem);\n\n    // If no events exist, nothing to unbind\n    if (!data.handlers) {\n      return;\n    }\n    if (Array.isArray(type)) {\n      return _handleMultipleEvents(off, elem, type, fn);\n    }\n\n    // Utility function\n    const removeType = function (el, t) {\n      data.handlers[t] = [];\n      _cleanUpEvents(el, t);\n    };\n\n    // Are we removing all bound events?\n    if (type === undefined) {\n      for (const t in data.handlers) {\n        if (Object.prototype.hasOwnProperty.call(data.handlers || {}, t)) {\n          removeType(elem, t);\n        }\n      }\n      return;\n    }\n    const handlers = data.handlers[type];\n\n    // If no handlers exist, nothing to unbind\n    if (!handlers) {\n      return;\n    }\n\n    // If no listener was provided, remove all listeners for type\n    if (!fn) {\n      removeType(elem, type);\n      return;\n    }\n\n    // We're only removing a single handler\n    if (fn.guid) {\n      for (let n = 0; n < handlers.length; n++) {\n        if (handlers[n].guid === fn.guid) {\n          handlers.splice(n--, 1);\n        }\n      }\n    }\n    _cleanUpEvents(elem, type);\n  }\n\n  /**\n   * Trigger an event for an element\n   *\n   * @param {Element|Object} elem\n   *        Element to trigger an event on\n   *\n   * @param {EventTarget~Event|string} event\n   *        A string (the type) or an event object with a type attribute\n   *\n   * @param {Object} [hash]\n   *        data hash to pass along with the event\n   *\n   * @return {boolean|undefined}\n   *         Returns the opposite of `defaultPrevented` if default was\n   *         prevented. Otherwise, returns `undefined`\n   */\n  function trigger(elem, event, hash) {\n    // Fetches element data and a reference to the parent (for bubbling).\n    // Don't want to add a data object to cache for every parent,\n    // so checking hasElData first.\n    const elemData = DomData.has(elem) ? DomData.get(elem) : {};\n    const parent = elem.parentNode || elem.ownerDocument;\n    // type = event.type || event,\n    // handler;\n\n    // If an event name was passed as a string, creates an event out of it\n    if (typeof event === 'string') {\n      event = {\n        type: event,\n        target: elem\n      };\n    } else if (!event.target) {\n      event.target = elem;\n    }\n\n    // Normalizes the event properties.\n    event = fixEvent(event);\n\n    // If the passed element has a dispatcher, executes the established handlers.\n    if (elemData.dispatcher) {\n      elemData.dispatcher.call(elem, event, hash);\n    }\n\n    // Unless explicitly stopped or the event does not bubble (e.g. media events)\n    // recursively calls this function to bubble the event up the DOM.\n    if (parent && !event.isPropagationStopped() && event.bubbles === true) {\n      trigger.call(null, parent, event, hash);\n\n      // If at the top of the DOM, triggers the default action unless disabled.\n    } else if (!parent && !event.defaultPrevented && event.target && event.target[event.type]) {\n      if (!DomData.has(event.target)) {\n        DomData.set(event.target, {});\n      }\n      const targetData = DomData.get(event.target);\n\n      // Checks if the target has a default action for this event.\n      if (event.target[event.type]) {\n        // Temporarily disables event dispatching on the target as we have already executed the handler.\n        targetData.disabled = true;\n        // Executes the default action.\n        if (typeof event.target[event.type] === 'function') {\n          event.target[event.type]();\n        }\n        // Re-enables event dispatching.\n        targetData.disabled = false;\n      }\n    }\n\n    // Inform the triggerer if the default was prevented by returning false\n    return !event.defaultPrevented;\n  }\n\n  /**\n   * Trigger a listener only once for an event.\n   *\n   * @param {Element|Object} elem\n   *        Element or object to bind to.\n   *\n   * @param {string|string[]} type\n   *        Name/type of event\n   *\n   * @param {Event~EventListener} fn\n   *        Event listener function\n   */\n  function one(elem, type, fn) {\n    if (Array.isArray(type)) {\n      return _handleMultipleEvents(one, elem, type, fn);\n    }\n    const func = function () {\n      off(elem, type, func);\n      fn.apply(this, arguments);\n    };\n\n    // copy the guid to the new function so it can removed using the original function's ID\n    func.guid = fn.guid = fn.guid || newGUID();\n    on(elem, type, func);\n  }\n\n  /**\n   * Trigger a listener only once and then turn if off for all\n   * configured events\n   *\n   * @param {Element|Object} elem\n   *        Element or object to bind to.\n   *\n   * @param {string|string[]} type\n   *        Name/type of event\n   *\n   * @param {Event~EventListener} fn\n   *        Event listener function\n   */\n  function any(elem, type, fn) {\n    const func = function () {\n      off(elem, type, func);\n      fn.apply(this, arguments);\n    };\n\n    // copy the guid to the new function so it can removed using the original function's ID\n    func.guid = fn.guid = fn.guid || newGUID();\n\n    // multiple ons, but one off for everything\n    on(elem, type, func);\n  }\n\n  var Events = /*#__PURE__*/Object.freeze({\n    __proto__: null,\n    fixEvent: fixEvent,\n    on: on,\n    off: off,\n    trigger: trigger,\n    one: one,\n    any: any\n  });\n\n  /**\n   * @file fn.js\n   * @module fn\n   */\n  const UPDATE_REFRESH_INTERVAL = 30;\n\n  /**\n   * A private, internal-only function for changing the context of a function.\n   *\n   * It also stores a unique id on the function so it can be easily removed from\n   * events.\n   *\n   * @private\n   * @function\n   * @param    {*} context\n   *           The object to bind as scope.\n   *\n   * @param    {Function} fn\n   *           The function to be bound to a scope.\n   *\n   * @param    {number} [uid]\n   *           An optional unique ID for the function to be set\n   *\n   * @return   {Function}\n   *           The new function that will be bound into the context given\n   */\n  const bind_ = function (context, fn, uid) {\n    // Make sure the function has a unique ID\n    if (!fn.guid) {\n      fn.guid = newGUID();\n    }\n\n    // Create the new function that changes the context\n    const bound = fn.bind(context);\n\n    // Allow for the ability to individualize this function\n    // Needed in the case where multiple objects might share the same prototype\n    // IF both items add an event listener with the same function, then you try to remove just one\n    // it will remove both because they both have the same guid.\n    // when using this, you need to use the bind method when you remove the listener as well.\n    // currently used in text tracks\n    bound.guid = uid ? uid + '_' + fn.guid : fn.guid;\n    return bound;\n  };\n\n  /**\n   * Wraps the given function, `fn`, with a new function that only invokes `fn`\n   * at most once per every `wait` milliseconds.\n   *\n   * @function\n   * @param    {Function} fn\n   *           The function to be throttled.\n   *\n   * @param    {number}   wait\n   *           The number of milliseconds by which to throttle.\n   *\n   * @return   {Function}\n   */\n  const throttle = function (fn, wait) {\n    let last = window.performance.now();\n    const throttled = function (...args) {\n      const now = window.performance.now();\n      if (now - last >= wait) {\n        fn(...args);\n        last = now;\n      }\n    };\n    return throttled;\n  };\n\n  /**\n   * Creates a debounced function that delays invoking `func` until after `wait`\n   * milliseconds have elapsed since the last time the debounced function was\n   * invoked.\n   *\n   * Inspired by lodash and underscore implementations.\n   *\n   * @function\n   * @param    {Function} func\n   *           The function to wrap with debounce behavior.\n   *\n   * @param    {number} wait\n   *           The number of milliseconds to wait after the last invocation.\n   *\n   * @param    {boolean} [immediate]\n   *           Whether or not to invoke the function immediately upon creation.\n   *\n   * @param    {Object} [context=window]\n   *           The \"context\" in which the debounced function should debounce. For\n   *           example, if this function should be tied to a Video.js player,\n   *           the player can be passed here. Alternatively, defaults to the\n   *           global `window` object.\n   *\n   * @return   {Function}\n   *           A debounced function.\n   */\n  const debounce$1 = function (func, wait, immediate, context = window) {\n    let timeout;\n    const cancel = () => {\n      context.clearTimeout(timeout);\n      timeout = null;\n    };\n\n    /* eslint-disable consistent-this */\n    const debounced = function () {\n      const self = this;\n      const args = arguments;\n      let later = function () {\n        timeout = null;\n        later = null;\n        if (!immediate) {\n          func.apply(self, args);\n        }\n      };\n      if (!timeout && immediate) {\n        func.apply(self, args);\n      }\n      context.clearTimeout(timeout);\n      timeout = context.setTimeout(later, wait);\n    };\n    /* eslint-enable consistent-this */\n\n    debounced.cancel = cancel;\n    return debounced;\n  };\n\n  var Fn = /*#__PURE__*/Object.freeze({\n    __proto__: null,\n    UPDATE_REFRESH_INTERVAL: UPDATE_REFRESH_INTERVAL,\n    bind_: bind_,\n    throttle: throttle,\n    debounce: debounce$1\n  });\n\n  /**\n   * @file src/js/event-target.js\n   */\n  let EVENT_MAP;\n\n  /**\n   * `EventTarget` is a class that can have the same API as the DOM `EventTarget`. It\n   * adds shorthand functions that wrap around lengthy functions. For example:\n   * the `on` function is a wrapper around `addEventListener`.\n   *\n   * @see [EventTarget Spec]{@link https://www.w3.org/TR/DOM-Level-2-Events/events.html#Events-EventTarget}\n   * @class EventTarget\n   */\n  class EventTarget$2 {\n    /**\n     * Adds an `event listener` to an instance of an `EventTarget`. An `event listener` is a\n     * function that will get called when an event with a certain name gets triggered.\n     *\n     * @param {string|string[]} type\n     *        An event name or an array of event names.\n     *\n     * @param {Function} fn\n     *        The function to call with `EventTarget`s\n     */\n    on(type, fn) {\n      // Remove the addEventListener alias before calling Events.on\n      // so we don't get into an infinite type loop\n      const ael = this.addEventListener;\n      this.addEventListener = () => {};\n      on(this, type, fn);\n      this.addEventListener = ael;\n    }\n    /**\n     * Removes an `event listener` for a specific event from an instance of `EventTarget`.\n     * This makes it so that the `event listener` will no longer get called when the\n     * named event happens.\n     *\n     * @param {string|string[]} type\n     *        An event name or an array of event names.\n     *\n     * @param {Function} fn\n     *        The function to remove.\n     */\n    off(type, fn) {\n      off(this, type, fn);\n    }\n    /**\n     * This function will add an `event listener` that gets triggered only once. After the\n     * first trigger it will get removed. This is like adding an `event listener`\n     * with {@link EventTarget#on} that calls {@link EventTarget#off} on itself.\n     *\n     * @param {string|string[]} type\n     *        An event name or an array of event names.\n     *\n     * @param {Function} fn\n     *        The function to be called once for each event name.\n     */\n    one(type, fn) {\n      // Remove the addEventListener aliasing Events.on\n      // so we don't get into an infinite type loop\n      const ael = this.addEventListener;\n      this.addEventListener = () => {};\n      one(this, type, fn);\n      this.addEventListener = ael;\n    }\n    /**\n     * This function will add an `event listener` that gets triggered only once and is\n     * removed from all events. This is like adding an array of `event listener`s\n     * with {@link EventTarget#on} that calls {@link EventTarget#off} on all events the\n     * first time it is triggered.\n     *\n     * @param {string|string[]} type\n     *        An event name or an array of event names.\n     *\n     * @param {Function} fn\n     *        The function to be called once for each event name.\n     */\n    any(type, fn) {\n      // Remove the addEventListener aliasing Events.on\n      // so we don't get into an infinite type loop\n      const ael = this.addEventListener;\n      this.addEventListener = () => {};\n      any(this, type, fn);\n      this.addEventListener = ael;\n    }\n    /**\n     * This function causes an event to happen. This will then cause any `event listeners`\n     * that are waiting for that event, to get called. If there are no `event listeners`\n     * for an event then nothing will happen.\n     *\n     * If the name of the `Event` that is being triggered is in `EventTarget.allowedEvents_`.\n     * Trigger will also call the `on` + `uppercaseEventName` function.\n     *\n     * Example:\n     * 'click' is in `EventTarget.allowedEvents_`, so, trigger will attempt to call\n     * `onClick` if it exists.\n     *\n     * @param {string|EventTarget~Event|Object} event\n     *        The name of the event, an `Event`, or an object with a key of type set to\n     *        an event name.\n     */\n    trigger(event) {\n      const type = event.type || event;\n\n      // deprecation\n      // In a future version we should default target to `this`\n      // similar to how we default the target to `elem` in\n      // `Events.trigger`. Right now the default `target` will be\n      // `document` due to the `Event.fixEvent` call.\n      if (typeof event === 'string') {\n        event = {\n          type\n        };\n      }\n      event = fixEvent(event);\n      if (this.allowedEvents_[type] && this['on' + type]) {\n        this['on' + type](event);\n      }\n      trigger(this, event);\n    }\n    queueTrigger(event) {\n      // only set up EVENT_MAP if it'll be used\n      if (!EVENT_MAP) {\n        EVENT_MAP = new Map();\n      }\n      const type = event.type || event;\n      let map = EVENT_MAP.get(this);\n      if (!map) {\n        map = new Map();\n        EVENT_MAP.set(this, map);\n      }\n      const oldTimeout = map.get(type);\n      map.delete(type);\n      window.clearTimeout(oldTimeout);\n      const timeout = window.setTimeout(() => {\n        map.delete(type);\n        // if we cleared out all timeouts for the current target, delete its map\n        if (map.size === 0) {\n          map = null;\n          EVENT_MAP.delete(this);\n        }\n        this.trigger(event);\n      }, 0);\n      map.set(type, timeout);\n    }\n  }\n\n  /**\n   * A Custom DOM event.\n   *\n   * @typedef {CustomEvent} Event\n   * @see [Properties]{@link https://developer.mozilla.org/en-US/docs/Web/API/CustomEvent}\n   */\n\n  /**\n   * All event listeners should follow the following format.\n   *\n   * @callback EventListener\n   * @this {EventTarget}\n   *\n   * @param {Event} event\n   *        the event that triggered this function\n   *\n   * @param {Object} [hash]\n   *        hash of data sent during the event\n   */\n\n  /**\n   * An object containing event names as keys and booleans as values.\n   *\n   * > NOTE: If an event name is set to a true value here {@link EventTarget#trigger}\n   *         will have extra functionality. See that function for more information.\n   *\n   * @property EventTarget.prototype.allowedEvents_\n   * @protected\n   */\n  EventTarget$2.prototype.allowedEvents_ = {};\n\n  /**\n   * An alias of {@link EventTarget#on}. Allows `EventTarget` to mimic\n   * the standard DOM API.\n   *\n   * @function\n   * @see {@link EventTarget#on}\n   */\n  EventTarget$2.prototype.addEventListener = EventTarget$2.prototype.on;\n\n  /**\n   * An alias of {@link EventTarget#off}. Allows `EventTarget` to mimic\n   * the standard DOM API.\n   *\n   * @function\n   * @see {@link EventTarget#off}\n   */\n  EventTarget$2.prototype.removeEventListener = EventTarget$2.prototype.off;\n\n  /**\n   * An alias of {@link EventTarget#trigger}. Allows `EventTarget` to mimic\n   * the standard DOM API.\n   *\n   * @function\n   * @see {@link EventTarget#trigger}\n   */\n  EventTarget$2.prototype.dispatchEvent = EventTarget$2.prototype.trigger;\n\n  /**\n   * @file mixins/evented.js\n   * @module evented\n   */\n  const objName = obj => {\n    if (typeof obj.name === 'function') {\n      return obj.name();\n    }\n    if (typeof obj.name === 'string') {\n      return obj.name;\n    }\n    if (obj.name_) {\n      return obj.name_;\n    }\n    if (obj.constructor && obj.constructor.name) {\n      return obj.constructor.name;\n    }\n    return typeof obj;\n  };\n\n  /**\n   * Returns whether or not an object has had the evented mixin applied.\n   *\n   * @param  {Object} object\n   *         An object to test.\n   *\n   * @return {boolean}\n   *         Whether or not the object appears to be evented.\n   */\n  const isEvented = object => object instanceof EventTarget$2 || !!object.eventBusEl_ && ['on', 'one', 'off', 'trigger'].every(k => typeof object[k] === 'function');\n\n  /**\n   * Adds a callback to run after the evented mixin applied.\n   *\n   * @param  {Object} target\n   *         An object to Add\n   * @param  {Function} callback\n   *         The callback to run.\n   */\n  const addEventedCallback = (target, callback) => {\n    if (isEvented(target)) {\n      callback();\n    } else {\n      if (!target.eventedCallbacks) {\n        target.eventedCallbacks = [];\n      }\n      target.eventedCallbacks.push(callback);\n    }\n  };\n\n  /**\n   * Whether a value is a valid event type - non-empty string or array.\n   *\n   * @private\n   * @param  {string|Array} type\n   *         The type value to test.\n   *\n   * @return {boolean}\n   *         Whether or not the type is a valid event type.\n   */\n  const isValidEventType = type =>\n  // The regex here verifies that the `type` contains at least one non-\n  // whitespace character.\n  typeof type === 'string' && /\\S/.test(type) || Array.isArray(type) && !!type.length;\n\n  /**\n   * Validates a value to determine if it is a valid event target. Throws if not.\n   *\n   * @private\n   * @throws {Error}\n   *         If the target does not appear to be a valid event target.\n   *\n   * @param  {Object} target\n   *         The object to test.\n   *\n   * @param  {Object} obj\n   *         The evented object we are validating for\n   *\n   * @param  {string} fnName\n   *         The name of the evented mixin function that called this.\n   */\n  const validateTarget = (target, obj, fnName) => {\n    if (!target || !target.nodeName && !isEvented(target)) {\n      throw new Error(`Invalid target for ${objName(obj)}#${fnName}; must be a DOM node or evented object.`);\n    }\n  };\n\n  /**\n   * Validates a value to determine if it is a valid event target. Throws if not.\n   *\n   * @private\n   * @throws {Error}\n   *         If the type does not appear to be a valid event type.\n   *\n   * @param  {string|Array} type\n   *         The type to test.\n   *\n   * @param  {Object} obj\n  *         The evented object we are validating for\n   *\n   * @param  {string} fnName\n   *         The name of the evented mixin function that called this.\n   */\n  const validateEventType = (type, obj, fnName) => {\n    if (!isValidEventType(type)) {\n      throw new Error(`Invalid event type for ${objName(obj)}#${fnName}; must be a non-empty string or array.`);\n    }\n  };\n\n  /**\n   * Validates a value to determine if it is a valid listener. Throws if not.\n   *\n   * @private\n   * @throws {Error}\n   *         If the listener is not a function.\n   *\n   * @param  {Function} listener\n   *         The listener to test.\n   *\n   * @param  {Object} obj\n   *         The evented object we are validating for\n   *\n   * @param  {string} fnName\n   *         The name of the evented mixin function that called this.\n   */\n  const validateListener = (listener, obj, fnName) => {\n    if (typeof listener !== 'function') {\n      throw new Error(`Invalid listener for ${objName(obj)}#${fnName}; must be a function.`);\n    }\n  };\n\n  /**\n   * Takes an array of arguments given to `on()` or `one()`, validates them, and\n   * normalizes them into an object.\n   *\n   * @private\n   * @param  {Object} self\n   *         The evented object on which `on()` or `one()` was called. This\n   *         object will be bound as the `this` value for the listener.\n   *\n   * @param  {Array} args\n   *         An array of arguments passed to `on()` or `one()`.\n   *\n   * @param  {string} fnName\n   *         The name of the evented mixin function that called this.\n   *\n   * @return {Object}\n   *         An object containing useful values for `on()` or `one()` calls.\n   */\n  const normalizeListenArgs = (self, args, fnName) => {\n    // If the number of arguments is less than 3, the target is always the\n    // evented object itself.\n    const isTargetingSelf = args.length < 3 || args[0] === self || args[0] === self.eventBusEl_;\n    let target;\n    let type;\n    let listener;\n    if (isTargetingSelf) {\n      target = self.eventBusEl_;\n\n      // Deal with cases where we got 3 arguments, but we are still listening to\n      // the evented object itself.\n      if (args.length >= 3) {\n        args.shift();\n      }\n      [type, listener] = args;\n    } else {\n      // This was `[target, type, listener] = args;` but this block needs more than\n      // one statement to produce minified output compatible with Chrome 53.\n      // See https://github.com/videojs/video.js/pull/8810\n      target = args[0];\n      type = args[1];\n      listener = args[2];\n    }\n    validateTarget(target, self, fnName);\n    validateEventType(type, self, fnName);\n    validateListener(listener, self, fnName);\n    listener = bind_(self, listener);\n    return {\n      isTargetingSelf,\n      target,\n      type,\n      listener\n    };\n  };\n\n  /**\n   * Adds the listener to the event type(s) on the target, normalizing for\n   * the type of target.\n   *\n   * @private\n   * @param  {Element|Object} target\n   *         A DOM node or evented object.\n   *\n   * @param  {string} method\n   *         The event binding method to use (\"on\" or \"one\").\n   *\n   * @param  {string|Array} type\n   *         One or more event type(s).\n   *\n   * @param  {Function} listener\n   *         A listener function.\n   */\n  const listen = (target, method, type, listener) => {\n    validateTarget(target, target, method);\n    if (target.nodeName) {\n      Events[method](target, type, listener);\n    } else {\n      target[method](type, listener);\n    }\n  };\n\n  /**\n   * Contains methods that provide event capabilities to an object which is passed\n   * to {@link module:evented|evented}.\n   *\n   * @mixin EventedMixin\n   */\n  const EventedMixin = {\n    /**\n     * Add a listener to an event (or events) on this object or another evented\n     * object.\n     *\n     * @param  {string|Array|Element|Object} targetOrType\n     *         If this is a string or array, it represents the event type(s)\n     *         that will trigger the listener.\n     *\n     *         Another evented object can be passed here instead, which will\n     *         cause the listener to listen for events on _that_ object.\n     *\n     *         In either case, the listener's `this` value will be bound to\n     *         this object.\n     *\n     * @param  {string|Array|Function} typeOrListener\n     *         If the first argument was a string or array, this should be the\n     *         listener function. Otherwise, this is a string or array of event\n     *         type(s).\n     *\n     * @param  {Function} [listener]\n     *         If the first argument was another evented object, this will be\n     *         the listener function.\n     */\n    on(...args) {\n      const {\n        isTargetingSelf,\n        target,\n        type,\n        listener\n      } = normalizeListenArgs(this, args, 'on');\n      listen(target, 'on', type, listener);\n\n      // If this object is listening to another evented object.\n      if (!isTargetingSelf) {\n        // If this object is disposed, remove the listener.\n        const removeListenerOnDispose = () => this.off(target, type, listener);\n\n        // Use the same function ID as the listener so we can remove it later it\n        // using the ID of the original listener.\n        removeListenerOnDispose.guid = listener.guid;\n\n        // Add a listener to the target's dispose event as well. This ensures\n        // that if the target is disposed BEFORE this object, we remove the\n        // removal listener that was just added. Otherwise, we create a memory leak.\n        const removeRemoverOnTargetDispose = () => this.off('dispose', removeListenerOnDispose);\n\n        // Use the same function ID as the listener so we can remove it later\n        // it using the ID of the original listener.\n        removeRemoverOnTargetDispose.guid = listener.guid;\n        listen(this, 'on', 'dispose', removeListenerOnDispose);\n        listen(target, 'on', 'dispose', removeRemoverOnTargetDispose);\n      }\n    },\n    /**\n     * Add a listener to an event (or events) on this object or another evented\n     * object. The listener will be called once per event and then removed.\n     *\n     * @param  {string|Array|Element|Object} targetOrType\n     *         If this is a string or array, it represents the event type(s)\n     *         that will trigger the listener.\n     *\n     *         Another evented object can be passed here instead, which will\n     *         cause the listener to listen for events on _that_ object.\n     *\n     *         In either case, the listener's `this` value will be bound to\n     *         this object.\n     *\n     * @param  {string|Array|Function} typeOrListener\n     *         If the first argument was a string or array, this should be the\n     *         listener function. Otherwise, this is a string or array of event\n     *         type(s).\n     *\n     * @param  {Function} [listener]\n     *         If the first argument was another evented object, this will be\n     *         the listener function.\n     */\n    one(...args) {\n      const {\n        isTargetingSelf,\n        target,\n        type,\n        listener\n      } = normalizeListenArgs(this, args, 'one');\n\n      // Targeting this evented object.\n      if (isTargetingSelf) {\n        listen(target, 'one', type, listener);\n\n        // Targeting another evented object.\n      } else {\n        // TODO: This wrapper is incorrect! It should only\n        //       remove the wrapper for the event type that called it.\n        //       Instead all listeners are removed on the first trigger!\n        //       see https://github.com/videojs/video.js/issues/5962\n        const wrapper = (...largs) => {\n          this.off(target, type, wrapper);\n          listener.apply(null, largs);\n        };\n\n        // Use the same function ID as the listener so we can remove it later\n        // it using the ID of the original listener.\n        wrapper.guid = listener.guid;\n        listen(target, 'one', type, wrapper);\n      }\n    },\n    /**\n     * Add a listener to an event (or events) on this object or another evented\n     * object. The listener will only be called once for the first event that is triggered\n     * then removed.\n     *\n     * @param  {string|Array|Element|Object} targetOrType\n     *         If this is a string or array, it represents the event type(s)\n     *         that will trigger the listener.\n     *\n     *         Another evented object can be passed here instead, which will\n     *         cause the listener to listen for events on _that_ object.\n     *\n     *         In either case, the listener's `this` value will be bound to\n     *         this object.\n     *\n     * @param  {string|Array|Function} typeOrListener\n     *         If the first argument was a string or array, this should be the\n     *         listener function. Otherwise, this is a string or array of event\n     *         type(s).\n     *\n     * @param  {Function} [listener]\n     *         If the first argument was another evented object, this will be\n     *         the listener function.\n     */\n    any(...args) {\n      const {\n        isTargetingSelf,\n        target,\n        type,\n        listener\n      } = normalizeListenArgs(this, args, 'any');\n\n      // Targeting this evented object.\n      if (isTargetingSelf) {\n        listen(target, 'any', type, listener);\n\n        // Targeting another evented object.\n      } else {\n        const wrapper = (...largs) => {\n          this.off(target, type, wrapper);\n          listener.apply(null, largs);\n        };\n\n        // Use the same function ID as the listener so we can remove it later\n        // it using the ID of the original listener.\n        wrapper.guid = listener.guid;\n        listen(target, 'any', type, wrapper);\n      }\n    },\n    /**\n     * Removes listener(s) from event(s) on an evented object.\n     *\n     * @param  {string|Array|Element|Object} [targetOrType]\n     *         If this is a string or array, it represents the event type(s).\n     *\n     *         Another evented object can be passed here instead, in which case\n     *         ALL 3 arguments are _required_.\n     *\n     * @param  {string|Array|Function} [typeOrListener]\n     *         If the first argument was a string or array, this may be the\n     *         listener function. Otherwise, this is a string or array of event\n     *         type(s).\n     *\n     * @param  {Function} [listener]\n     *         If the first argument was another evented object, this will be\n     *         the listener function; otherwise, _all_ listeners bound to the\n     *         event type(s) will be removed.\n     */\n    off(targetOrType, typeOrListener, listener) {\n      // Targeting this evented object.\n      if (!targetOrType || isValidEventType(targetOrType)) {\n        off(this.eventBusEl_, targetOrType, typeOrListener);\n\n        // Targeting another evented object.\n      } else {\n        const target = targetOrType;\n        const type = typeOrListener;\n\n        // Fail fast and in a meaningful way!\n        validateTarget(target, this, 'off');\n        validateEventType(type, this, 'off');\n        validateListener(listener, this, 'off');\n\n        // Ensure there's at least a guid, even if the function hasn't been used\n        listener = bind_(this, listener);\n\n        // Remove the dispose listener on this evented object, which was given\n        // the same guid as the event listener in on().\n        this.off('dispose', listener);\n        if (target.nodeName) {\n          off(target, type, listener);\n          off(target, 'dispose', listener);\n        } else if (isEvented(target)) {\n          target.off(type, listener);\n          target.off('dispose', listener);\n        }\n      }\n    },\n    /**\n     * Fire an event on this evented object, causing its listeners to be called.\n     *\n     * @param   {string|Object} event\n     *          An event type or an object with a type property.\n     *\n     * @param   {Object} [hash]\n     *          An additional object to pass along to listeners.\n     *\n     * @return {boolean}\n     *          Whether or not the default behavior was prevented.\n     */\n    trigger(event, hash) {\n      validateTarget(this.eventBusEl_, this, 'trigger');\n      const type = event && typeof event !== 'string' ? event.type : event;\n      if (!isValidEventType(type)) {\n        throw new Error(`Invalid event type for ${objName(this)}#trigger; ` + 'must be a non-empty string or object with a type key that has a non-empty value.');\n      }\n      return trigger(this.eventBusEl_, event, hash);\n    }\n  };\n\n  /**\n   * Applies {@link module:evented~EventedMixin|EventedMixin} to a target object.\n   *\n   * @param  {Object} target\n   *         The object to which to add event methods.\n   *\n   * @param  {Object} [options={}]\n   *         Options for customizing the mixin behavior.\n   *\n   * @param  {string} [options.eventBusKey]\n   *         By default, adds a `eventBusEl_` DOM element to the target object,\n   *         which is used as an event bus. If the target object already has a\n   *         DOM element that should be used, pass its key here.\n   *\n   * @return {Object}\n   *         The target object.\n   */\n  function evented(target, options = {}) {\n    const {\n      eventBusKey\n    } = options;\n\n    // Set or create the eventBusEl_.\n    if (eventBusKey) {\n      if (!target[eventBusKey].nodeName) {\n        throw new Error(`The eventBusKey \"${eventBusKey}\" does not refer to an element.`);\n      }\n      target.eventBusEl_ = target[eventBusKey];\n    } else {\n      target.eventBusEl_ = createEl('span', {\n        className: 'vjs-event-bus'\n      });\n    }\n    Object.assign(target, EventedMixin);\n    if (target.eventedCallbacks) {\n      target.eventedCallbacks.forEach(callback => {\n        callback();\n      });\n    }\n\n    // When any evented object is disposed, it removes all its listeners.\n    target.on('dispose', () => {\n      target.off();\n      [target, target.el_, target.eventBusEl_].forEach(function (val) {\n        if (val && DomData.has(val)) {\n          DomData.delete(val);\n        }\n      });\n      window.setTimeout(() => {\n        target.eventBusEl_ = null;\n      }, 0);\n    });\n    return target;\n  }\n\n  /**\n   * @file mixins/stateful.js\n   * @module stateful\n   */\n\n  /**\n   * Contains methods that provide statefulness to an object which is passed\n   * to {@link module:stateful}.\n   *\n   * @mixin StatefulMixin\n   */\n  const StatefulMixin = {\n    /**\n     * A hash containing arbitrary keys and values representing the state of\n     * the object.\n     *\n     * @type {Object}\n     */\n    state: {},\n    /**\n     * Set the state of an object by mutating its\n     * {@link module:stateful~StatefulMixin.state|state} object in place.\n     *\n     * @fires   module:stateful~StatefulMixin#statechanged\n     * @param   {Object|Function} stateUpdates\n     *          A new set of properties to shallow-merge into the plugin state.\n     *          Can be a plain object or a function returning a plain object.\n     *\n     * @return {Object|undefined}\n     *          An object containing changes that occurred. If no changes\n     *          occurred, returns `undefined`.\n     */\n    setState(stateUpdates) {\n      // Support providing the `stateUpdates` state as a function.\n      if (typeof stateUpdates === 'function') {\n        stateUpdates = stateUpdates();\n      }\n      let changes;\n      each(stateUpdates, (value, key) => {\n        // Record the change if the value is different from what's in the\n        // current state.\n        if (this.state[key] !== value) {\n          changes = changes || {};\n          changes[key] = {\n            from: this.state[key],\n            to: value\n          };\n        }\n        this.state[key] = value;\n      });\n\n      // Only trigger \"statechange\" if there were changes AND we have a trigger\n      // function. This allows us to not require that the target object be an\n      // evented object.\n      if (changes && isEvented(this)) {\n        /**\n         * An event triggered on an object that is both\n         * {@link module:stateful|stateful} and {@link module:evented|evented}\n         * indicating that its state has changed.\n         *\n         * @event    module:stateful~StatefulMixin#statechanged\n         * @type     {Object}\n         * @property {Object} changes\n         *           A hash containing the properties that were changed and\n         *           the values they were changed `from` and `to`.\n         */\n        this.trigger({\n          changes,\n          type: 'statechanged'\n        });\n      }\n      return changes;\n    }\n  };\n\n  /**\n   * Applies {@link module:stateful~StatefulMixin|StatefulMixin} to a target\n   * object.\n   *\n   * If the target object is {@link module:evented|evented} and has a\n   * `handleStateChanged` method, that method will be automatically bound to the\n   * `statechanged` event on itself.\n   *\n   * @param   {Object} target\n   *          The object to be made stateful.\n   *\n   * @param   {Object} [defaultState]\n   *          A default set of properties to populate the newly-stateful object's\n   *          `state` property.\n   *\n   * @return {Object}\n   *          Returns the `target`.\n   */\n  function stateful(target, defaultState) {\n    Object.assign(target, StatefulMixin);\n\n    // This happens after the mixing-in because we need to replace the `state`\n    // added in that step.\n    target.state = Object.assign({}, target.state, defaultState);\n\n    // Auto-bind the `handleStateChanged` method of the target object if it exists.\n    if (typeof target.handleStateChanged === 'function' && isEvented(target)) {\n      target.on('statechanged', target.handleStateChanged);\n    }\n    return target;\n  }\n\n  /**\n   * @file str.js\n   * @module to-lower-case\n   */\n\n  /**\n   * Lowercase the first letter of a string.\n   *\n   * @param {string} string\n   *        String to be lowercased\n   *\n   * @return {string}\n   *         The string with a lowercased first letter\n   */\n  const toLowerCase = function (string) {\n    if (typeof string !== 'string') {\n      return string;\n    }\n    return string.replace(/./, w => w.toLowerCase());\n  };\n\n  /**\n   * Uppercase the first letter of a string.\n   *\n   * @param {string} string\n   *        String to be uppercased\n   *\n   * @return {string}\n   *         The string with an uppercased first letter\n   */\n  const toTitleCase$1 = function (string) {\n    if (typeof string !== 'string') {\n      return string;\n    }\n    return string.replace(/./, w => w.toUpperCase());\n  };\n\n  /**\n   * Compares the TitleCase versions of the two strings for equality.\n   *\n   * @param {string} str1\n   *        The first string to compare\n   *\n   * @param {string} str2\n   *        The second string to compare\n   *\n   * @return {boolean}\n   *         Whether the TitleCase versions of the strings are equal\n   */\n  const titleCaseEquals = function (str1, str2) {\n    return toTitleCase$1(str1) === toTitleCase$1(str2);\n  };\n\n  var Str = /*#__PURE__*/Object.freeze({\n    __proto__: null,\n    toLowerCase: toLowerCase,\n    toTitleCase: toTitleCase$1,\n    titleCaseEquals: titleCaseEquals\n  });\n\n  /**\n   * Player Component - Base class for all UI objects\n   *\n   * @file component.js\n   */\n\n  /** @import Player from './player' */\n\n  /**\n   * A callback to be called if and when the component is ready.\n   * `this` will be the Component instance.\n   *\n   * @callback ReadyCallback\n   * @returns  {void}\n   */\n\n  /**\n   * Base class for all UI Components.\n   * Components are UI objects which represent both a javascript object and an element\n   * in the DOM. They can be children of other components, and can have\n   * children themselves.\n   *\n   * Components can also use methods from {@link EventTarget}\n   */\n  class Component$1 {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of component options.\n     *\n     * @param {Object[]} [options.children]\n     *        An array of children objects to initialize this component with. Children objects have\n     *        a name property that will be used if more than one component of the same type needs to be\n     *        added.\n     *\n     * @param  {string} [options.className]\n     *         A class or space separated list of classes to add the component\n     *\n     * @param {ReadyCallback} [ready]\n     *        Function that gets called when the `Component` is ready.\n     */\n    constructor(player, options, ready) {\n      // The component might be the player itself and we can't pass `this` to super\n      if (!player && this.play) {\n        this.player_ = player = this; // eslint-disable-line\n      } else {\n        this.player_ = player;\n      }\n      this.isDisposed_ = false;\n\n      // Hold the reference to the parent component via `addChild` method\n      this.parentComponent_ = null;\n\n      // Make a copy of prototype.options_ to protect against overriding defaults\n      this.options_ = merge$2({}, this.options_);\n\n      // Updated options with supplied options\n      options = this.options_ = merge$2(this.options_, options);\n\n      // Get ID from options or options element if one is supplied\n      this.id_ = options.id || options.el && options.el.id;\n\n      // If there was no ID from the options, generate one\n      if (!this.id_) {\n        // Don't require the player ID function in the case of mock players\n        const id = player && player.id && player.id() || 'no_player';\n        this.id_ = `${id}_component_${newGUID()}`;\n      }\n      this.name_ = options.name || null;\n\n      // Create element if one wasn't provided in options\n      if (options.el) {\n        this.el_ = options.el;\n      } else if (options.createEl !== false) {\n        this.el_ = this.createEl();\n      }\n      if (options.className && this.el_) {\n        options.className.split(' ').forEach(c => this.addClass(c));\n      }\n\n      // Remove the placeholder event methods. If the component is evented, the\n      // real methods are added next\n      ['on', 'off', 'one', 'any', 'trigger'].forEach(fn => {\n        this[fn] = undefined;\n      });\n\n      // if evented is anything except false, we want to mixin in evented\n      if (options.evented !== false) {\n        // Make this an evented object and use `el_`, if available, as its event bus\n        evented(this, {\n          eventBusKey: this.el_ ? 'el_' : null\n        });\n        this.handleLanguagechange = this.handleLanguagechange.bind(this);\n        this.on(this.player_, 'languagechange', this.handleLanguagechange);\n      }\n      stateful(this, this.constructor.defaultState);\n      this.children_ = [];\n      this.childIndex_ = {};\n      this.childNameIndex_ = {};\n      this.setTimeoutIds_ = new Set();\n      this.setIntervalIds_ = new Set();\n      this.rafIds_ = new Set();\n      this.namedRafs_ = new Map();\n      this.clearingTimersOnDispose_ = false;\n\n      // Add any child components in options\n      if (options.initChildren !== false) {\n        this.initChildren();\n      }\n\n      // Don't want to trigger ready here or it will go before init is actually\n      // finished for all children that run this constructor\n      this.ready(ready);\n      if (options.reportTouchActivity !== false) {\n        this.enableTouchActivity();\n      }\n    }\n\n    // `on`, `off`, `one`, `any` and `trigger` are here so tsc includes them in definitions.\n    // They are replaced or removed in the constructor\n\n    /**\n     * Adds an `event listener` to an instance of an `EventTarget`. An `event listener` is a\n     * function that will get called when an event with a certain name gets triggered.\n     *\n     * @param {string|string[]} type\n     *        An event name or an array of event names.\n     *\n     * @param {Function} fn\n     *        The function to call with `EventTarget`s\n     */\n\n    /**\n     * Removes an `event listener` for a specific event from an instance of `EventTarget`.\n     * This makes it so that the `event listener` will no longer get called when the\n     * named event happens.\n     *\n     * @param {string|string[]} type\n     *        An event name or an array of event names.\n     *\n     * @param {Function} [fn]\n     *        The function to remove. If not specified, all listeners managed by Video.js will be removed.\n     */\n\n    /**\n     * This function will add an `event listener` that gets triggered only once. After the\n     * first trigger it will get removed. This is like adding an `event listener`\n     * with {@link EventTarget#on} that calls {@link EventTarget#off} on itself.\n     *\n     * @param {string|string[]} type\n     *        An event name or an array of event names.\n     *\n     * @param {Function} fn\n     *        The function to be called once for each event name.\n     */\n\n    /**\n     * This function will add an `event listener` that gets triggered only once and is\n     * removed from all events. This is like adding an array of `event listener`s\n     * with {@link EventTarget#on} that calls {@link EventTarget#off} on all events the\n     * first time it is triggered.\n     *\n     * @param {string|string[]} type\n     *        An event name or an array of event names.\n     *\n     * @param {Function} fn\n     *        The function to be called once for each event name.\n     */\n\n    /**\n     * This function causes an event to happen. This will then cause any `event listeners`\n     * that are waiting for that event, to get called. If there are no `event listeners`\n     * for an event then nothing will happen.\n     *\n     * If the name of the `Event` that is being triggered is in `EventTarget.allowedEvents_`.\n     * Trigger will also call the `on` + `uppercaseEventName` function.\n     *\n     * Example:\n     * 'click' is in `EventTarget.allowedEvents_`, so, trigger will attempt to call\n     * `onClick` if it exists.\n     *\n     * @param {string|Event|Object} event\n     *        The name of the event, an `Event`, or an object with a key of type set to\n     *        an event name.\n     *\n     * @param {Object} [hash]\n     *        Optionally extra argument to pass through to an event listener\n     */\n\n    /**\n     * Dispose of the `Component` and all child components.\n     *\n     * @fires Component#dispose\n     *\n     * @param {Object} options\n     * @param {Element} options.originalEl element with which to replace player element\n     */\n    dispose(options = {}) {\n      // Bail out if the component has already been disposed.\n      if (this.isDisposed_) {\n        return;\n      }\n      if (this.readyQueue_) {\n        this.readyQueue_.length = 0;\n      }\n\n      /**\n       * Triggered when a `Component` is disposed.\n       *\n       * @event Component#dispose\n       * @type {Event}\n       *\n       * @property {boolean} [bubbles=false]\n       *           set to false so that the dispose event does not\n       *           bubble up\n       */\n      this.trigger({\n        type: 'dispose',\n        bubbles: false\n      });\n      this.isDisposed_ = true;\n\n      // Dispose all children.\n      if (this.children_) {\n        for (let i = this.children_.length - 1; i >= 0; i--) {\n          if (this.children_[i].dispose) {\n            this.children_[i].dispose();\n          }\n        }\n      }\n\n      // Delete child references\n      this.children_ = null;\n      this.childIndex_ = null;\n      this.childNameIndex_ = null;\n      this.parentComponent_ = null;\n      if (this.el_) {\n        // Remove element from DOM\n        if (this.el_.parentNode) {\n          if (options.restoreEl) {\n            this.el_.parentNode.replaceChild(options.restoreEl, this.el_);\n          } else {\n            this.el_.parentNode.removeChild(this.el_);\n          }\n        }\n        this.el_ = null;\n      }\n\n      // remove reference to the player after disposing of the element\n      this.player_ = null;\n    }\n\n    /**\n     * Determine whether or not this component has been disposed.\n     *\n     * @return {boolean}\n     *         If the component has been disposed, will be `true`. Otherwise, `false`.\n     */\n    isDisposed() {\n      return Boolean(this.isDisposed_);\n    }\n\n    /**\n     * Return the {@link Player} that the `Component` has attached to.\n     *\n     * @return {Player}\n     *         The player that this `Component` has attached to.\n     */\n    player() {\n      return this.player_;\n    }\n\n    /**\n     * Deep merge of options objects with new options.\n     * > Note: When both `obj` and `options` contain properties whose values are objects.\n     *         The two properties get merged using {@link module:obj.merge}\n     *\n     * @param {Object} obj\n     *        The object that contains new options.\n     *\n     * @return {Object}\n     *         A new object of `this.options_` and `obj` merged together.\n     */\n    options(obj) {\n      if (!obj) {\n        return this.options_;\n      }\n      this.options_ = merge$2(this.options_, obj);\n      return this.options_;\n    }\n\n    /**\n     * Get the `Component`s DOM element\n     *\n     * @return {Element}\n     *         The DOM element for this `Component`.\n     */\n    el() {\n      return this.el_;\n    }\n\n    /**\n     * Create the `Component`s DOM element.\n     *\n     * @param {string} [tagName]\n     *        Element's DOM node type. e.g. 'div'\n     *\n     * @param {Object} [properties]\n     *        An object of properties that should be set.\n     *\n     * @param {Object} [attributes]\n     *        An object of attributes that should be set.\n     *\n     * @return {Element}\n     *         The element that gets created.\n     */\n    createEl(tagName, properties, attributes) {\n      return createEl(tagName, properties, attributes);\n    }\n\n    /**\n     * Localize a string given the string in english.\n     *\n     * If tokens are provided, it'll try and run a simple token replacement on the provided string.\n     * The tokens it looks for look like `{1}` with the index being 1-indexed into the tokens array.\n     *\n     * If a `defaultValue` is provided, it'll use that over `string`,\n     * if a value isn't found in provided language files.\n     * This is useful if you want to have a descriptive key for token replacement\n     * but have a succinct localized string and not require `en.json` to be included.\n     *\n     * Currently, it is used for the progress bar timing.\n     * ```js\n     * {\n     *   \"progress bar timing: currentTime={1} duration={2}\": \"{1} of {2}\"\n     * }\n     * ```\n     * It is then used like so:\n     * ```js\n     * this.localize('progress bar timing: currentTime={1} duration{2}',\n     *               [this.player_.currentTime(), this.player_.duration()],\n     *               '{1} of {2}');\n     * ```\n     *\n     * Which outputs something like: `01:23 of 24:56`.\n     *\n     *\n     * @param {string} string\n     *        The string to localize and the key to lookup in the language files.\n     * @param {string[]} [tokens]\n     *        If the current item has token replacements, provide the tokens here.\n     * @param {string} [defaultValue]\n     *        Defaults to `string`. Can be a default value to use for token replacement\n     *        if the lookup key is needed to be separate.\n     *\n     * @return {string}\n     *         The localized string or if no localization exists the english string.\n     */\n    localize(string, tokens, defaultValue = string) {\n      const code = this.player_.language && this.player_.language();\n      const languages = this.player_.languages && this.player_.languages();\n      const language = languages && languages[code];\n      const primaryCode = code && code.split('-')[0];\n      const primaryLang = languages && languages[primaryCode];\n      let localizedString = defaultValue;\n      if (language && language[string]) {\n        localizedString = language[string];\n      } else if (primaryLang && primaryLang[string]) {\n        localizedString = primaryLang[string];\n      }\n      if (tokens) {\n        localizedString = localizedString.replace(/\\{(\\d+)\\}/g, function (match, index) {\n          const value = tokens[index - 1];\n          let ret = value;\n          if (typeof value === 'undefined') {\n            ret = match;\n          }\n          return ret;\n        });\n      }\n      return localizedString;\n    }\n\n    /**\n     * Handles language change for the player in components. Should be overridden by sub-components.\n     *\n     * @abstract\n     */\n    handleLanguagechange() {}\n\n    /**\n     * Return the `Component`s DOM element. This is where children get inserted.\n     * This will usually be the the same as the element returned in {@link Component#el}.\n     *\n     * @return {Element}\n     *         The content element for this `Component`.\n     */\n    contentEl() {\n      return this.contentEl_ || this.el_;\n    }\n\n    /**\n     * Get this `Component`s ID\n     *\n     * @return {string}\n     *         The id of this `Component`\n     */\n    id() {\n      return this.id_;\n    }\n\n    /**\n     * Get the `Component`s name. The name gets used to reference the `Component`\n     * and is set during registration.\n     *\n     * @return {string}\n     *         The name of this `Component`.\n     */\n    name() {\n      return this.name_;\n    }\n\n    /**\n     * Get an array of all child components\n     *\n     * @return {Array}\n     *         The children\n     */\n    children() {\n      return this.children_;\n    }\n\n    /**\n     * Returns the child `Component` with the given `id`.\n     *\n     * @param {string} id\n     *        The id of the child `Component` to get.\n     *\n     * @return {Component|undefined}\n     *         The child `Component` with the given `id` or undefined.\n     */\n    getChildById(id) {\n      return this.childIndex_[id];\n    }\n\n    /**\n     * Returns the child `Component` with the given `name`.\n     *\n     * @param {string} name\n     *        The name of the child `Component` to get.\n     *\n     * @return {Component|undefined}\n     *         The child `Component` with the given `name` or undefined.\n     */\n    getChild(name) {\n      if (!name) {\n        return;\n      }\n      return this.childNameIndex_[name];\n    }\n\n    /**\n     * Returns the descendant `Component` following the givent\n     * descendant `names`. For instance ['foo', 'bar', 'baz'] would\n     * try to get 'foo' on the current component, 'bar' on the 'foo'\n     * component and 'baz' on the 'bar' component and return undefined\n     * if any of those don't exist.\n     *\n     * @param {...string[]|...string} names\n     *        The name of the child `Component` to get.\n     *\n     * @return {Component|undefined}\n     *         The descendant `Component` following the given descendant\n     *         `names` or undefined.\n     */\n    getDescendant(...names) {\n      // flatten array argument into the main array\n      names = names.reduce((acc, n) => acc.concat(n), []);\n      let currentChild = this;\n      for (let i = 0; i < names.length; i++) {\n        currentChild = currentChild.getChild(names[i]);\n        if (!currentChild || !currentChild.getChild) {\n          return;\n        }\n      }\n      return currentChild;\n    }\n\n    /**\n     * Adds an SVG icon element to another element or component.\n     *\n     * @param {string} iconName\n     *        The name of icon. A list of all the icon names can be found at 'sandbox/svg-icons.html'\n     *\n     * @param {Element} [el=this.el()]\n     *        Element to set the title on. Defaults to the current Component's element.\n     *\n     * @return {Element}\n     *        The newly created icon element.\n     */\n    setIcon(iconName, el = this.el()) {\n      // TODO: In v9 of video.js, we will want to remove font icons entirely.\n      // This means this check, as well as the others throughout the code, and\n      // the unecessary CSS for font icons, will need to be removed.\n      // See https://github.com/videojs/video.js/pull/8260 as to which components\n      // need updating.\n      if (!this.player_.options_.experimentalSvgIcons) {\n        return;\n      }\n      const xmlnsURL = 'http://www.w3.org/2000/svg';\n\n      // The below creates an element in the format of:\n      // <span><svg><use>....</use></svg></span>\n      const iconContainer = createEl('span', {\n        className: 'vjs-icon-placeholder vjs-svg-icon'\n      }, {\n        'aria-hidden': 'true'\n      });\n      const svgEl = document.createElementNS(xmlnsURL, 'svg');\n      svgEl.setAttributeNS(null, 'viewBox', '0 0 512 512');\n      const useEl = document.createElementNS(xmlnsURL, 'use');\n      svgEl.appendChild(useEl);\n      useEl.setAttributeNS(null, 'href', `#vjs-icon-${iconName}`);\n      iconContainer.appendChild(svgEl);\n\n      // Replace a pre-existing icon if one exists.\n      if (this.iconIsSet_) {\n        el.replaceChild(iconContainer, el.querySelector('.vjs-icon-placeholder'));\n      } else {\n        el.appendChild(iconContainer);\n      }\n      this.iconIsSet_ = true;\n      return iconContainer;\n    }\n\n    /**\n     * Add a child `Component` inside the current `Component`.\n     *\n     * @param {string|Component} child\n     *        The name or instance of a child to add.\n     *\n     * @param {Object} [options={}]\n     *        The key/value store of options that will get passed to children of\n     *        the child.\n     *\n     * @param {number} [index=this.children_.length]\n     *        The index to attempt to add a child into.\n     *\n     *\n     * @return {Component}\n     *         The `Component` that gets added as a child. When using a string the\n     *         `Component` will get created by this process.\n     */\n    addChild(child, options = {}, index = this.children_.length) {\n      let component;\n      let componentName;\n\n      // If child is a string, create component with options\n      if (typeof child === 'string') {\n        componentName = toTitleCase$1(child);\n        const componentClassName = options.componentClass || componentName;\n\n        // Set name through options\n        options.name = componentName;\n\n        // Create a new object & element for this controls set\n        // If there's no .player_, this is a player\n        const ComponentClass = Component$1.getComponent(componentClassName);\n        if (!ComponentClass) {\n          throw new Error(`Component ${componentClassName} does not exist`);\n        }\n\n        // data stored directly on the videojs object may be\n        // misidentified as a component to retain\n        // backwards-compatibility with 4.x. check to make sure the\n        // component class can be instantiated.\n        if (typeof ComponentClass !== 'function') {\n          return null;\n        }\n        component = new ComponentClass(this.player_ || this, options);\n\n        // child is a component instance\n      } else {\n        component = child;\n      }\n      if (component.parentComponent_) {\n        component.parentComponent_.removeChild(component);\n      }\n      this.children_.splice(index, 0, component);\n      component.parentComponent_ = this;\n      if (typeof component.id === 'function') {\n        this.childIndex_[component.id()] = component;\n      }\n\n      // If a name wasn't used to create the component, check if we can use the\n      // name function of the component\n      componentName = componentName || component.name && toTitleCase$1(component.name());\n      if (componentName) {\n        this.childNameIndex_[componentName] = component;\n        this.childNameIndex_[toLowerCase(componentName)] = component;\n      }\n\n      // Add the UI object's element to the container div (box)\n      // Having an element is not required\n      if (typeof component.el === 'function' && component.el()) {\n        // If inserting before a component, insert before that component's element\n        let refNode = null;\n        if (this.children_[index + 1]) {\n          // Most children are components, but the video tech is an HTML element\n          if (this.children_[index + 1].el_) {\n            refNode = this.children_[index + 1].el_;\n          } else if (isEl(this.children_[index + 1])) {\n            refNode = this.children_[index + 1];\n          }\n        }\n        this.contentEl().insertBefore(component.el(), refNode);\n      }\n\n      // Return so it can stored on parent object if desired.\n      return component;\n    }\n\n    /**\n     * Remove a child `Component` from this `Component`s list of children. Also removes\n     * the child `Component`s element from this `Component`s element.\n     *\n     * @param {Component} component\n     *        The child `Component` to remove.\n     */\n    removeChild(component) {\n      if (typeof component === 'string') {\n        component = this.getChild(component);\n      }\n      if (!component || !this.children_) {\n        return;\n      }\n      let childFound = false;\n      for (let i = this.children_.length - 1; i >= 0; i--) {\n        if (this.children_[i] === component) {\n          childFound = true;\n          this.children_.splice(i, 1);\n          break;\n        }\n      }\n      if (!childFound) {\n        return;\n      }\n      component.parentComponent_ = null;\n      this.childIndex_[component.id()] = null;\n      this.childNameIndex_[toTitleCase$1(component.name())] = null;\n      this.childNameIndex_[toLowerCase(component.name())] = null;\n      const compEl = component.el();\n      if (compEl && compEl.parentNode === this.contentEl()) {\n        this.contentEl().removeChild(component.el());\n      }\n    }\n\n    /**\n     * Add and initialize default child `Component`s based upon options.\n     */\n    initChildren() {\n      const children = this.options_.children;\n      if (children) {\n        // `this` is `parent`\n        const parentOptions = this.options_;\n        const handleAdd = child => {\n          const name = child.name;\n          let opts = child.opts;\n\n          // Allow options for children to be set at the parent options\n          // e.g. videojs(id, { controlBar: false });\n          // instead of videojs(id, { children: { controlBar: false });\n          if (parentOptions[name] !== undefined) {\n            opts = parentOptions[name];\n          }\n\n          // Allow for disabling default components\n          // e.g. options['children']['posterImage'] = false\n          if (opts === false) {\n            return;\n          }\n\n          // Allow options to be passed as a simple boolean if no configuration\n          // is necessary.\n          if (opts === true) {\n            opts = {};\n          }\n\n          // We also want to pass the original player options\n          // to each component as well so they don't need to\n          // reach back into the player for options later.\n          opts.playerOptions = this.options_.playerOptions;\n\n          // Create and add the child component.\n          // Add a direct reference to the child by name on the parent instance.\n          // If two of the same component are used, different names should be supplied\n          // for each\n          const newChild = this.addChild(name, opts);\n          if (newChild) {\n            this[name] = newChild;\n          }\n        };\n\n        // Allow for an array of children details to passed in the options\n        let workingChildren;\n        const Tech = Component$1.getComponent('Tech');\n        if (Array.isArray(children)) {\n          workingChildren = children;\n        } else {\n          workingChildren = Object.keys(children);\n        }\n        workingChildren\n        // children that are in this.options_ but also in workingChildren  would\n        // give us extra children we do not want. So, we want to filter them out.\n        .concat(Object.keys(this.options_).filter(function (child) {\n          return !workingChildren.some(function (wchild) {\n            if (typeof wchild === 'string') {\n              return child === wchild;\n            }\n            return child === wchild.name;\n          });\n        })).map(child => {\n          let name;\n          let opts;\n          if (typeof child === 'string') {\n            name = child;\n            opts = children[name] || this.options_[name] || {};\n          } else {\n            name = child.name;\n            opts = child;\n          }\n          return {\n            name,\n            opts\n          };\n        }).filter(child => {\n          // we have to make sure that child.name isn't in the techOrder since\n          // techs are registered as Components but can't aren't compatible\n          // See https://github.com/videojs/video.js/issues/2772\n          const c = Component$1.getComponent(child.opts.componentClass || toTitleCase$1(child.name));\n          return c && !Tech.isTech(c);\n        }).forEach(handleAdd);\n      }\n    }\n\n    /**\n     * Builds the default DOM class name. Should be overridden by sub-components.\n     *\n     * @return {string}\n     *         The DOM class name for this object.\n     *\n     * @abstract\n     */\n    buildCSSClass() {\n      // Child classes can include a function that does:\n      // return 'CLASS NAME' + this._super();\n      return '';\n    }\n\n    /**\n     * Bind a listener to the component's ready state.\n     * Different from event listeners in that if the ready event has already happened\n     * it will trigger the function immediately.\n     *\n     * @param {ReadyCallback} fn\n     *        Function that gets called when the `Component` is ready.\n     */\n    ready(fn, sync = false) {\n      if (!fn) {\n        return;\n      }\n      if (!this.isReady_) {\n        this.readyQueue_ = this.readyQueue_ || [];\n        this.readyQueue_.push(fn);\n        return;\n      }\n      if (sync) {\n        fn.call(this);\n      } else {\n        // Call the function asynchronously by default for consistency\n        this.setTimeout(fn, 1);\n      }\n    }\n\n    /**\n     * Trigger all the ready listeners for this `Component`.\n     *\n     * @fires Component#ready\n     */\n    triggerReady() {\n      this.isReady_ = true;\n\n      // Ensure ready is triggered asynchronously\n      this.setTimeout(function () {\n        const readyQueue = this.readyQueue_;\n\n        // Reset Ready Queue\n        this.readyQueue_ = [];\n        if (readyQueue && readyQueue.length > 0) {\n          readyQueue.forEach(function (fn) {\n            fn.call(this);\n          }, this);\n        }\n\n        // Allow for using event listeners also\n        /**\n         * Triggered when a `Component` is ready.\n         *\n         * @event Component#ready\n         * @type {Event}\n         */\n        this.trigger('ready');\n      }, 1);\n    }\n\n    /**\n     * Find a single DOM element matching a `selector`. This can be within the `Component`s\n     * `contentEl()` or another custom context.\n     *\n     * @param {string} selector\n     *        A valid CSS selector, which will be passed to `querySelector`.\n     *\n     * @param {Element|string} [context=this.contentEl()]\n     *        A DOM element within which to query. Can also be a selector string in\n     *        which case the first matching element will get used as context. If\n     *        missing `this.contentEl()` gets used. If  `this.contentEl()` returns\n     *        nothing it falls back to `document`.\n     *\n     * @return {Element|null}\n     *         the dom element that was found, or null\n     *\n     * @see [Information on CSS Selectors](https://developer.mozilla.org/en-US/docs/Web/Guide/CSS/Getting_Started/Selectors)\n     */\n    $(selector, context) {\n      return $(selector, context || this.contentEl());\n    }\n\n    /**\n     * Finds all DOM element matching a `selector`. This can be within the `Component`s\n     * `contentEl()` or another custom context.\n     *\n     * @param {string} selector\n     *        A valid CSS selector, which will be passed to `querySelectorAll`.\n     *\n     * @param {Element|string} [context=this.contentEl()]\n     *        A DOM element within which to query. Can also be a selector string in\n     *        which case the first matching element will get used as context. If\n     *        missing `this.contentEl()` gets used. If  `this.contentEl()` returns\n     *        nothing it falls back to `document`.\n     *\n     * @return {NodeList}\n     *         a list of dom elements that were found\n     *\n     * @see [Information on CSS Selectors](https://developer.mozilla.org/en-US/docs/Web/Guide/CSS/Getting_Started/Selectors)\n     */\n    $$(selector, context) {\n      return $$(selector, context || this.contentEl());\n    }\n\n    /**\n     * Check if a component's element has a CSS class name.\n     *\n     * @param {string} classToCheck\n     *        CSS class name to check.\n     *\n     * @return {boolean}\n     *         - True if the `Component` has the class.\n     *         - False if the `Component` does not have the class`\n     */\n    hasClass(classToCheck) {\n      return hasClass(this.el_, classToCheck);\n    }\n\n    /**\n     * Add a CSS class name to the `Component`s element.\n     *\n     * @param {...string} classesToAdd\n     *        One or more CSS class name to add.\n     */\n    addClass(...classesToAdd) {\n      addClass(this.el_, ...classesToAdd);\n    }\n\n    /**\n     * Remove a CSS class name from the `Component`s element.\n     *\n     * @param {...string} classesToRemove\n     *        One or more CSS class name to remove.\n     */\n    removeClass(...classesToRemove) {\n      removeClass(this.el_, ...classesToRemove);\n    }\n\n    /**\n     * Add or remove a CSS class name from the component's element.\n     * - `classToToggle` gets added when {@link Component#hasClass} would return false.\n     * - `classToToggle` gets removed when {@link Component#hasClass} would return true.\n     *\n     * @param  {string} classToToggle\n     *         The class to add or remove. Passed to DOMTokenList's toggle()\n     *\n     * @param  {boolean|Dom.PredicateCallback} [predicate]\n     *         A boolean or function that returns a boolean. Passed to DOMTokenList's toggle().\n     */\n    toggleClass(classToToggle, predicate) {\n      toggleClass(this.el_, classToToggle, predicate);\n    }\n\n    /**\n     * Show the `Component`s element if it is hidden by removing the\n     * 'vjs-hidden' class name from it.\n     */\n    show() {\n      this.removeClass('vjs-hidden');\n    }\n\n    /**\n     * Hide the `Component`s element if it is currently showing by adding the\n     * 'vjs-hidden` class name to it.\n     */\n    hide() {\n      this.addClass('vjs-hidden');\n    }\n\n    /**\n     * Lock a `Component`s element in its visible state by adding the 'vjs-lock-showing'\n     * class name to it. Used during fadeIn/fadeOut.\n     *\n     * @private\n     */\n    lockShowing() {\n      this.addClass('vjs-lock-showing');\n    }\n\n    /**\n     * Unlock a `Component`s element from its visible state by removing the 'vjs-lock-showing'\n     * class name from it. Used during fadeIn/fadeOut.\n     *\n     * @private\n     */\n    unlockShowing() {\n      this.removeClass('vjs-lock-showing');\n    }\n\n    /**\n     * Get the value of an attribute on the `Component`s element.\n     *\n     * @param {string} attribute\n     *        Name of the attribute to get the value from.\n     *\n     * @return {string|null}\n     *         - The value of the attribute that was asked for.\n     *         - Can be an empty string on some browsers if the attribute does not exist\n     *           or has no value\n     *         - Most browsers will return null if the attribute does not exist or has\n     *           no value.\n     *\n     * @see [DOM API]{@link https://developer.mozilla.org/en-US/docs/Web/API/Element/getAttribute}\n     */\n    getAttribute(attribute) {\n      return getAttribute(this.el_, attribute);\n    }\n\n    /**\n     * Set the value of an attribute on the `Component`'s element\n     *\n     * @param {string} attribute\n     *        Name of the attribute to set.\n     *\n     * @param {string} value\n     *        Value to set the attribute to.\n     *\n     * @see [DOM API]{@link https://developer.mozilla.org/en-US/docs/Web/API/Element/setAttribute}\n     */\n    setAttribute(attribute, value) {\n      setAttribute(this.el_, attribute, value);\n    }\n\n    /**\n     * Remove an attribute from the `Component`s element.\n     *\n     * @param {string} attribute\n     *        Name of the attribute to remove.\n     *\n     * @see [DOM API]{@link https://developer.mozilla.org/en-US/docs/Web/API/Element/removeAttribute}\n     */\n    removeAttribute(attribute) {\n      removeAttribute(this.el_, attribute);\n    }\n\n    /**\n     * Get or set the width of the component based upon the CSS styles.\n     * See {@link Component#dimension} for more detailed information.\n     *\n     * @param {number|string} [num]\n     *        The width that you want to set postfixed with '%', 'px' or nothing.\n     *\n     * @param {boolean} [skipListeners]\n     *        Skip the componentresize event trigger\n     *\n     * @return {number|undefined}\n     *         The width when getting, zero if there is no width\n     */\n    width(num, skipListeners) {\n      return this.dimension('width', num, skipListeners);\n    }\n\n    /**\n     * Get or set the height of the component based upon the CSS styles.\n     * See {@link Component#dimension} for more detailed information.\n     *\n     * @param {number|string} [num]\n     *        The height that you want to set postfixed with '%', 'px' or nothing.\n     *\n     * @param {boolean} [skipListeners]\n     *        Skip the componentresize event trigger\n     *\n     * @return {number|undefined}\n     *         The height when getting, zero if there is no height\n     */\n    height(num, skipListeners) {\n      return this.dimension('height', num, skipListeners);\n    }\n\n    /**\n     * Set both the width and height of the `Component` element at the same time.\n     *\n     * @param  {number|string} width\n     *         Width to set the `Component`s element to.\n     *\n     * @param  {number|string} height\n     *         Height to set the `Component`s element to.\n     */\n    dimensions(width, height) {\n      // Skip componentresize listeners on width for optimization\n      this.width(width, true);\n      this.height(height);\n    }\n\n    /**\n     * Get or set width or height of the `Component` element. This is the shared code\n     * for the {@link Component#width} and {@link Component#height}.\n     *\n     * Things to know:\n     * - If the width or height in an number this will return the number postfixed with 'px'.\n     * - If the width/height is a percent this will return the percent postfixed with '%'\n     * - Hidden elements have a width of 0 with `window.getComputedStyle`. This function\n     *   defaults to the `Component`s `style.width` and falls back to `window.getComputedStyle`.\n     *   See [this]{@link http://www.foliotek.com/devblog/getting-the-width-of-a-hidden-element-with-jquery-using-width/}\n     *   for more information\n     * - If you want the computed style of the component, use {@link Component#currentWidth}\n     *   and {@link {Component#currentHeight}\n     *\n     * @fires Component#componentresize\n     *\n     * @param {string} widthOrHeight\n     8        'width' or 'height'\n     *\n     * @param  {number|string} [num]\n     8         New dimension\n     *\n     * @param  {boolean} [skipListeners]\n     *         Skip componentresize event trigger\n     *\n     * @return {number|undefined}\n     *         The dimension when getting or 0 if unset\n     */\n    dimension(widthOrHeight, num, skipListeners) {\n      if (num !== undefined) {\n        // Set to zero if null or literally NaN (NaN !== NaN)\n        if (num === null || num !== num) {\n          num = 0;\n        }\n\n        // Check if using css width/height (% or px) and adjust\n        if (('' + num).indexOf('%') !== -1 || ('' + num).indexOf('px') !== -1) {\n          this.el_.style[widthOrHeight] = num;\n        } else if (num === 'auto') {\n          this.el_.style[widthOrHeight] = '';\n        } else {\n          this.el_.style[widthOrHeight] = num + 'px';\n        }\n\n        // skipListeners allows us to avoid triggering the resize event when setting both width and height\n        if (!skipListeners) {\n          /**\n           * Triggered when a component is resized.\n           *\n           * @event Component#componentresize\n           * @type {Event}\n           */\n          this.trigger('componentresize');\n        }\n        return;\n      }\n\n      // Not setting a value, so getting it\n      // Make sure element exists\n      if (!this.el_) {\n        return 0;\n      }\n\n      // Get dimension value from style\n      const val = this.el_.style[widthOrHeight];\n      const pxIndex = val.indexOf('px');\n      if (pxIndex !== -1) {\n        // Return the pixel value with no 'px'\n        return parseInt(val.slice(0, pxIndex), 10);\n      }\n\n      // No px so using % or no style was set, so falling back to offsetWidth/height\n      // If component has display:none, offset will return 0\n      // TODO: handle display:none and no dimension style using px\n      return parseInt(this.el_['offset' + toTitleCase$1(widthOrHeight)], 10);\n    }\n\n    /**\n     * Get the computed width or the height of the component's element.\n     *\n     * Uses `window.getComputedStyle`.\n     *\n     * @param {string} widthOrHeight\n     *        A string containing 'width' or 'height'. Whichever one you want to get.\n     *\n     * @return {number}\n     *         The dimension that gets asked for or 0 if nothing was set\n     *         for that dimension.\n     */\n    currentDimension(widthOrHeight) {\n      let computedWidthOrHeight = 0;\n      if (widthOrHeight !== 'width' && widthOrHeight !== 'height') {\n        throw new Error('currentDimension only accepts width or height value');\n      }\n      computedWidthOrHeight = computedStyle(this.el_, widthOrHeight);\n\n      // remove 'px' from variable and parse as integer\n      computedWidthOrHeight = parseFloat(computedWidthOrHeight);\n\n      // if the computed value is still 0, it's possible that the browser is lying\n      // and we want to check the offset values.\n      // This code also runs wherever getComputedStyle doesn't exist.\n      if (computedWidthOrHeight === 0 || isNaN(computedWidthOrHeight)) {\n        const rule = `offset${toTitleCase$1(widthOrHeight)}`;\n        computedWidthOrHeight = this.el_[rule];\n      }\n      return computedWidthOrHeight;\n    }\n\n    /**\n     * An object that contains width and height values of the `Component`s\n     * computed style. Uses `window.getComputedStyle`.\n     *\n     * @typedef {Object} Component~DimensionObject\n     *\n     * @property {number} width\n     *           The width of the `Component`s computed style.\n     *\n     * @property {number} height\n     *           The height of the `Component`s computed style.\n     */\n\n    /**\n     * Get an object that contains computed width and height values of the\n     * component's element.\n     *\n     * Uses `window.getComputedStyle`.\n     *\n     * @return {Component~DimensionObject}\n     *         The computed dimensions of the component's element.\n     */\n    currentDimensions() {\n      return {\n        width: this.currentDimension('width'),\n        height: this.currentDimension('height')\n      };\n    }\n\n    /**\n     * Get the computed width of the component's element.\n     *\n     * Uses `window.getComputedStyle`.\n     *\n     * @return {number}\n     *         The computed width of the component's element.\n     */\n    currentWidth() {\n      return this.currentDimension('width');\n    }\n\n    /**\n     * Get the computed height of the component's element.\n     *\n     * Uses `window.getComputedStyle`.\n     *\n     * @return {number}\n     *         The computed height of the component's element.\n     */\n    currentHeight() {\n      return this.currentDimension('height');\n    }\n\n    /**\n     * Retrieves the position and size information of the component's element.\n     *\n     * @return {Object} An object with `boundingClientRect` and `center` properties.\n     *         - `boundingClientRect`: An object with properties `x`, `y`, `width`,\n     *           `height`, `top`, `right`, `bottom`, and `left`, representing\n     *           the bounding rectangle of the element.\n     *         - `center`: An object with properties `x` and `y`, representing\n     *           the center point of the element. `width` and `height` are set to 0.\n     */\n    getPositions() {\n      const rect = this.el_.getBoundingClientRect();\n\n      // Creating objects that mirror DOMRectReadOnly for boundingClientRect and center\n      const boundingClientRect = {\n        x: rect.x,\n        y: rect.y,\n        width: rect.width,\n        height: rect.height,\n        top: rect.top,\n        right: rect.right,\n        bottom: rect.bottom,\n        left: rect.left\n      };\n\n      // Calculating the center position\n      const center = {\n        x: rect.left + rect.width / 2,\n        y: rect.top + rect.height / 2,\n        width: 0,\n        height: 0,\n        top: rect.top + rect.height / 2,\n        right: rect.left + rect.width / 2,\n        bottom: rect.top + rect.height / 2,\n        left: rect.left + rect.width / 2\n      };\n      return {\n        boundingClientRect,\n        center\n      };\n    }\n\n    /**\n     * Set the focus to this component\n     */\n    focus() {\n      this.el_.focus();\n    }\n\n    /**\n     * Remove the focus from this component\n     */\n    blur() {\n      this.el_.blur();\n    }\n\n    /**\n     * When this Component receives a `keydown` event which it does not process,\n     *  it passes the event to the Player for handling.\n     *\n     * @param {KeyboardEvent} event\n     *        The `keydown` event that caused this function to be called.\n     */\n    handleKeyDown(event) {\n      if (this.player_) {\n        // We only stop propagation here because we want unhandled events to fall\n        // back to the browser. Exclude Tab for focus trapping, exclude also when spatialNavigation is enabled.\n        if (event.key !== 'Tab' && !(this.player_.options_.playerOptions.spatialNavigation && this.player_.options_.playerOptions.spatialNavigation.enabled)) {\n          event.stopPropagation();\n        }\n        this.player_.handleKeyDown(event);\n      }\n    }\n\n    /**\n     * Many components used to have a `handleKeyPress` method, which was poorly\n     * named because it listened to a `keydown` event. This method name now\n     * delegates to `handleKeyDown`. This means anyone calling `handleKeyPress`\n     * will not see their method calls stop working.\n     *\n     * @param {KeyboardEvent} event\n     *        The event that caused this function to be called.\n     */\n    handleKeyPress(event) {\n      this.handleKeyDown(event);\n    }\n\n    /**\n     * Emit a 'tap' events when touch event support gets detected. This gets used to\n     * support toggling the controls through a tap on the video. They get enabled\n     * because every sub-component would have extra overhead otherwise.\n     *\n     * @protected\n     * @fires Component#tap\n     * @listens Component#touchstart\n     * @listens Component#touchmove\n     * @listens Component#touchleave\n     * @listens Component#touchcancel\n     * @listens Component#touchend\n      */\n    emitTapEvents() {\n      // Track the start time so we can determine how long the touch lasted\n      let touchStart = 0;\n      let firstTouch = null;\n\n      // Maximum movement allowed during a touch event to still be considered a tap\n      // Other popular libs use anywhere from 2 (hammer.js) to 15,\n      // so 10 seems like a nice, round number.\n      const tapMovementThreshold = 10;\n\n      // The maximum length a touch can be while still being considered a tap\n      const touchTimeThreshold = 200;\n      let couldBeTap;\n      this.on('touchstart', function (event) {\n        // If more than one finger, don't consider treating this as a click\n        if (event.touches.length === 1) {\n          // Copy pageX/pageY from the object\n          firstTouch = {\n            pageX: event.touches[0].pageX,\n            pageY: event.touches[0].pageY\n          };\n          // Record start time so we can detect a tap vs. \"touch and hold\"\n          touchStart = window.performance.now();\n          // Reset couldBeTap tracking\n          couldBeTap = true;\n        }\n      });\n      this.on('touchmove', function (event) {\n        // If more than one finger, don't consider treating this as a click\n        if (event.touches.length > 1) {\n          couldBeTap = false;\n        } else if (firstTouch) {\n          // Some devices will throw touchmoves for all but the slightest of taps.\n          // So, if we moved only a small distance, this could still be a tap\n          const xdiff = event.touches[0].pageX - firstTouch.pageX;\n          const ydiff = event.touches[0].pageY - firstTouch.pageY;\n          const touchDistance = Math.sqrt(xdiff * xdiff + ydiff * ydiff);\n          if (touchDistance > tapMovementThreshold) {\n            couldBeTap = false;\n          }\n        }\n      });\n      const noTap = function () {\n        couldBeTap = false;\n      };\n\n      // TODO: Listen to the original target. http://youtu.be/DujfpXOKUp8?t=13m8s\n      this.on('touchleave', noTap);\n      this.on('touchcancel', noTap);\n\n      // When the touch ends, measure how long it took and trigger the appropriate\n      // event\n      this.on('touchend', function (event) {\n        firstTouch = null;\n        // Proceed only if the touchmove/leave/cancel event didn't happen\n        if (couldBeTap === true) {\n          // Measure how long the touch lasted\n          const touchTime = window.performance.now() - touchStart;\n\n          // Make sure the touch was less than the threshold to be considered a tap\n          if (touchTime < touchTimeThreshold) {\n            // Don't let browser turn this into a click\n            event.preventDefault();\n            /**\n             * Triggered when a `Component` is tapped.\n             *\n             * @event Component#tap\n             * @type {MouseEvent}\n             */\n            this.trigger('tap');\n            // It may be good to copy the touchend event object and change the\n            // type to tap, if the other event properties aren't exact after\n            // Events.fixEvent runs (e.g. event.target)\n          }\n        }\n      });\n    }\n\n    /**\n     * This function reports user activity whenever touch events happen. This can get\n     * turned off by any sub-components that wants touch events to act another way.\n     *\n     * Report user touch activity when touch events occur. User activity gets used to\n     * determine when controls should show/hide. It is simple when it comes to mouse\n     * events, because any mouse event should show the controls. So we capture mouse\n     * events that bubble up to the player and report activity when that happens.\n     * With touch events it isn't as easy as `touchstart` and `touchend` toggle player\n     * controls. So touch events can't help us at the player level either.\n     *\n     * User activity gets checked asynchronously. So what could happen is a tap event\n     * on the video turns the controls off. Then the `touchend` event bubbles up to\n     * the player. Which, if it reported user activity, would turn the controls right\n     * back on. We also don't want to completely block touch events from bubbling up.\n     * Furthermore a `touchmove` event and anything other than a tap, should not turn\n     * controls back on.\n     *\n     * @listens Component#touchstart\n     * @listens Component#touchmove\n     * @listens Component#touchend\n     * @listens Component#touchcancel\n     */\n    enableTouchActivity() {\n      // Don't continue if the root player doesn't support reporting user activity\n      if (!this.player() || !this.player().reportUserActivity) {\n        return;\n      }\n\n      // listener for reporting that the user is active\n      const report = bind_(this.player(), this.player().reportUserActivity);\n      let touchHolding;\n      this.on('touchstart', function () {\n        report();\n        // For as long as the they are touching the device or have their mouse down,\n        // we consider them active even if they're not moving their finger or mouse.\n        // So we want to continue to update that they are active\n        this.clearInterval(touchHolding);\n        // report at the same interval as activityCheck\n        touchHolding = this.setInterval(report, 250);\n      });\n      const touchEnd = function (event) {\n        report();\n        // stop the interval that maintains activity if the touch is holding\n        this.clearInterval(touchHolding);\n      };\n      this.on('touchmove', report);\n      this.on('touchend', touchEnd);\n      this.on('touchcancel', touchEnd);\n    }\n\n    /**\n     * A callback that has no parameters and is bound into `Component`s context.\n     *\n     * @callback Component~GenericCallback\n     * @this Component\n     */\n\n    /**\n     * Creates a function that runs after an `x` millisecond timeout. This function is a\n     * wrapper around `window.setTimeout`. There are a few reasons to use this one\n     * instead though:\n     * 1. It gets cleared via  {@link Component#clearTimeout} when\n     *    {@link Component#dispose} gets called.\n     * 2. The function callback will gets turned into a {@link Component~GenericCallback}\n     *\n     * > Note: You can't use `window.clearTimeout` on the id returned by this function. This\n     *         will cause its dispose listener not to get cleaned up! Please use\n     *         {@link Component#clearTimeout} or {@link Component#dispose} instead.\n     *\n     * @param {Component~GenericCallback} fn\n     *        The function that will be run after `timeout`.\n     *\n     * @param {number} timeout\n     *        Timeout in milliseconds to delay before executing the specified function.\n     *\n     * @return {number}\n     *         Returns a timeout ID that gets used to identify the timeout. It can also\n     *         get used in {@link Component#clearTimeout} to clear the timeout that\n     *         was set.\n     *\n     * @listens Component#dispose\n     * @see [Similar to]{@link https://developer.mozilla.org/en-US/docs/Web/API/WindowTimers/setTimeout}\n     */\n    setTimeout(fn, timeout) {\n      // declare as variables so they are properly available in timeout function\n      // eslint-disable-next-line\n      var timeoutId;\n      fn = bind_(this, fn);\n      this.clearTimersOnDispose_();\n      timeoutId = window.setTimeout(() => {\n        if (this.setTimeoutIds_.has(timeoutId)) {\n          this.setTimeoutIds_.delete(timeoutId);\n        }\n        fn();\n      }, timeout);\n      this.setTimeoutIds_.add(timeoutId);\n      return timeoutId;\n    }\n\n    /**\n     * Clears a timeout that gets created via `window.setTimeout` or\n     * {@link Component#setTimeout}. If you set a timeout via {@link Component#setTimeout}\n     * use this function instead of `window.clearTimout`. If you don't your dispose\n     * listener will not get cleaned up until {@link Component#dispose}!\n     *\n     * @param {number} timeoutId\n     *        The id of the timeout to clear. The return value of\n     *        {@link Component#setTimeout} or `window.setTimeout`.\n     *\n     * @return {number}\n     *         Returns the timeout id that was cleared.\n     *\n     * @see [Similar to]{@link https://developer.mozilla.org/en-US/docs/Web/API/WindowTimers/clearTimeout}\n     */\n    clearTimeout(timeoutId) {\n      if (this.setTimeoutIds_.has(timeoutId)) {\n        this.setTimeoutIds_.delete(timeoutId);\n        window.clearTimeout(timeoutId);\n      }\n      return timeoutId;\n    }\n\n    /**\n     * Creates a function that gets run every `x` milliseconds. This function is a wrapper\n     * around `window.setInterval`. There are a few reasons to use this one instead though.\n     * 1. It gets cleared via  {@link Component#clearInterval} when\n     *    {@link Component#dispose} gets called.\n     * 2. The function callback will be a {@link Component~GenericCallback}\n     *\n     * @param {Component~GenericCallback} fn\n     *        The function to run every `x` seconds.\n     *\n     * @param {number} interval\n     *        Execute the specified function every `x` milliseconds.\n     *\n     * @return {number}\n     *         Returns an id that can be used to identify the interval. It can also be be used in\n     *         {@link Component#clearInterval} to clear the interval.\n     *\n     * @listens Component#dispose\n     * @see [Similar to]{@link https://developer.mozilla.org/en-US/docs/Web/API/WindowTimers/setInterval}\n     */\n    setInterval(fn, interval) {\n      fn = bind_(this, fn);\n      this.clearTimersOnDispose_();\n      const intervalId = window.setInterval(fn, interval);\n      this.setIntervalIds_.add(intervalId);\n      return intervalId;\n    }\n\n    /**\n     * Clears an interval that gets created via `window.setInterval` or\n     * {@link Component#setInterval}. If you set an interval via {@link Component#setInterval}\n     * use this function instead of `window.clearInterval`. If you don't your dispose\n     * listener will not get cleaned up until {@link Component#dispose}!\n     *\n     * @param {number} intervalId\n     *        The id of the interval to clear. The return value of\n     *        {@link Component#setInterval} or `window.setInterval`.\n     *\n     * @return {number}\n     *         Returns the interval id that was cleared.\n     *\n     * @see [Similar to]{@link https://developer.mozilla.org/en-US/docs/Web/API/WindowTimers/clearInterval}\n     */\n    clearInterval(intervalId) {\n      if (this.setIntervalIds_.has(intervalId)) {\n        this.setIntervalIds_.delete(intervalId);\n        window.clearInterval(intervalId);\n      }\n      return intervalId;\n    }\n\n    /**\n     * Queues up a callback to be passed to requestAnimationFrame (rAF), but\n     * with a few extra bonuses:\n     *\n     * - Supports browsers that do not support rAF by falling back to\n     *   {@link Component#setTimeout}.\n     *\n     * - The callback is turned into a {@link Component~GenericCallback} (i.e.\n     *   bound to the component).\n     *\n     * - Automatic cancellation of the rAF callback is handled if the component\n     *   is disposed before it is called.\n     *\n     * @param  {Component~GenericCallback} fn\n     *         A function that will be bound to this component and executed just\n     *         before the browser's next repaint.\n     *\n     * @return {number}\n     *         Returns an rAF ID that gets used to identify the timeout. It can\n     *         also be used in {@link Component#cancelAnimationFrame} to cancel\n     *         the animation frame callback.\n     *\n     * @listens Component#dispose\n     * @see [Similar to]{@link https://developer.mozilla.org/en-US/docs/Web/API/window/requestAnimationFrame}\n     */\n    requestAnimationFrame(fn) {\n      this.clearTimersOnDispose_();\n\n      // declare as variables so they are properly available in rAF function\n      // eslint-disable-next-line\n      var id;\n      fn = bind_(this, fn);\n      id = window.requestAnimationFrame(() => {\n        if (this.rafIds_.has(id)) {\n          this.rafIds_.delete(id);\n        }\n        fn();\n      });\n      this.rafIds_.add(id);\n      return id;\n    }\n\n    /**\n     * Request an animation frame, but only one named animation\n     * frame will be queued. Another will never be added until\n     * the previous one finishes.\n     *\n     * @param {string} name\n     *        The name to give this requestAnimationFrame\n     *\n     * @param  {Component~GenericCallback} fn\n     *         A function that will be bound to this component and executed just\n     *         before the browser's next repaint.\n     */\n    requestNamedAnimationFrame(name, fn) {\n      if (this.namedRafs_.has(name)) {\n        this.cancelNamedAnimationFrame(name);\n      }\n      this.clearTimersOnDispose_();\n      fn = bind_(this, fn);\n      const id = this.requestAnimationFrame(() => {\n        fn();\n        if (this.namedRafs_.has(name)) {\n          this.namedRafs_.delete(name);\n        }\n      });\n      this.namedRafs_.set(name, id);\n      return name;\n    }\n\n    /**\n     * Cancels a current named animation frame if it exists.\n     *\n     * @param {string} name\n     *        The name of the requestAnimationFrame to cancel.\n     */\n    cancelNamedAnimationFrame(name) {\n      if (!this.namedRafs_.has(name)) {\n        return;\n      }\n      this.cancelAnimationFrame(this.namedRafs_.get(name));\n      this.namedRafs_.delete(name);\n    }\n\n    /**\n     * Cancels a queued callback passed to {@link Component#requestAnimationFrame}\n     * (rAF).\n     *\n     * If you queue an rAF callback via {@link Component#requestAnimationFrame},\n     * use this function instead of `window.cancelAnimationFrame`. If you don't,\n     * your dispose listener will not get cleaned up until {@link Component#dispose}!\n     *\n     * @param {number} id\n     *        The rAF ID to clear. The return value of {@link Component#requestAnimationFrame}.\n     *\n     * @return {number}\n     *         Returns the rAF ID that was cleared.\n     *\n     * @see [Similar to]{@link https://developer.mozilla.org/en-US/docs/Web/API/window/cancelAnimationFrame}\n     */\n    cancelAnimationFrame(id) {\n      if (this.rafIds_.has(id)) {\n        this.rafIds_.delete(id);\n        window.cancelAnimationFrame(id);\n      }\n      return id;\n    }\n\n    /**\n     * A function to setup `requestAnimationFrame`, `setTimeout`,\n     * and `setInterval`, clearing on dispose.\n     *\n     * > Previously each timer added and removed dispose listeners on it's own.\n     * For better performance it was decided to batch them all, and use `Set`s\n     * to track outstanding timer ids.\n     *\n     * @private\n     */\n    clearTimersOnDispose_() {\n      if (this.clearingTimersOnDispose_) {\n        return;\n      }\n      this.clearingTimersOnDispose_ = true;\n      this.one('dispose', () => {\n        [['namedRafs_', 'cancelNamedAnimationFrame'], ['rafIds_', 'cancelAnimationFrame'], ['setTimeoutIds_', 'clearTimeout'], ['setIntervalIds_', 'clearInterval']].forEach(([idName, cancelName]) => {\n          // for a `Set` key will actually be the value again\n          // so forEach((val, val) =>` but for maps we want to use\n          // the key.\n          this[idName].forEach((val, key) => this[cancelName](key));\n        });\n        this.clearingTimersOnDispose_ = false;\n      });\n    }\n\n    /**\n      * Decide whether an element is actually disabled or not.\n      *\n      * @function isActuallyDisabled\n      * @param element {Node}\n      * @return {boolean}\n      *\n      * @see {@link https://html.spec.whatwg.org/multipage/semantics-other.html#concept-element-disabled}\n      */\n    getIsDisabled() {\n      return Boolean(this.el_.disabled);\n    }\n\n    /**\n      * Decide whether the element is expressly inert or not.\n      *\n      * @see {@link https://html.spec.whatwg.org/multipage/interaction.html#expressly-inert}\n      * @function isExpresslyInert\n      * @param element {Node}\n      * @return {boolean}\n      */\n    getIsExpresslyInert() {\n      return this.el_.inert && !this.el_.ownerDocument.documentElement.inert;\n    }\n\n    /**\n     * Determine whether or not this component can be considered as focusable component.\n     *\n     * @param {HTMLElement} el - The HTML element representing the component.\n     * @return {boolean}\n     *         If the component can be focused, will be `true`. Otherwise, `false`.\n     */\n    getIsFocusable(el) {\n      const element = el || this.el_;\n      return element.tabIndex >= 0 && !(this.getIsDisabled() || this.getIsExpresslyInert());\n    }\n\n    /**\n     * Determine whether or not this component is currently visible/enabled/etc...\n     *\n     * @param {HTMLElement} el - The HTML element representing the component.\n     * @return {boolean}\n     *         If the component can is currently visible & enabled, will be `true`. Otherwise, `false`.\n     */\n    getIsAvailableToBeFocused(el) {\n      /**\n       * Decide the style property of this element is specified whether it's visible or not.\n       *\n       * @function isVisibleStyleProperty\n       * @param element {CSSStyleDeclaration}\n       * @return {boolean}\n       */\n      function isVisibleStyleProperty(element) {\n        const elementStyle = window.getComputedStyle(element, null);\n        const thisVisibility = elementStyle.getPropertyValue('visibility');\n        const thisDisplay = elementStyle.getPropertyValue('display');\n        const invisibleStyle = ['hidden', 'collapse'];\n        return thisDisplay !== 'none' && !invisibleStyle.includes(thisVisibility);\n      }\n\n      /**\n       * Decide whether the element is being rendered or not.\n       * 1. If an element has the style as \"visibility: hidden | collapse\" or \"display: none\", it is not being rendered.\n       * 2. If an element has the style as \"opacity: 0\", it is not being rendered.(that is, invisible).\n       * 3. If width and height of an element are explicitly set to 0, it is not being rendered.\n       * 4. If a parent element is hidden, an element itself is not being rendered.\n       * (CSS visibility property and display property are inherited.)\n       *\n       * @see {@link https://html.spec.whatwg.org/multipage/rendering.html#being-rendered}\n       * @function isBeingRendered\n       * @param element {Node}\n       * @return {boolean}\n       */\n      function isBeingRendered(element) {\n        if (!isVisibleStyleProperty(element.parentElement)) {\n          return false;\n        }\n        if (!isVisibleStyleProperty(element) || element.style.opacity === '0' || window.getComputedStyle(element).height === '0px' || window.getComputedStyle(element).width === '0px') {\n          return false;\n        }\n        return true;\n      }\n\n      /**\n       * Determine if the element is visible for the user or not.\n       * 1. If an element sum of its offsetWidth, offsetHeight, height and width is less than 1 is not visible.\n       * 2. If elementCenter.x is less than is not visible.\n       * 3. If elementCenter.x is more than the document's width is not visible.\n       * 4. If elementCenter.y is less than 0 is not visible.\n       * 5. If elementCenter.y is the document's height is not visible.\n       *\n       * @function isVisible\n       * @param element {Node}\n       * @return {boolean}\n       */\n      function isVisible(element) {\n        if (element.offsetWidth + element.offsetHeight + element.getBoundingClientRect().height + element.getBoundingClientRect().width === 0) {\n          return false;\n        }\n\n        // Define elementCenter object with props of x and y\n        // x: Left position relative to the viewport plus element's width (no margin) divided between 2.\n        // y: Top position relative to the viewport plus element's height (no margin) divided between 2.\n        const elementCenter = {\n          x: element.getBoundingClientRect().left + element.offsetWidth / 2,\n          y: element.getBoundingClientRect().top + element.offsetHeight / 2\n        };\n        if (elementCenter.x < 0) {\n          return false;\n        }\n        if (elementCenter.x > (document.documentElement.clientWidth || window.innerWidth)) {\n          return false;\n        }\n        if (elementCenter.y < 0) {\n          return false;\n        }\n        if (elementCenter.y > (document.documentElement.clientHeight || window.innerHeight)) {\n          return false;\n        }\n        let pointContainer = document.elementFromPoint(elementCenter.x, elementCenter.y);\n        while (pointContainer) {\n          if (pointContainer === element) {\n            return true;\n          }\n          if (pointContainer.parentNode) {\n            pointContainer = pointContainer.parentNode;\n          } else {\n            return false;\n          }\n        }\n      }\n\n      // If no DOM element was passed as argument use this component's element.\n      if (!el) {\n        el = this.el();\n      }\n\n      // If element is visible, is being rendered & either does not have a parent element or its tabIndex is not negative.\n      if (isVisible(el) && isBeingRendered(el) && (!el.parentElement || el.tabIndex >= 0)) {\n        return true;\n      }\n      return false;\n    }\n\n    /**\n     * Register a `Component` with `videojs` given the name and the component.\n     *\n     * > NOTE: {@link Tech}s should not be registered as a `Component`. {@link Tech}s\n     *         should be registered using {@link Tech.registerTech} or\n     *         {@link videojs:videojs.registerTech}.\n     *\n     * > NOTE: This function can also be seen on videojs as\n     *         {@link videojs:videojs.registerComponent}.\n     *\n     * @param {string} name\n     *        The name of the `Component` to register.\n     *\n     * @param {Component} ComponentToRegister\n     *        The `Component` class to register.\n     *\n     * @return {Component}\n     *         The `Component` that was registered.\n     */\n    static registerComponent(name, ComponentToRegister) {\n      if (typeof name !== 'string' || !name) {\n        throw new Error(`Illegal component name, \"${name}\"; must be a non-empty string.`);\n      }\n      const Tech = Component$1.getComponent('Tech');\n\n      // We need to make sure this check is only done if Tech has been registered.\n      const isTech = Tech && Tech.isTech(ComponentToRegister);\n      const isComp = Component$1 === ComponentToRegister || Component$1.prototype.isPrototypeOf(ComponentToRegister.prototype);\n      if (isTech || !isComp) {\n        let reason;\n        if (isTech) {\n          reason = 'techs must be registered using Tech.registerTech()';\n        } else {\n          reason = 'must be a Component subclass';\n        }\n        throw new Error(`Illegal component, \"${name}\"; ${reason}.`);\n      }\n      name = toTitleCase$1(name);\n      if (!Component$1.components_) {\n        Component$1.components_ = {};\n      }\n      const Player = Component$1.getComponent('Player');\n      if (name === 'Player' && Player && Player.players) {\n        const players = Player.players;\n        const playerNames = Object.keys(players);\n\n        // If we have players that were disposed, then their name will still be\n        // in Players.players. So, we must loop through and verify that the value\n        // for each item is not null. This allows registration of the Player component\n        // after all players have been disposed or before any were created.\n        if (players && playerNames.length > 0 && playerNames.map(pname => players[pname]).every(Boolean)) {\n          throw new Error('Can not register Player component after player has been created.');\n        }\n      }\n      Component$1.components_[name] = ComponentToRegister;\n      Component$1.components_[toLowerCase(name)] = ComponentToRegister;\n      return ComponentToRegister;\n    }\n\n    /**\n     * Get a `Component` based on the name it was registered with.\n     *\n     * @param {string} name\n     *        The Name of the component to get.\n     *\n     * @return {typeof Component}\n     *         The `Component` that got registered under the given name.\n     */\n    static getComponent(name) {\n      if (!name || !Component$1.components_) {\n        return;\n      }\n      return Component$1.components_[name];\n    }\n  }\n  Component$1.registerComponent('Component', Component$1);\n\n  /**\n   * @file time.js\n   * @module time\n   */\n\n  /**\n   * Returns the time for the specified index at the start or end\n   * of a TimeRange object.\n   *\n   * @typedef    {Function} TimeRangeIndex\n   *\n   * @param      {number} [index=0]\n   *             The range number to return the time for.\n   *\n   * @return     {number}\n   *             The time offset at the specified index.\n   *\n   * @deprecated The index argument must be provided.\n   *             In the future, leaving it out will throw an error.\n   */\n\n  /**\n   * An object that contains ranges of time, which mimics {@link TimeRanges}.\n   *\n   * @typedef  {Object} TimeRange\n   *\n   * @property {number} length\n   *           The number of time ranges represented by this object.\n   *\n   * @property {module:time~TimeRangeIndex} start\n   *           Returns the time offset at which a specified time range begins.\n   *\n   * @property {module:time~TimeRangeIndex} end\n   *           Returns the time offset at which a specified time range ends.\n   *\n   * @see https://developer.mozilla.org/en-US/docs/Web/API/TimeRanges\n   */\n\n  /**\n   * Check if any of the time ranges are over the maximum index.\n   *\n   * @private\n   * @param   {string} fnName\n   *          The function name to use for logging\n   *\n   * @param   {number} index\n   *          The index to check\n   *\n   * @param   {number} maxIndex\n   *          The maximum possible index\n   *\n   * @throws  {Error} if the timeRanges provided are over the maxIndex\n   */\n  function rangeCheck(fnName, index, maxIndex) {\n    if (typeof index !== 'number' || index < 0 || index > maxIndex) {\n      throw new Error(`Failed to execute '${fnName}' on 'TimeRanges': The index provided (${index}) is non-numeric or out of bounds (0-${maxIndex}).`);\n    }\n  }\n\n  /**\n   * Get the time for the specified index at the start or end\n   * of a TimeRange object.\n   *\n   * @private\n   * @param      {string} fnName\n   *             The function name to use for logging\n   *\n   * @param      {string} valueIndex\n   *             The property that should be used to get the time. should be\n   *             'start' or 'end'\n   *\n   * @param      {Array} ranges\n   *             An array of time ranges\n   *\n   * @param      {Array} [rangeIndex=0]\n   *             The index to start the search at\n   *\n   * @return     {number}\n   *             The time that offset at the specified index.\n   *\n   * @deprecated rangeIndex must be set to a value, in the future this will throw an error.\n   * @throws     {Error} if rangeIndex is more than the length of ranges\n   */\n  function getRange(fnName, valueIndex, ranges, rangeIndex) {\n    rangeCheck(fnName, rangeIndex, ranges.length - 1);\n    return ranges[rangeIndex][valueIndex];\n  }\n\n  /**\n   * Create a time range object given ranges of time.\n   *\n   * @private\n   * @param   {Array} [ranges]\n   *          An array of time ranges.\n   *\n   * @return  {TimeRange}\n   */\n  function createTimeRangesObj(ranges) {\n    let timeRangesObj;\n    if (ranges === undefined || ranges.length === 0) {\n      timeRangesObj = {\n        length: 0,\n        start() {\n          throw new Error('This TimeRanges object is empty');\n        },\n        end() {\n          throw new Error('This TimeRanges object is empty');\n        }\n      };\n    } else {\n      timeRangesObj = {\n        length: ranges.length,\n        start: getRange.bind(null, 'start', 0, ranges),\n        end: getRange.bind(null, 'end', 1, ranges)\n      };\n    }\n    if (window.Symbol && window.Symbol.iterator) {\n      timeRangesObj[window.Symbol.iterator] = () => (ranges || []).values();\n    }\n    return timeRangesObj;\n  }\n\n  /**\n   * Create a `TimeRange` object which mimics an\n   * {@link https://developer.mozilla.org/en-US/docs/Web/API/TimeRanges|HTML5 TimeRanges instance}.\n   *\n   * @param {number|Array[]} start\n   *        The start of a single range (a number) or an array of ranges (an\n   *        array of arrays of two numbers each).\n   *\n   * @param {number} end\n   *        The end of a single range. Cannot be used with the array form of\n   *        the `start` argument.\n   *\n   * @return {TimeRange}\n   */\n  function createTimeRanges$1(start, end) {\n    if (Array.isArray(start)) {\n      return createTimeRangesObj(start);\n    } else if (start === undefined || end === undefined) {\n      return createTimeRangesObj();\n    }\n    return createTimeRangesObj([[start, end]]);\n  }\n\n  /**\n   * Format seconds as a time string, H:MM:SS or M:SS. Supplying a guide (in\n   * seconds) will force a number of leading zeros to cover the length of the\n   * guide.\n   *\n   * @private\n   * @param  {number} seconds\n   *         Number of seconds to be turned into a string\n   *\n   * @param  {number} guide\n   *         Number (in seconds) to model the string after\n   *\n   * @return {string}\n   *         Time formatted as H:MM:SS or M:SS\n   */\n  const defaultImplementation = function (seconds, guide) {\n    seconds = seconds < 0 ? 0 : seconds;\n    let s = Math.floor(seconds % 60);\n    let m = Math.floor(seconds / 60 % 60);\n    let h = Math.floor(seconds / 3600);\n    const gm = Math.floor(guide / 60 % 60);\n    const gh = Math.floor(guide / 3600);\n\n    // handle invalid times\n    if (isNaN(seconds) || seconds === Infinity) {\n      // '-' is false for all relational operators (e.g. <, >=) so this setting\n      // will add the minimum number of fields specified by the guide\n      h = m = s = '-';\n    }\n\n    // Check if we need to show hours\n    h = h > 0 || gh > 0 ? h + ':' : '';\n\n    // If hours are showing, we may need to add a leading zero.\n    // Always show at least one digit of minutes.\n    m = ((h || gm >= 10) && m < 10 ? '0' + m : m) + ':';\n\n    // Check if leading zero is need for seconds\n    s = s < 10 ? '0' + s : s;\n    return h + m + s;\n  };\n\n  // Internal pointer to the current implementation.\n  let implementation = defaultImplementation;\n\n  /**\n   * Replaces the default formatTime implementation with a custom implementation.\n   *\n   * @param {Function} customImplementation\n   *        A function which will be used in place of the default formatTime\n   *        implementation. Will receive the current time in seconds and the\n   *        guide (in seconds) as arguments.\n   */\n  function setFormatTime(customImplementation) {\n    implementation = customImplementation;\n  }\n\n  /**\n   * Resets formatTime to the default implementation.\n   */\n  function resetFormatTime() {\n    implementation = defaultImplementation;\n  }\n\n  /**\n   * Delegates to either the default time formatting function or a custom\n   * function supplied via `setFormatTime`.\n   *\n   * Formats seconds as a time string (H:MM:SS or M:SS). Supplying a\n   * guide (in seconds) will force a number of leading zeros to cover the\n   * length of the guide.\n   *\n   * @example  formatTime(125, 600) === \"02:05\"\n   * @param    {number} seconds\n   *           Number of seconds to be turned into a string\n   *\n   * @param    {number} guide\n   *           Number (in seconds) to model the string after\n   *\n   * @return   {string}\n   *           Time formatted as H:MM:SS or M:SS\n   */\n  function formatTime(seconds, guide = seconds) {\n    return implementation(seconds, guide);\n  }\n\n  var Time = /*#__PURE__*/Object.freeze({\n    __proto__: null,\n    createTimeRanges: createTimeRanges$1,\n    createTimeRange: createTimeRanges$1,\n    setFormatTime: setFormatTime,\n    resetFormatTime: resetFormatTime,\n    formatTime: formatTime\n  });\n\n  /**\n   * @file buffer.js\n   * @module buffer\n   */\n\n  /** @import { TimeRange } from './time' */\n\n  /**\n   * Compute the percentage of the media that has been buffered.\n   *\n   * @param {TimeRange} buffered\n   *        The current `TimeRanges` object representing buffered time ranges\n   *\n   * @param {number} duration\n   *        Total duration of the media\n   *\n   * @return {number}\n   *         Percent buffered of the total duration in decimal form.\n   */\n  function bufferedPercent(buffered, duration) {\n    let bufferedDuration = 0;\n    let start;\n    let end;\n    if (!duration) {\n      return 0;\n    }\n    if (!buffered || !buffered.length) {\n      buffered = createTimeRanges$1(0, 0);\n    }\n    for (let i = 0; i < buffered.length; i++) {\n      start = buffered.start(i);\n      end = buffered.end(i);\n\n      // buffered end can be bigger than duration by a very small fraction\n      if (end > duration) {\n        end = duration;\n      }\n      bufferedDuration += end - start;\n    }\n    return bufferedDuration / duration;\n  }\n\n  /**\n   * @file media-error.js\n   */\n\n  /**\n   * A Custom `MediaError` class which mimics the standard HTML5 `MediaError` class.\n   *\n   * @param {number|string|Object|MediaError} value\n   *        This can be of multiple types:\n   *        - number: should be a standard error code\n   *        - string: an error message (the code will be 0)\n   *        - Object: arbitrary properties\n   *        - `MediaError` (native): used to populate a video.js `MediaError` object\n   *        - `MediaError` (video.js): will return itself if it's already a\n   *          video.js `MediaError` object.\n   *\n   * @see [MediaError Spec]{@link https://dev.w3.org/html5/spec-author-view/video.html#mediaerror}\n   * @see [Encrypted MediaError Spec]{@link https://www.w3.org/TR/2013/WD-encrypted-media-20130510/#error-codes}\n   *\n   * @class MediaError\n   */\n  function MediaError(value) {\n    // Allow redundant calls to this constructor to avoid having `instanceof`\n    // checks peppered around the code.\n    if (value instanceof MediaError) {\n      return value;\n    }\n    if (typeof value === 'number') {\n      this.code = value;\n    } else if (typeof value === 'string') {\n      // default code is zero, so this is a custom error\n      this.message = value;\n    } else if (isObject$1(value)) {\n      // We assign the `code` property manually because native `MediaError` objects\n      // do not expose it as an own/enumerable property of the object.\n      if (typeof value.code === 'number') {\n        this.code = value.code;\n      }\n      Object.assign(this, value);\n    }\n    if (!this.message) {\n      this.message = MediaError.defaultMessages[this.code] || '';\n    }\n  }\n\n  /**\n   * The error code that refers two one of the defined `MediaError` types\n   *\n   * @type {Number}\n   */\n  MediaError.prototype.code = 0;\n\n  /**\n   * An optional message that to show with the error. Message is not part of the HTML5\n   * video spec but allows for more informative custom errors.\n   *\n   * @type {String}\n   */\n  MediaError.prototype.message = '';\n\n  /**\n   * An optional status code that can be set by plugins to allow even more detail about\n   * the error. For example a plugin might provide a specific HTTP status code and an\n   * error message for that code. Then when the plugin gets that error this class will\n   * know how to display an error message for it. This allows a custom message to show\n   * up on the `Player` error overlay.\n   *\n   * @type {Array}\n   */\n  MediaError.prototype.status = null;\n\n  /**\n   * An object containing an error type, as well as other information regarding the error.\n   *\n   * @typedef {{errorType: string, [key: string]: any}} ErrorMetadata\n   */\n\n  /**\n   * An optional object to give more detail about the error. This can be used to give\n   * a higher level of specificity to an error versus the more generic MediaError codes.\n   * `metadata` expects an `errorType` string that should align with the values from videojs.Error.\n   *\n   * @type {ErrorMetadata}\n   */\n  MediaError.prototype.metadata = null;\n\n  /**\n   * Errors indexed by the W3C standard. The order **CANNOT CHANGE**! See the\n   * specification listed under {@link MediaError} for more information.\n   *\n   * @enum {array}\n   * @readonly\n   * @property {string} 0 - MEDIA_ERR_CUSTOM\n   * @property {string} 1 - MEDIA_ERR_ABORTED\n   * @property {string} 2 - MEDIA_ERR_NETWORK\n   * @property {string} 3 - MEDIA_ERR_DECODE\n   * @property {string} 4 - MEDIA_ERR_SRC_NOT_SUPPORTED\n   * @property {string} 5 - MEDIA_ERR_ENCRYPTED\n   */\n  MediaError.errorTypes = ['MEDIA_ERR_CUSTOM', 'MEDIA_ERR_ABORTED', 'MEDIA_ERR_NETWORK', 'MEDIA_ERR_DECODE', 'MEDIA_ERR_SRC_NOT_SUPPORTED', 'MEDIA_ERR_ENCRYPTED'];\n\n  /**\n   * The default `MediaError` messages based on the {@link MediaError.errorTypes}.\n   *\n   * @type {Array}\n   * @constant\n   */\n  MediaError.defaultMessages = {\n    1: 'You aborted the media playback',\n    2: 'A network error caused the media download to fail part-way.',\n    3: 'The media playback was aborted due to a corruption problem or because the media used features your browser did not support.',\n    4: 'The media could not be loaded, either because the server or network failed or because the format is not supported.',\n    5: 'The media is encrypted and we do not have the keys to decrypt it.'\n  };\n\n  /**\n   * W3C error code for any custom error.\n   *\n   * @member MediaError#MEDIA_ERR_CUSTOM\n   * @constant {number}\n   * @default 0\n   */\n  MediaError.MEDIA_ERR_CUSTOM = 0;\n\n  /**\n   * W3C error code for any custom error.\n   *\n   * @member MediaError.MEDIA_ERR_CUSTOM\n   * @constant {number}\n   * @default 0\n   */\n  MediaError.prototype.MEDIA_ERR_CUSTOM = 0;\n\n  /**\n   * W3C error code for media error aborted.\n   *\n   * @member MediaError#MEDIA_ERR_ABORTED\n   * @constant {number}\n   * @default 1\n   */\n  MediaError.MEDIA_ERR_ABORTED = 1;\n\n  /**\n   * W3C error code for media error aborted.\n   *\n   * @member MediaError.MEDIA_ERR_ABORTED\n   * @constant {number}\n   * @default 1\n   */\n  MediaError.prototype.MEDIA_ERR_ABORTED = 1;\n\n  /**\n   * W3C error code for any network error.\n   *\n   * @member MediaError#MEDIA_ERR_NETWORK\n   * @constant {number}\n   * @default 2\n   */\n  MediaError.MEDIA_ERR_NETWORK = 2;\n\n  /**\n   * W3C error code for any network error.\n   *\n   * @member MediaError.MEDIA_ERR_NETWORK\n   * @constant {number}\n   * @default 2\n   */\n  MediaError.prototype.MEDIA_ERR_NETWORK = 2;\n\n  /**\n   * W3C error code for any decoding error.\n   *\n   * @member MediaError#MEDIA_ERR_DECODE\n   * @constant {number}\n   * @default 3\n   */\n  MediaError.MEDIA_ERR_DECODE = 3;\n\n  /**\n   * W3C error code for any decoding error.\n   *\n   * @member MediaError.MEDIA_ERR_DECODE\n   * @constant {number}\n   * @default 3\n   */\n  MediaError.prototype.MEDIA_ERR_DECODE = 3;\n\n  /**\n   * W3C error code for any time that a source is not supported.\n   *\n   * @member MediaError#MEDIA_ERR_SRC_NOT_SUPPORTED\n   * @constant {number}\n   * @default 4\n   */\n  MediaError.MEDIA_ERR_SRC_NOT_SUPPORTED = 4;\n\n  /**\n   * W3C error code for any time that a source is not supported.\n   *\n   * @member MediaError.MEDIA_ERR_SRC_NOT_SUPPORTED\n   * @constant {number}\n   * @default 4\n   */\n  MediaError.prototype.MEDIA_ERR_SRC_NOT_SUPPORTED = 4;\n\n  /**\n   * W3C error code for any time that a source is encrypted.\n   *\n   * @member MediaError#MEDIA_ERR_ENCRYPTED\n   * @constant {number}\n   * @default 5\n   */\n  MediaError.MEDIA_ERR_ENCRYPTED = 5;\n\n  /**\n   * W3C error code for any time that a source is encrypted.\n   *\n   * @member MediaError.MEDIA_ERR_ENCRYPTED\n   * @constant {number}\n   * @default 5\n   */\n  MediaError.prototype.MEDIA_ERR_ENCRYPTED = 5;\n\n  /**\n   * Returns whether an object is `Promise`-like (i.e. has a `then` method).\n   *\n   * @param  {Object}  value\n   *         An object that may or may not be `Promise`-like.\n   *\n   * @return {boolean}\n   *         Whether or not the object is `Promise`-like.\n   */\n  function isPromise(value) {\n    return value !== undefined && value !== null && typeof value.then === 'function';\n  }\n\n  /**\n   * Silence a Promise-like object.\n   *\n   * This is useful for avoiding non-harmful, but potentially confusing \"uncaught\n   * play promise\" rejection error messages.\n   *\n   * @param  {Object} value\n   *         An object that may or may not be `Promise`-like.\n   */\n  function silencePromise(value) {\n    if (isPromise(value)) {\n      value.then(null, e => {});\n    }\n  }\n\n  /**\n   * @file text-track-list-converter.js Utilities for capturing text track state and\n   * re-creating tracks based on a capture.\n   *\n   * @module text-track-list-converter\n   */\n\n  /** @import Tech from '../tech/tech' */\n\n  /**\n   * Examine a single {@link TextTrack} and return a JSON-compatible javascript object that\n   * represents the {@link TextTrack}'s state.\n   *\n   * @param {TextTrack} track\n   *        The text track to query.\n   *\n   * @return {Object}\n   *         A serializable javascript representation of the TextTrack.\n   * @private\n   */\n  const trackToJson_ = function (track) {\n    const ret = ['kind', 'label', 'language', 'id', 'inBandMetadataTrackDispatchType', 'mode', 'src'].reduce((acc, prop, i) => {\n      if (track[prop]) {\n        acc[prop] = track[prop];\n      }\n      return acc;\n    }, {\n      cues: track.cues && Array.prototype.map.call(track.cues, function (cue) {\n        return {\n          startTime: cue.startTime,\n          endTime: cue.endTime,\n          text: cue.text,\n          id: cue.id\n        };\n      })\n    });\n    return ret;\n  };\n\n  /**\n   * Examine a {@link Tech} and return a JSON-compatible javascript array that represents the\n   * state of all {@link TextTrack}s currently configured. The return array is compatible with\n   * {@link text-track-list-converter:jsonToTextTracks}.\n   *\n   * @param {Tech} tech\n   *        The tech object to query\n   *\n   * @return {Array}\n   *         A serializable javascript representation of the {@link Tech}s\n   *         {@link TextTrackList}.\n   */\n  const textTracksToJson = function (tech) {\n    const trackEls = tech.$$('track');\n    const trackObjs = Array.prototype.map.call(trackEls, t => t.track);\n    const tracks = Array.prototype.map.call(trackEls, function (trackEl) {\n      const json = trackToJson_(trackEl.track);\n      if (trackEl.src) {\n        json.src = trackEl.src;\n      }\n      return json;\n    });\n    return tracks.concat(Array.prototype.filter.call(tech.textTracks(), function (track) {\n      return trackObjs.indexOf(track) === -1;\n    }).map(trackToJson_));\n  };\n\n  /**\n   * Create a set of remote {@link TextTrack}s on a {@link Tech} based on an array of javascript\n   * object {@link TextTrack} representations.\n   *\n   * @param {Array} json\n   *        An array of `TextTrack` representation objects, like those that would be\n   *        produced by `textTracksToJson`.\n   *\n   * @param {Tech} tech\n   *        The `Tech` to create the `TextTrack`s on.\n   */\n  const jsonToTextTracks = function (json, tech) {\n    json.forEach(function (track) {\n      const addedTrack = tech.addRemoteTextTrack(track).track;\n      if (!track.src && track.cues) {\n        track.cues.forEach(cue => addedTrack.addCue(cue));\n      }\n    });\n    return tech.textTracks();\n  };\n  var textTrackConverter = {\n    textTracksToJson,\n    jsonToTextTracks,\n    trackToJson_\n  };\n\n  /**\n   * @file modal-dialog.js\n   */\n\n  /** @import Player from './player' */\n  /** @import { ContentDescriptor } from './utils/dom' */\n\n  const MODAL_CLASS_NAME = 'vjs-modal-dialog';\n\n  /**\n   * The `ModalDialog` displays over the video and its controls, which blocks\n   * interaction with the player until it is closed.\n   *\n   * Modal dialogs include a \"Close\" button and will close when that button\n   * is activated - or when ESC is pressed anywhere.\n   *\n   * @extends Component\n   */\n  class ModalDialog extends Component$1 {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of player options.\n     *\n     * @param {ContentDescriptor} [options.content=undefined]\n     *        Provide customized content for this modal.\n     *\n     * @param {string} [options.description]\n     *        A text description for the modal, primarily for accessibility.\n     *\n     * @param {boolean} [options.fillAlways=false]\n     *        Normally, modals are automatically filled only the first time\n     *        they open. This tells the modal to refresh its content\n     *        every time it opens.\n     *\n     * @param {string} [options.label]\n     *        A text label for the modal, primarily for accessibility.\n     *\n     * @param {boolean} [options.pauseOnOpen=true]\n     *        If `true`, playback will will be paused if playing when\n     *        the modal opens, and resumed when it closes.\n     *\n     * @param {boolean} [options.temporary=true]\n     *        If `true`, the modal can only be opened once; it will be\n     *        disposed as soon as it's closed.\n     *\n     * @param {boolean} [options.uncloseable=false]\n     *        If `true`, the user will not be able to close the modal\n     *        through the UI in the normal ways. Programmatic closing is\n     *        still possible.\n     */\n    constructor(player, options) {\n      super(player, options);\n      this.handleKeyDown_ = e => this.handleKeyDown(e);\n      this.close_ = e => this.close(e);\n      this.opened_ = this.hasBeenOpened_ = this.hasBeenFilled_ = false;\n      this.closeable(!this.options_.uncloseable);\n      this.content(this.options_.content);\n\n      // Make sure the contentEl is defined AFTER any children are initialized\n      // because we only want the contents of the modal in the contentEl\n      // (not the UI elements like the close button).\n      this.contentEl_ = createEl('div', {\n        className: `${MODAL_CLASS_NAME}-content`\n      }, {\n        role: 'document'\n      });\n      this.descEl_ = createEl('p', {\n        className: `${MODAL_CLASS_NAME}-description vjs-control-text`,\n        id: this.el().getAttribute('aria-describedby')\n      });\n      textContent(this.descEl_, this.description());\n      this.el_.appendChild(this.descEl_);\n      this.el_.appendChild(this.contentEl_);\n    }\n\n    /**\n     * Create the `ModalDialog`'s DOM element\n     *\n     * @return {Element}\n     *         The DOM element that gets created.\n     */\n    createEl() {\n      return super.createEl('div', {\n        className: this.buildCSSClass(),\n        tabIndex: -1\n      }, {\n        'aria-describedby': `${this.id()}_description`,\n        'aria-hidden': 'true',\n        'aria-label': this.label(),\n        'role': 'dialog',\n        'aria-live': 'polite'\n      });\n    }\n    dispose() {\n      this.contentEl_ = null;\n      this.descEl_ = null;\n      this.previouslyActiveEl_ = null;\n      super.dispose();\n    }\n\n    /**\n     * Builds the default DOM `className`.\n     *\n     * @return {string}\n     *         The DOM `className` for this object.\n     */\n    buildCSSClass() {\n      return `${MODAL_CLASS_NAME} vjs-hidden ${super.buildCSSClass()}`;\n    }\n\n    /**\n     * Returns the label string for this modal. Primarily used for accessibility.\n     *\n     * @return {string}\n     *         the localized or raw label of this modal.\n     */\n    label() {\n      return this.localize(this.options_.label || 'Modal Window');\n    }\n\n    /**\n     * Returns the description string for this modal. Primarily used for\n     * accessibility.\n     *\n     * @return {string}\n     *         The localized or raw description of this modal.\n     */\n    description() {\n      let desc = this.options_.description || this.localize('This is a modal window.');\n\n      // Append a universal closeability message if the modal is closeable.\n      if (this.closeable()) {\n        desc += ' ' + this.localize('This modal can be closed by pressing the Escape key or activating the close button.');\n      }\n      return desc;\n    }\n\n    /**\n     * Opens the modal.\n     *\n     * @fires ModalDialog#beforemodalopen\n     * @fires ModalDialog#modalopen\n     */\n    open() {\n      if (this.opened_) {\n        if (this.options_.fillAlways) {\n          this.fill();\n        }\n        return;\n      }\n      const player = this.player();\n\n      /**\n        * Fired just before a `ModalDialog` is opened.\n        *\n        * @event ModalDialog#beforemodalopen\n        * @type {Event}\n        */\n      this.trigger('beforemodalopen');\n      this.opened_ = true;\n\n      // Fill content if the modal has never opened before and\n      // never been filled.\n      if (this.options_.fillAlways || !this.hasBeenOpened_ && !this.hasBeenFilled_) {\n        this.fill();\n      }\n\n      // If the player was playing, pause it and take note of its previously\n      // playing state.\n      this.wasPlaying_ = !player.paused();\n      if (this.options_.pauseOnOpen && this.wasPlaying_) {\n        player.pause();\n      }\n      this.on('keydown', this.handleKeyDown_);\n\n      // Hide controls and note if they were enabled.\n      this.hadControls_ = player.controls();\n      player.controls(false);\n      this.show();\n      this.conditionalFocus_();\n      this.el().setAttribute('aria-hidden', 'false');\n\n      /**\n        * Fired just after a `ModalDialog` is opened.\n        *\n        * @event ModalDialog#modalopen\n        * @type {Event}\n        */\n      this.trigger('modalopen');\n      this.hasBeenOpened_ = true;\n    }\n\n    /**\n     * If the `ModalDialog` is currently open or closed.\n     *\n     * @param  {boolean} [value]\n     *         If given, it will open (`true`) or close (`false`) the modal.\n     *\n     * @return {boolean}\n     *         the current open state of the modaldialog\n     */\n    opened(value) {\n      if (typeof value === 'boolean') {\n        this[value ? 'open' : 'close']();\n      }\n      return this.opened_;\n    }\n\n    /**\n     * Closes the modal, does nothing if the `ModalDialog` is\n     * not open.\n     *\n     * @fires ModalDialog#beforemodalclose\n     * @fires ModalDialog#modalclose\n     */\n    close() {\n      if (!this.opened_) {\n        return;\n      }\n      const player = this.player();\n\n      /**\n        * Fired just before a `ModalDialog` is closed.\n        *\n        * @event ModalDialog#beforemodalclose\n        * @type {Event}\n        */\n      this.trigger('beforemodalclose');\n      this.opened_ = false;\n      if (this.wasPlaying_ && this.options_.pauseOnOpen) {\n        player.play();\n      }\n      this.off('keydown', this.handleKeyDown_);\n      if (this.hadControls_) {\n        player.controls(true);\n      }\n      this.hide();\n      this.el().setAttribute('aria-hidden', 'true');\n\n      /**\n        * Fired just after a `ModalDialog` is closed.\n        *\n        * @event ModalDialog#modalclose\n        * @type {Event}\n        *\n        * @property {boolean} [bubbles=true]\n        */\n      this.trigger({\n        type: 'modalclose',\n        bubbles: true\n      });\n      this.conditionalBlur_();\n      if (this.options_.temporary) {\n        this.dispose();\n      }\n    }\n\n    /**\n     * Check to see if the `ModalDialog` is closeable via the UI.\n     *\n     * @param  {boolean} [value]\n     *         If given as a boolean, it will set the `closeable` option.\n     *\n     * @return {boolean}\n     *         Returns the final value of the closable option.\n     */\n    closeable(value) {\n      if (typeof value === 'boolean') {\n        const closeable = this.closeable_ = !!value;\n        let close = this.getChild('closeButton');\n\n        // If this is being made closeable and has no close button, add one.\n        if (closeable && !close) {\n          // The close button should be a child of the modal - not its\n          // content element, so temporarily change the content element.\n          const temp = this.contentEl_;\n          this.contentEl_ = this.el_;\n          close = this.addChild('closeButton', {\n            controlText: 'Close Modal Dialog'\n          });\n          this.contentEl_ = temp;\n          this.on(close, 'close', this.close_);\n        }\n\n        // If this is being made uncloseable and has a close button, remove it.\n        if (!closeable && close) {\n          this.off(close, 'close', this.close_);\n          this.removeChild(close);\n          close.dispose();\n        }\n      }\n      return this.closeable_;\n    }\n\n    /**\n     * Fill the modal's content element with the modal's \"content\" option.\n     * The content element will be emptied before this change takes place.\n     */\n    fill() {\n      this.fillWith(this.content());\n    }\n\n    /**\n     * Fill the modal's content element with arbitrary content.\n     * The content element will be emptied before this change takes place.\n     *\n     * @fires ModalDialog#beforemodalfill\n     * @fires ModalDialog#modalfill\n     *\n     * @param {ContentDescriptor} [content]\n     *        The same rules apply to this as apply to the `content` option.\n     */\n    fillWith(content) {\n      const contentEl = this.contentEl();\n      const parentEl = contentEl.parentNode;\n      const nextSiblingEl = contentEl.nextSibling;\n\n      /**\n        * Fired just before a `ModalDialog` is filled with content.\n        *\n        * @event ModalDialog#beforemodalfill\n        * @type {Event}\n        */\n      this.trigger('beforemodalfill');\n      this.hasBeenFilled_ = true;\n\n      // Detach the content element from the DOM before performing\n      // manipulation to avoid modifying the live DOM multiple times.\n      parentEl.removeChild(contentEl);\n      this.empty();\n      insertContent(contentEl, content);\n      /**\n       * Fired just after a `ModalDialog` is filled with content.\n       *\n       * @event ModalDialog#modalfill\n       * @type {Event}\n       */\n      this.trigger('modalfill');\n\n      // Re-inject the re-filled content element.\n      if (nextSiblingEl) {\n        parentEl.insertBefore(contentEl, nextSiblingEl);\n      } else {\n        parentEl.appendChild(contentEl);\n      }\n\n      // make sure that the close button is last in the dialog DOM\n      const closeButton = this.getChild('closeButton');\n      if (closeButton) {\n        parentEl.appendChild(closeButton.el_);\n      }\n\n      /**\n       * Fired after `ModalDialog` is re-filled with content & close button is appended.\n       *\n       * @event ModalDialog#aftermodalfill\n       * @type {Event}\n       */\n      this.trigger('aftermodalfill');\n    }\n\n    /**\n     * Empties the content element. This happens anytime the modal is filled.\n     *\n     * @fires ModalDialog#beforemodalempty\n     * @fires ModalDialog#modalempty\n     */\n    empty() {\n      /**\n      * Fired just before a `ModalDialog` is emptied.\n      *\n      * @event ModalDialog#beforemodalempty\n      * @type {Event}\n      */\n      this.trigger('beforemodalempty');\n      emptyEl(this.contentEl());\n\n      /**\n      * Fired just after a `ModalDialog` is emptied.\n      *\n      * @event ModalDialog#modalempty\n      * @type {Event}\n      */\n      this.trigger('modalempty');\n    }\n\n    /**\n     * Gets or sets the modal content, which gets normalized before being\n     * rendered into the DOM.\n     *\n     * This does not update the DOM or fill the modal, but it is called during\n     * that process.\n     *\n     * @param  {ContentDescriptor} [value]\n     *         If defined, sets the internal content value to be used on the\n     *         next call(s) to `fill`. This value is normalized before being\n     *         inserted. To \"clear\" the internal content value, pass `null`.\n     *\n     * @return {ContentDescriptor}\n     *         The current content of the modal dialog\n     */\n    content(value) {\n      if (typeof value !== 'undefined') {\n        this.content_ = value;\n      }\n      return this.content_;\n    }\n\n    /**\n     * conditionally focus the modal dialog if focus was previously on the player.\n     *\n     * @private\n     */\n    conditionalFocus_() {\n      const activeEl = document.activeElement;\n      const playerEl = this.player_.el_;\n      this.previouslyActiveEl_ = null;\n      if (playerEl.contains(activeEl) || playerEl === activeEl) {\n        this.previouslyActiveEl_ = activeEl;\n        this.focus();\n      }\n    }\n\n    /**\n     * conditionally blur the element and refocus the last focused element\n     *\n     * @private\n     */\n    conditionalBlur_() {\n      if (this.previouslyActiveEl_) {\n        this.previouslyActiveEl_.focus();\n        this.previouslyActiveEl_ = null;\n      }\n    }\n\n    /**\n     * Keydown handler. Attached when modal is focused.\n     *\n     * @listens keydown\n     */\n    handleKeyDown(event) {\n      /**\n       * Fired a custom keyDown event that bubbles.\n       *\n       * @event ModalDialog#modalKeydown\n       * @type {Event}\n       */\n      this.trigger({\n        type: 'modalKeydown',\n        originalEvent: event,\n        target: this,\n        bubbles: true\n      });\n      // Do not allow keydowns to reach out of the modal dialog.\n      event.stopPropagation();\n      if (event.key === 'Escape' && this.closeable()) {\n        event.preventDefault();\n        this.close();\n        return;\n      }\n\n      // exit early if it isn't a tab key\n      if (event.key !== 'Tab') {\n        return;\n      }\n      const focusableEls = this.focusableEls_();\n      const activeEl = this.el_.querySelector(':focus');\n      let focusIndex;\n      for (let i = 0; i < focusableEls.length; i++) {\n        if (activeEl === focusableEls[i]) {\n          focusIndex = i;\n          break;\n        }\n      }\n      if (document.activeElement === this.el_) {\n        focusIndex = 0;\n      }\n      if (event.shiftKey && focusIndex === 0) {\n        focusableEls[focusableEls.length - 1].focus();\n        event.preventDefault();\n      } else if (!event.shiftKey && focusIndex === focusableEls.length - 1) {\n        focusableEls[0].focus();\n        event.preventDefault();\n      }\n    }\n\n    /**\n     * get all focusable elements\n     *\n     * @private\n     */\n    focusableEls_() {\n      const allChildren = this.el_.querySelectorAll('*');\n      return Array.prototype.filter.call(allChildren, child => {\n        return (child instanceof window.HTMLAnchorElement || child instanceof window.HTMLAreaElement) && child.hasAttribute('href') || (child instanceof window.HTMLInputElement || child instanceof window.HTMLSelectElement || child instanceof window.HTMLTextAreaElement || child instanceof window.HTMLButtonElement) && !child.hasAttribute('disabled') || child instanceof window.HTMLIFrameElement || child instanceof window.HTMLObjectElement || child instanceof window.HTMLEmbedElement || child.hasAttribute('tabindex') && child.getAttribute('tabindex') !== -1 || child.hasAttribute('contenteditable');\n      });\n    }\n  }\n\n  /**\n   * Default options for `ModalDialog` default options.\n   *\n   * @type {Object}\n   * @private\n   */\n  ModalDialog.prototype.options_ = {\n    pauseOnOpen: true,\n    temporary: true\n  };\n  Component$1.registerComponent('ModalDialog', ModalDialog);\n\n  /**\n   * @file track-list.js\n   */\n\n  /** @import Track from './track' */\n\n  /**\n   * Common functionaliy between {@link TextTrackList}, {@link AudioTrackList}, and\n   * {@link VideoTrackList}\n   *\n   * @extends EventTarget\n   */\n  class TrackList extends EventTarget$2 {\n    /**\n     * Create an instance of this class\n     *\n     * @param { Track[] } tracks\n     *        A list of tracks to initialize the list with.\n     *\n     * @abstract\n     */\n    constructor(tracks = []) {\n      super();\n      this.tracks_ = [];\n\n      /**\n       * @memberof TrackList\n       * @member {number} length\n       *         The current number of `Track`s in the this Trackist.\n       * @instance\n       */\n      Object.defineProperty(this, 'length', {\n        get() {\n          return this.tracks_.length;\n        }\n      });\n      for (let i = 0; i < tracks.length; i++) {\n        this.addTrack(tracks[i]);\n      }\n    }\n\n    /**\n     * Add a {@link Track} to the `TrackList`\n     *\n     * @param {Track} track\n     *        The audio, video, or text track to add to the list.\n     *\n     * @fires TrackList#addtrack\n     */\n    addTrack(track) {\n      const index = this.tracks_.length;\n      if (!('' + index in this)) {\n        Object.defineProperty(this, index, {\n          get() {\n            return this.tracks_[index];\n          }\n        });\n      }\n\n      // Do not add duplicate tracks\n      if (this.tracks_.indexOf(track) === -1) {\n        this.tracks_.push(track);\n        /**\n         * Triggered when a track is added to a track list.\n         *\n         * @event TrackList#addtrack\n         * @type {Event}\n         * @property {Track} track\n         *           A reference to track that was added.\n         */\n        this.trigger({\n          track,\n          type: 'addtrack',\n          target: this\n        });\n      }\n\n      /**\n       * Triggered when a track label is changed.\n       *\n       * @event TrackList#addtrack\n       * @type {Event}\n       * @property {Track} track\n       *           A reference to track that was added.\n       */\n      track.labelchange_ = () => {\n        this.trigger({\n          track,\n          type: 'labelchange',\n          target: this\n        });\n      };\n      if (isEvented(track)) {\n        track.addEventListener('labelchange', track.labelchange_);\n      }\n    }\n\n    /**\n     * Remove a {@link Track} from the `TrackList`\n     *\n     * @param {Track} rtrack\n     *        The audio, video, or text track to remove from the list.\n     *\n     * @fires TrackList#removetrack\n     */\n    removeTrack(rtrack) {\n      let track;\n      for (let i = 0, l = this.length; i < l; i++) {\n        if (this[i] === rtrack) {\n          track = this[i];\n          if (track.off) {\n            track.off();\n          }\n          this.tracks_.splice(i, 1);\n          break;\n        }\n      }\n      if (!track) {\n        return;\n      }\n\n      /**\n       * Triggered when a track is removed from track list.\n       *\n       * @event TrackList#removetrack\n       * @type {Event}\n       * @property {Track} track\n       *           A reference to track that was removed.\n       */\n      this.trigger({\n        track,\n        type: 'removetrack',\n        target: this\n      });\n    }\n\n    /**\n     * Get a Track from the TrackList by a tracks id\n     *\n     * @param {string} id - the id of the track to get\n     * @method getTrackById\n     * @return {Track}\n     * @private\n     */\n    getTrackById(id) {\n      let result = null;\n      for (let i = 0, l = this.length; i < l; i++) {\n        const track = this[i];\n        if (track.id === id) {\n          result = track;\n          break;\n        }\n      }\n      return result;\n    }\n  }\n\n  /**\n   * Triggered when a different track is selected/enabled.\n   *\n   * @event TrackList#change\n   * @type {Event}\n   */\n\n  /**\n   * Events that can be called with on + eventName. See {@link EventHandler}.\n   *\n   * @property {Object} TrackList#allowedEvents_\n   * @protected\n   */\n  TrackList.prototype.allowedEvents_ = {\n    change: 'change',\n    addtrack: 'addtrack',\n    removetrack: 'removetrack',\n    labelchange: 'labelchange'\n  };\n\n  // emulate attribute EventHandler support to allow for feature detection\n  for (const event in TrackList.prototype.allowedEvents_) {\n    TrackList.prototype['on' + event] = null;\n  }\n\n  /**\n   * @file audio-track-list.js\n   */\n\n  /** @import AudioTrack from './audio-track' */\n\n  /**\n   * Anywhere we call this function we diverge from the spec\n   * as we only support one enabled audiotrack at a time\n   *\n   * @param {AudioTrackList} list\n   *        list to work on\n   *\n   * @param {AudioTrack} track\n   *        The track to skip\n   *\n   * @private\n   */\n  const disableOthers$1 = function (list, track) {\n    for (let i = 0; i < list.length; i++) {\n      if (!Object.keys(list[i]).length || track.id === list[i].id) {\n        continue;\n      }\n      // another audio track is enabled, disable it\n      list[i].enabled = false;\n    }\n  };\n\n  /**\n   * The current list of {@link AudioTrack} for a media file.\n   *\n   * @see [Spec]{@link https://html.spec.whatwg.org/multipage/embedded-content.html#audiotracklist}\n   * @extends TrackList\n   */\n  class AudioTrackList extends TrackList {\n    /**\n     * Create an instance of this class.\n     *\n     * @param {AudioTrack[]} [tracks=[]]\n     *        A list of `AudioTrack` to instantiate the list with.\n     */\n    constructor(tracks = []) {\n      // make sure only 1 track is enabled\n      // sorted from last index to first index\n      for (let i = tracks.length - 1; i >= 0; i--) {\n        if (tracks[i].enabled) {\n          disableOthers$1(tracks, tracks[i]);\n          break;\n        }\n      }\n      super(tracks);\n      this.changing_ = false;\n    }\n\n    /**\n     * Add an {@link AudioTrack} to the `AudioTrackList`.\n     *\n     * @param {AudioTrack} track\n     *        The AudioTrack to add to the list\n     *\n     * @fires TrackList#addtrack\n     */\n    addTrack(track) {\n      if (track.enabled) {\n        disableOthers$1(this, track);\n      }\n      super.addTrack(track);\n      // native tracks don't have this\n      if (!track.addEventListener) {\n        return;\n      }\n      track.enabledChange_ = () => {\n        // when we are disabling other tracks (since we don't support\n        // more than one track at a time) we will set changing_\n        // to true so that we don't trigger additional change events\n        if (this.changing_) {\n          return;\n        }\n        this.changing_ = true;\n        disableOthers$1(this, track);\n        this.changing_ = false;\n        this.trigger('change');\n      };\n\n      /**\n       * @listens AudioTrack#enabledchange\n       * @fires TrackList#change\n       */\n      track.addEventListener('enabledchange', track.enabledChange_);\n    }\n    removeTrack(rtrack) {\n      super.removeTrack(rtrack);\n      if (rtrack.removeEventListener && rtrack.enabledChange_) {\n        rtrack.removeEventListener('enabledchange', rtrack.enabledChange_);\n        rtrack.enabledChange_ = null;\n      }\n    }\n  }\n\n  /**\n   * @file video-track-list.js\n   */\n\n  /** @import VideoTrack from './video-track' */\n\n  /**\n   * Un-select all other {@link VideoTrack}s that are selected.\n   *\n   * @param {VideoTrackList} list\n   *        list to work on\n   *\n   * @param {VideoTrack} track\n   *        The track to skip\n   *\n   * @private\n   */\n  const disableOthers = function (list, track) {\n    for (let i = 0; i < list.length; i++) {\n      if (!Object.keys(list[i]).length || track.id === list[i].id) {\n        continue;\n      }\n      // another video track is enabled, disable it\n      list[i].selected = false;\n    }\n  };\n\n  /**\n   * The current list of {@link VideoTrack} for a video.\n   *\n   * @see [Spec]{@link https://html.spec.whatwg.org/multipage/embedded-content.html#videotracklist}\n   * @extends TrackList\n   */\n  class VideoTrackList extends TrackList {\n    /**\n     * Create an instance of this class.\n     *\n     * @param {VideoTrack[]} [tracks=[]]\n     *        A list of `VideoTrack` to instantiate the list with.\n     */\n    constructor(tracks = []) {\n      // make sure only 1 track is enabled\n      // sorted from last index to first index\n      for (let i = tracks.length - 1; i >= 0; i--) {\n        if (tracks[i].selected) {\n          disableOthers(tracks, tracks[i]);\n          break;\n        }\n      }\n      super(tracks);\n      this.changing_ = false;\n\n      /**\n       * @member {number} VideoTrackList#selectedIndex\n       *         The current index of the selected {@link VideoTrack`}.\n       */\n      Object.defineProperty(this, 'selectedIndex', {\n        get() {\n          for (let i = 0; i < this.length; i++) {\n            if (this[i].selected) {\n              return i;\n            }\n          }\n          return -1;\n        },\n        set() {}\n      });\n    }\n\n    /**\n     * Add a {@link VideoTrack} to the `VideoTrackList`.\n     *\n     * @param {VideoTrack} track\n     *        The VideoTrack to add to the list\n     *\n     * @fires TrackList#addtrack\n     */\n    addTrack(track) {\n      if (track.selected) {\n        disableOthers(this, track);\n      }\n      super.addTrack(track);\n      // native tracks don't have this\n      if (!track.addEventListener) {\n        return;\n      }\n      track.selectedChange_ = () => {\n        if (this.changing_) {\n          return;\n        }\n        this.changing_ = true;\n        disableOthers(this, track);\n        this.changing_ = false;\n        this.trigger('change');\n      };\n\n      /**\n       * @listens VideoTrack#selectedchange\n       * @fires TrackList#change\n       */\n      track.addEventListener('selectedchange', track.selectedChange_);\n    }\n    removeTrack(rtrack) {\n      super.removeTrack(rtrack);\n      if (rtrack.removeEventListener && rtrack.selectedChange_) {\n        rtrack.removeEventListener('selectedchange', rtrack.selectedChange_);\n        rtrack.selectedChange_ = null;\n      }\n    }\n  }\n\n  /**\n   * @file text-track-list.js\n   */\n\n  /** @import TextTrack from './text-track' */\n\n  /**\n   * The current list of {@link TextTrack} for a media file.\n   *\n   * @see [Spec]{@link https://html.spec.whatwg.org/multipage/embedded-content.html#texttracklist}\n   * @extends TrackList\n   */\n  class TextTrackList extends TrackList {\n    /**\n     * Add a {@link TextTrack} to the `TextTrackList`\n     *\n     * @param {TextTrack} track\n     *        The text track to add to the list.\n     *\n     * @fires TrackList#addtrack\n     */\n    addTrack(track) {\n      super.addTrack(track);\n      if (!this.queueChange_) {\n        this.queueChange_ = () => this.queueTrigger('change');\n      }\n      if (!this.triggerSelectedlanguagechange) {\n        this.triggerSelectedlanguagechange_ = () => this.trigger('selectedlanguagechange');\n      }\n\n      /**\n       * @listens TextTrack#modechange\n       * @fires TrackList#change\n       */\n      track.addEventListener('modechange', this.queueChange_);\n      const nonLanguageTextTrackKind = ['metadata', 'chapters'];\n      if (nonLanguageTextTrackKind.indexOf(track.kind) === -1) {\n        track.addEventListener('modechange', this.triggerSelectedlanguagechange_);\n      }\n    }\n    removeTrack(rtrack) {\n      super.removeTrack(rtrack);\n\n      // manually remove the event handlers we added\n      if (rtrack.removeEventListener) {\n        if (this.queueChange_) {\n          rtrack.removeEventListener('modechange', this.queueChange_);\n        }\n        if (this.selectedlanguagechange_) {\n          rtrack.removeEventListener('modechange', this.triggerSelectedlanguagechange_);\n        }\n      }\n    }\n  }\n\n  /**\n   * @file html-track-element-list.js\n   */\n\n  /**\n   * The current list of {@link HtmlTrackElement}s.\n   */\n  class HtmlTrackElementList {\n    /**\n     * Create an instance of this class.\n     *\n     * @param {HtmlTrackElement[]} [tracks=[]]\n     *        A list of `HtmlTrackElement` to instantiate the list with.\n     */\n    constructor(trackElements = []) {\n      this.trackElements_ = [];\n\n      /**\n       * @memberof HtmlTrackElementList\n       * @member {number} length\n       *         The current number of `Track`s in the this Trackist.\n       * @instance\n       */\n      Object.defineProperty(this, 'length', {\n        get() {\n          return this.trackElements_.length;\n        }\n      });\n      for (let i = 0, length = trackElements.length; i < length; i++) {\n        this.addTrackElement_(trackElements[i]);\n      }\n    }\n\n    /**\n     * Add an {@link HtmlTrackElement} to the `HtmlTrackElementList`\n     *\n     * @param {HtmlTrackElement} trackElement\n     *        The track element to add to the list.\n     *\n     * @private\n     */\n    addTrackElement_(trackElement) {\n      const index = this.trackElements_.length;\n      if (!('' + index in this)) {\n        Object.defineProperty(this, index, {\n          get() {\n            return this.trackElements_[index];\n          }\n        });\n      }\n\n      // Do not add duplicate elements\n      if (this.trackElements_.indexOf(trackElement) === -1) {\n        this.trackElements_.push(trackElement);\n      }\n    }\n\n    /**\n     * Get an {@link HtmlTrackElement} from the `HtmlTrackElementList` given an\n     * {@link TextTrack}.\n     *\n     * @param {TextTrack} track\n     *        The track associated with a track element.\n     *\n     * @return {HtmlTrackElement|undefined}\n     *         The track element that was found or undefined.\n     *\n     * @private\n     */\n    getTrackElementByTrack_(track) {\n      let trackElement_;\n      for (let i = 0, length = this.trackElements_.length; i < length; i++) {\n        if (track === this.trackElements_[i].track) {\n          trackElement_ = this.trackElements_[i];\n          break;\n        }\n      }\n      return trackElement_;\n    }\n\n    /**\n     * Remove a {@link HtmlTrackElement} from the `HtmlTrackElementList`\n     *\n     * @param {HtmlTrackElement} trackElement\n     *        The track element to remove from the list.\n     *\n     * @private\n     */\n    removeTrackElement_(trackElement) {\n      for (let i = 0, length = this.trackElements_.length; i < length; i++) {\n        if (trackElement === this.trackElements_[i]) {\n          if (this.trackElements_[i].track && typeof this.trackElements_[i].track.off === 'function') {\n            this.trackElements_[i].track.off();\n          }\n          if (typeof this.trackElements_[i].off === 'function') {\n            this.trackElements_[i].off();\n          }\n          this.trackElements_.splice(i, 1);\n          break;\n        }\n      }\n    }\n  }\n\n  /**\n   * @file text-track-cue-list.js\n   */\n\n  /**\n   * @typedef {Object} TextTrackCueList~TextTrackCue\n   *\n   * @property {string} id\n   *           The unique id for this text track cue\n   *\n   * @property {number} startTime\n   *           The start time for this text track cue\n   *\n   * @property {number} endTime\n   *           The end time for this text track cue\n   *\n   * @property {boolean} pauseOnExit\n   *           Pause when the end time is reached if true.\n   *\n   * @see [Spec]{@link https://html.spec.whatwg.org/multipage/embedded-content.html#texttrackcue}\n   */\n\n  /**\n   * A List of TextTrackCues.\n   *\n   * @see [Spec]{@link https://html.spec.whatwg.org/multipage/embedded-content.html#texttrackcuelist}\n   */\n  class TextTrackCueList {\n    /**\n     * Create an instance of this class..\n     *\n     * @param {Array} cues\n     *        A list of cues to be initialized with\n     */\n    constructor(cues) {\n      TextTrackCueList.prototype.setCues_.call(this, cues);\n\n      /**\n       * @memberof TextTrackCueList\n       * @member {number} length\n       *         The current number of `TextTrackCue`s in the TextTrackCueList.\n       * @instance\n       */\n      Object.defineProperty(this, 'length', {\n        get() {\n          return this.length_;\n        }\n      });\n    }\n\n    /**\n     * A setter for cues in this list. Creates getters\n     * an an index for the cues.\n     *\n     * @param {Array} cues\n     *        An array of cues to set\n     *\n     * @private\n     */\n    setCues_(cues) {\n      const oldLength = this.length || 0;\n      let i = 0;\n      const l = cues.length;\n      this.cues_ = cues;\n      this.length_ = cues.length;\n      const defineProp = function (index) {\n        if (!('' + index in this)) {\n          Object.defineProperty(this, '' + index, {\n            get() {\n              return this.cues_[index];\n            }\n          });\n        }\n      };\n      if (oldLength < l) {\n        i = oldLength;\n        for (; i < l; i++) {\n          defineProp.call(this, i);\n        }\n      }\n    }\n\n    /**\n     * Get a `TextTrackCue` that is currently in the `TextTrackCueList` by id.\n     *\n     * @param {string} id\n     *        The id of the cue that should be searched for.\n     *\n     * @return {TextTrackCueList~TextTrackCue|null}\n     *         A single cue or null if none was found.\n     */\n    getCueById(id) {\n      let result = null;\n      for (let i = 0, l = this.length; i < l; i++) {\n        const cue = this[i];\n        if (cue.id === id) {\n          result = cue;\n          break;\n        }\n      }\n      return result;\n    }\n  }\n\n  /**\n   * @file track-kinds.js\n   */\n\n  /**\n   * All possible `VideoTrackKind`s\n   *\n   * @see https://html.spec.whatwg.org/multipage/embedded-content.html#dom-videotrack-kind\n   * @typedef VideoTrack~Kind\n   * @enum\n   */\n  const VideoTrackKind = {\n    alternative: 'alternative',\n    captions: 'captions',\n    main: 'main',\n    sign: 'sign',\n    subtitles: 'subtitles',\n    commentary: 'commentary'\n  };\n\n  /**\n   * All possible `AudioTrackKind`s\n   *\n   * @see https://html.spec.whatwg.org/multipage/embedded-content.html#dom-audiotrack-kind\n   * @typedef AudioTrack~Kind\n   * @enum\n   */\n  const AudioTrackKind = {\n    'alternative': 'alternative',\n    'descriptions': 'descriptions',\n    'main': 'main',\n    'main-desc': 'main-desc',\n    'translation': 'translation',\n    'commentary': 'commentary'\n  };\n\n  /**\n   * All possible `TextTrackKind`s\n   *\n   * @see https://html.spec.whatwg.org/multipage/embedded-content.html#dom-texttrack-kind\n   * @typedef TextTrack~Kind\n   * @enum\n   */\n  const TextTrackKind = {\n    subtitles: 'subtitles',\n    captions: 'captions',\n    descriptions: 'descriptions',\n    chapters: 'chapters',\n    metadata: 'metadata'\n  };\n\n  /**\n   * All possible `TextTrackMode`s\n   *\n   * @see https://html.spec.whatwg.org/multipage/embedded-content.html#texttrackmode\n   * @typedef TextTrack~Mode\n   * @enum\n   */\n  const TextTrackMode = {\n    disabled: 'disabled',\n    hidden: 'hidden',\n    showing: 'showing'\n  };\n\n  /**\n   * @file track.js\n   */\n\n  /**\n   * A Track class that contains all of the common functionality for {@link AudioTrack},\n   * {@link VideoTrack}, and {@link TextTrack}.\n   *\n   * > Note: This class should not be used directly\n   *\n   * @see {@link https://html.spec.whatwg.org/multipage/embedded-content.html}\n   * @extends EventTarget\n   * @abstract\n   */\n  class Track extends EventTarget$2 {\n    /**\n     * Create an instance of this class.\n     *\n     * @param {Object} [options={}]\n     *        Object of option names and values\n     *\n     * @param {string} [options.kind='']\n     *        A valid kind for the track type you are creating.\n     *\n     * @param {string} [options.id='vjs_track_' + Guid.newGUID()]\n     *        A unique id for this AudioTrack.\n     *\n     * @param {string} [options.label='']\n     *        The menu label for this track.\n     *\n     * @param {string} [options.language='']\n     *        A valid two character language code.\n     *\n     * @abstract\n     */\n    constructor(options = {}) {\n      super();\n      const trackProps = {\n        id: options.id || 'vjs_track_' + newGUID(),\n        kind: options.kind || '',\n        language: options.language || ''\n      };\n      let label = options.label || '';\n\n      /**\n       * @memberof Track\n       * @member {string} id\n       *         The id of this track. Cannot be changed after creation.\n       * @instance\n       *\n       * @readonly\n       */\n\n      /**\n       * @memberof Track\n       * @member {string} kind\n       *         The kind of track that this is. Cannot be changed after creation.\n       * @instance\n       *\n       * @readonly\n       */\n\n      /**\n       * @memberof Track\n       * @member {string} language\n       *         The two letter language code for this track. Cannot be changed after\n       *         creation.\n       * @instance\n       *\n       * @readonly\n       */\n\n      for (const key in trackProps) {\n        Object.defineProperty(this, key, {\n          get() {\n            return trackProps[key];\n          },\n          set() {}\n        });\n      }\n\n      /**\n       * @memberof Track\n       * @member {string} label\n       *         The label of this track. Cannot be changed after creation.\n       * @instance\n       *\n       * @fires Track#labelchange\n       */\n      Object.defineProperty(this, 'label', {\n        get() {\n          return label;\n        },\n        set(newLabel) {\n          if (newLabel !== label) {\n            label = newLabel;\n\n            /**\n             * An event that fires when label changes on this track.\n             *\n             * > Note: This is not part of the spec!\n             *\n             * @event Track#labelchange\n             * @type {Event}\n             */\n            this.trigger('labelchange');\n          }\n        }\n      });\n    }\n  }\n\n  /**\n   * @file url.js\n   * @module url\n   */\n\n  /**\n   * Resolve and parse the elements of a URL.\n   *\n   * @function\n   * @param    {string} url\n   *           The url to parse\n   *\n   * @return   {URL}\n   *           An object of url details\n   */\n  const parseUrl = function (url) {\n    return new URL(url, document.baseURI);\n  };\n\n  /**\n   * Get absolute version of relative URL.\n   *\n   * @function\n   * @param    {string} url\n   *           URL to make absolute\n   *\n   * @return   {string}\n   *           Absolute URL\n   */\n  const getAbsoluteURL = function (url) {\n    return new URL(url, document.baseURI).href;\n  };\n\n  /**\n   * Returns the extension of the passed file name. It will return an empty string\n   * if passed an invalid path.\n   *\n   * @function\n   * @param    {string} path\n   *           The fileName path like '/path/to/file.mp4'\n   *\n   * @return  {string}\n   *           The extension in lower case or an empty string if no\n   *           extension could be found.\n   */\n  const getFileExtension = function (path) {\n    if (typeof path === 'string') {\n      const splitPathRe = /^(\\/?)([\\s\\S]*?)((?:\\.{1,2}|[^\\/]+?)(\\.([^\\.\\/\\?]+)))(?:[\\/]*|[\\?].*)$/;\n      const pathParts = splitPathRe.exec(path);\n      if (pathParts) {\n        return pathParts.pop().toLowerCase();\n      }\n    }\n    return '';\n  };\n\n  /**\n   * Returns whether the url passed is a cross domain request or not.\n   *\n   * @function\n   * @param    {string} url\n   *           The url to check.\n   *\n   * @param    {URL} [winLoc]\n   *           the domain to check the url against, defaults to window.location\n   *\n   * @return   {boolean}\n   *           Whether it is a cross domain request or not.\n   */\n  const isCrossOrigin = function (url, winLoc = window.location) {\n    return parseUrl(url).origin !== winLoc.origin;\n  };\n\n  var Url = /*#__PURE__*/Object.freeze({\n    __proto__: null,\n    parseUrl: parseUrl,\n    getAbsoluteURL: getAbsoluteURL,\n    getFileExtension: getFileExtension,\n    isCrossOrigin: isCrossOrigin\n  });\n\n  var commonjsGlobal = typeof globalThis !== 'undefined' ? globalThis : typeof window !== 'undefined' ? window : typeof global !== 'undefined' ? global : typeof self !== 'undefined' ? self : {};\n\n  function unwrapExports (x) {\n  \treturn x && x.__esModule && Object.prototype.hasOwnProperty.call(x, 'default') ? x['default'] : x;\n  }\n\n  function createCommonjsModule(fn, module) {\n  \treturn module = { exports: {} }, fn(module, module.exports), module.exports;\n  }\n\n  var win;\n  if (typeof window !== \"undefined\") {\n    win = window;\n  } else if (typeof commonjsGlobal !== \"undefined\") {\n    win = commonjsGlobal;\n  } else if (typeof self !== \"undefined\") {\n    win = self;\n  } else {\n    win = {};\n  }\n  var window_1 = win;\n\n  var _extends_1 = createCommonjsModule(function (module) {\n    function _extends() {\n      return (module.exports = _extends = Object.assign ? Object.assign.bind() : function (n) {\n        for (var e = 1; e < arguments.length; e++) {\n          var t = arguments[e];\n          for (var r in t) ({}).hasOwnProperty.call(t, r) && (n[r] = t[r]);\n        }\n        return n;\n      }, module.exports.__esModule = true, module.exports[\"default\"] = module.exports), _extends.apply(null, arguments);\n    }\n    module.exports = _extends, module.exports.__esModule = true, module.exports[\"default\"] = module.exports;\n  });\n  var _extends$1 = unwrapExports(_extends_1);\n\n  var isFunction_1 = isFunction;\n  var toString = Object.prototype.toString;\n  function isFunction(fn) {\n    if (!fn) {\n      return false;\n    }\n    var string = toString.call(fn);\n    return string === '[object Function]' || typeof fn === 'function' && string !== '[object RegExp]' || typeof window !== 'undefined' && (\n    // IE8 and below\n    fn === window.setTimeout || fn === window.alert || fn === window.confirm || fn === window.prompt);\n  }\n\n  function _createForOfIteratorHelperLoose(o, allowArrayLike) {\n    var it = typeof Symbol !== \"undefined\" && o[Symbol.iterator] || o[\"@@iterator\"];\n    if (it) return (it = it.call(o)).next.bind(it);\n    if (Array.isArray(o) || (it = _unsupportedIterableToArray(o)) || allowArrayLike && o && typeof o.length === \"number\") {\n      if (it) o = it;\n      var i = 0;\n      return function () {\n        if (i >= o.length) return {\n          done: true\n        };\n        return {\n          done: false,\n          value: o[i++]\n        };\n      };\n    }\n    throw new TypeError(\"Invalid attempt to iterate non-iterable instance.\\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.\");\n  }\n  function _unsupportedIterableToArray(o, minLen) {\n    if (!o) return;\n    if (typeof o === \"string\") return _arrayLikeToArray(o, minLen);\n    var n = Object.prototype.toString.call(o).slice(8, -1);\n    if (n === \"Object\" && o.constructor) n = o.constructor.name;\n    if (n === \"Map\" || n === \"Set\") return Array.from(o);\n    if (n === \"Arguments\" || /^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)) return _arrayLikeToArray(o, minLen);\n  }\n  function _arrayLikeToArray(arr, len) {\n    if (len == null || len > arr.length) len = arr.length;\n    for (var i = 0, arr2 = new Array(len); i < len; i++) {\n      arr2[i] = arr[i];\n    }\n    return arr2;\n  }\n  var InterceptorsStorage = /*#__PURE__*/function () {\n    function InterceptorsStorage() {\n      this.typeToInterceptorsMap_ = new Map();\n      this.enabled_ = false;\n    }\n    var _proto = InterceptorsStorage.prototype;\n    _proto.getIsEnabled = function getIsEnabled() {\n      return this.enabled_;\n    };\n    _proto.enable = function enable() {\n      this.enabled_ = true;\n    };\n    _proto.disable = function disable() {\n      this.enabled_ = false;\n    };\n    _proto.reset = function reset() {\n      this.typeToInterceptorsMap_ = new Map();\n      this.enabled_ = false;\n    };\n    _proto.addInterceptor = function addInterceptor(type, interceptor) {\n      if (!this.typeToInterceptorsMap_.has(type)) {\n        this.typeToInterceptorsMap_.set(type, new Set());\n      }\n      var interceptorsSet = this.typeToInterceptorsMap_.get(type);\n      if (interceptorsSet.has(interceptor)) {\n        // already have this interceptor\n        return false;\n      }\n      interceptorsSet.add(interceptor);\n      return true;\n    };\n    _proto.removeInterceptor = function removeInterceptor(type, interceptor) {\n      var interceptorsSet = this.typeToInterceptorsMap_.get(type);\n      if (interceptorsSet && interceptorsSet.has(interceptor)) {\n        interceptorsSet.delete(interceptor);\n        return true;\n      }\n      return false;\n    };\n    _proto.clearInterceptorsByType = function clearInterceptorsByType(type) {\n      var interceptorsSet = this.typeToInterceptorsMap_.get(type);\n      if (!interceptorsSet) {\n        return false;\n      }\n      this.typeToInterceptorsMap_.delete(type);\n      this.typeToInterceptorsMap_.set(type, new Set());\n      return true;\n    };\n    _proto.clear = function clear() {\n      if (!this.typeToInterceptorsMap_.size) {\n        return false;\n      }\n      this.typeToInterceptorsMap_ = new Map();\n      return true;\n    };\n    _proto.getForType = function getForType(type) {\n      return this.typeToInterceptorsMap_.get(type) || new Set();\n    };\n    _proto.execute = function execute(type, payload) {\n      var interceptors = this.getForType(type);\n      for (var _iterator = _createForOfIteratorHelperLoose(interceptors), _step; !(_step = _iterator()).done;) {\n        var interceptor = _step.value;\n        try {\n          payload = interceptor(payload);\n        } catch (e) {//ignore\n        }\n      }\n      return payload;\n    };\n    return InterceptorsStorage;\n  }();\n  var interceptors = InterceptorsStorage;\n\n  var RetryManager = /*#__PURE__*/function () {\n    function RetryManager() {\n      this.maxAttempts_ = 1;\n      this.delayFactor_ = 0.1;\n      this.fuzzFactor_ = 0.1;\n      this.initialDelay_ = 1000;\n      this.enabled_ = false;\n    }\n    var _proto = RetryManager.prototype;\n    _proto.getIsEnabled = function getIsEnabled() {\n      return this.enabled_;\n    };\n    _proto.enable = function enable() {\n      this.enabled_ = true;\n    };\n    _proto.disable = function disable() {\n      this.enabled_ = false;\n    };\n    _proto.reset = function reset() {\n      this.maxAttempts_ = 1;\n      this.delayFactor_ = 0.1;\n      this.fuzzFactor_ = 0.1;\n      this.initialDelay_ = 1000;\n      this.enabled_ = false;\n    };\n    _proto.getMaxAttempts = function getMaxAttempts() {\n      return this.maxAttempts_;\n    };\n    _proto.setMaxAttempts = function setMaxAttempts(maxAttempts) {\n      this.maxAttempts_ = maxAttempts;\n    };\n    _proto.getDelayFactor = function getDelayFactor() {\n      return this.delayFactor_;\n    };\n    _proto.setDelayFactor = function setDelayFactor(delayFactor) {\n      this.delayFactor_ = delayFactor;\n    };\n    _proto.getFuzzFactor = function getFuzzFactor() {\n      return this.fuzzFactor_;\n    };\n    _proto.setFuzzFactor = function setFuzzFactor(fuzzFactor) {\n      this.fuzzFactor_ = fuzzFactor;\n    };\n    _proto.getInitialDelay = function getInitialDelay() {\n      return this.initialDelay_;\n    };\n    _proto.setInitialDelay = function setInitialDelay(initialDelay) {\n      this.initialDelay_ = initialDelay;\n    };\n    _proto.createRetry = function createRetry(_temp) {\n      var _ref = _temp === void 0 ? {} : _temp,\n        maxAttempts = _ref.maxAttempts,\n        delayFactor = _ref.delayFactor,\n        fuzzFactor = _ref.fuzzFactor,\n        initialDelay = _ref.initialDelay;\n      return new Retry({\n        maxAttempts: maxAttempts || this.maxAttempts_,\n        delayFactor: delayFactor || this.delayFactor_,\n        fuzzFactor: fuzzFactor || this.fuzzFactor_,\n        initialDelay: initialDelay || this.initialDelay_\n      });\n    };\n    return RetryManager;\n  }();\n  var Retry = /*#__PURE__*/function () {\n    function Retry(options) {\n      this.maxAttempts_ = options.maxAttempts;\n      this.delayFactor_ = options.delayFactor;\n      this.fuzzFactor_ = options.fuzzFactor;\n      this.currentDelay_ = options.initialDelay;\n      this.currentAttempt_ = 1;\n    }\n    var _proto2 = Retry.prototype;\n    _proto2.moveToNextAttempt = function moveToNextAttempt() {\n      this.currentAttempt_++;\n      var delayDelta = this.currentDelay_ * this.delayFactor_;\n      this.currentDelay_ = this.currentDelay_ + delayDelta;\n    };\n    _proto2.shouldRetry = function shouldRetry() {\n      return this.currentAttempt_ < this.maxAttempts_;\n    };\n    _proto2.getCurrentDelay = function getCurrentDelay() {\n      return this.currentDelay_;\n    };\n    _proto2.getCurrentMinPossibleDelay = function getCurrentMinPossibleDelay() {\n      return (1 - this.fuzzFactor_) * this.currentDelay_;\n    };\n    _proto2.getCurrentMaxPossibleDelay = function getCurrentMaxPossibleDelay() {\n      return (1 + this.fuzzFactor_) * this.currentDelay_;\n    }\n    /**\n     * For example fuzzFactor is 0.1\n     * This means ±10% deviation\n     * So if we have delay as 1000\n     * This function can generate any value from 900 to 1100\n     */;\n    _proto2.getCurrentFuzzedDelay = function getCurrentFuzzedDelay() {\n      var lowValue = this.getCurrentMinPossibleDelay();\n      var highValue = this.getCurrentMaxPossibleDelay();\n      return lowValue + Math.random() * (highValue - lowValue);\n    };\n    return Retry;\n  }();\n  var retry = RetryManager;\n\n  var httpResponseHandler = function httpResponseHandler(callback, decodeResponseBody) {\n    if (decodeResponseBody === void 0) {\n      decodeResponseBody = false;\n    }\n    return function (err, response, responseBody) {\n      // if the XHR failed, return that error\n      if (err) {\n        callback(err);\n        return;\n      } // if the HTTP status code is 4xx or 5xx, the request also failed\n\n      if (response.statusCode >= 400 && response.statusCode <= 599) {\n        var cause = responseBody;\n        if (decodeResponseBody) {\n          if (window_1.TextDecoder) {\n            var charset = getCharset(response.headers && response.headers['content-type']);\n            try {\n              cause = new TextDecoder(charset).decode(responseBody);\n            } catch (e) {}\n          } else {\n            cause = String.fromCharCode.apply(null, new Uint8Array(responseBody));\n          }\n        }\n        callback({\n          cause: cause\n        });\n        return;\n      } // otherwise, request succeeded\n\n      callback(null, responseBody);\n    };\n  };\n  function getCharset(contentTypeHeader) {\n    if (contentTypeHeader === void 0) {\n      contentTypeHeader = '';\n    }\n    return contentTypeHeader.toLowerCase().split(';').reduce(function (charset, contentType) {\n      var _contentType$split = contentType.split('='),\n        type = _contentType$split[0],\n        value = _contentType$split[1];\n      if (type.trim() === 'charset') {\n        return value.trim();\n      }\n      return charset;\n    }, 'utf-8');\n  }\n  var httpHandler = httpResponseHandler;\n\n  createXHR.httpHandler = httpHandler;\n  createXHR.requestInterceptorsStorage = new interceptors();\n  createXHR.responseInterceptorsStorage = new interceptors();\n  createXHR.retryManager = new retry();\n  /**\n   * @license\n   * slighly modified parse-headers 2.0.2 <https://github.com/kesla/parse-headers/>\n   * Copyright (c) 2014 David Björklund\n   * Available under the MIT license\n   * <https://github.com/kesla/parse-headers/blob/master/LICENCE>\n   */\n\n  var parseHeaders = function parseHeaders(headers) {\n    var result = {};\n    if (!headers) {\n      return result;\n    }\n    headers.trim().split('\\n').forEach(function (row) {\n      var index = row.indexOf(':');\n      var key = row.slice(0, index).trim().toLowerCase();\n      var value = row.slice(index + 1).trim();\n      if (typeof result[key] === 'undefined') {\n        result[key] = value;\n      } else if (Array.isArray(result[key])) {\n        result[key].push(value);\n      } else {\n        result[key] = [result[key], value];\n      }\n    });\n    return result;\n  };\n  var lib = createXHR; // Allow use of default import syntax in TypeScript\n\n  var default_1 = createXHR;\n  createXHR.XMLHttpRequest = window_1.XMLHttpRequest || noop$1;\n  createXHR.XDomainRequest = \"withCredentials\" in new createXHR.XMLHttpRequest() ? createXHR.XMLHttpRequest : window_1.XDomainRequest;\n  forEachArray([\"get\", \"put\", \"post\", \"patch\", \"head\", \"delete\"], function (method) {\n    createXHR[method === \"delete\" ? \"del\" : method] = function (uri, options, callback) {\n      options = initParams(uri, options, callback);\n      options.method = method.toUpperCase();\n      return _createXHR(options);\n    };\n  });\n  function forEachArray(array, iterator) {\n    for (var i = 0; i < array.length; i++) {\n      iterator(array[i]);\n    }\n  }\n  function isEmpty(obj) {\n    for (var i in obj) {\n      if (obj.hasOwnProperty(i)) return false;\n    }\n    return true;\n  }\n  function initParams(uri, options, callback) {\n    var params = uri;\n    if (isFunction_1(options)) {\n      callback = options;\n      if (typeof uri === \"string\") {\n        params = {\n          uri: uri\n        };\n      }\n    } else {\n      params = _extends_1({}, options, {\n        uri: uri\n      });\n    }\n    params.callback = callback;\n    return params;\n  }\n  function createXHR(uri, options, callback) {\n    options = initParams(uri, options, callback);\n    return _createXHR(options);\n  }\n  function _createXHR(options) {\n    if (typeof options.callback === \"undefined\") {\n      throw new Error(\"callback argument missing\");\n    } // call all registered request interceptors for a given request type:\n\n    if (options.requestType && createXHR.requestInterceptorsStorage.getIsEnabled()) {\n      var requestInterceptorPayload = {\n        uri: options.uri || options.url,\n        headers: options.headers || {},\n        body: options.body,\n        metadata: options.metadata || {},\n        retry: options.retry,\n        timeout: options.timeout\n      };\n      var updatedPayload = createXHR.requestInterceptorsStorage.execute(options.requestType, requestInterceptorPayload);\n      options.uri = updatedPayload.uri;\n      options.headers = updatedPayload.headers;\n      options.body = updatedPayload.body;\n      options.metadata = updatedPayload.metadata;\n      options.retry = updatedPayload.retry;\n      options.timeout = updatedPayload.timeout;\n    }\n    var called = false;\n    var callback = function cbOnce(err, response, body) {\n      if (!called) {\n        called = true;\n        options.callback(err, response, body);\n      }\n    };\n    function readystatechange() {\n      // do not call load 2 times when response interceptors are enabled\n      // why do we even need this 2nd load?\n      if (xhr.readyState === 4 && !createXHR.responseInterceptorsStorage.getIsEnabled()) {\n        setTimeout(loadFunc, 0);\n      }\n    }\n    function getBody() {\n      // Chrome with requestType=blob throws errors arround when even testing access to responseText\n      var body = undefined;\n      if (xhr.response) {\n        body = xhr.response;\n      } else {\n        body = xhr.responseText || getXml(xhr);\n      }\n      if (isJson) {\n        try {\n          body = JSON.parse(body);\n        } catch (e) {}\n      }\n      return body;\n    }\n    function errorFunc(evt) {\n      clearTimeout(timeoutTimer);\n      clearTimeout(options.retryTimeout);\n      if (!(evt instanceof Error)) {\n        evt = new Error(\"\" + (evt || \"Unknown XMLHttpRequest Error\"));\n      }\n      evt.statusCode = 0; // we would like to retry on error:\n\n      if (!aborted && createXHR.retryManager.getIsEnabled() && options.retry && options.retry.shouldRetry()) {\n        options.retryTimeout = setTimeout(function () {\n          options.retry.moveToNextAttempt(); // we want to re-use the same options and the same xhr object:\n\n          options.xhr = xhr;\n          _createXHR(options);\n        }, options.retry.getCurrentFuzzedDelay());\n        return;\n      } // call all registered response interceptors for a given request type:\n\n      if (options.requestType && createXHR.responseInterceptorsStorage.getIsEnabled()) {\n        var responseInterceptorPayload = {\n          headers: failureResponse.headers || {},\n          body: failureResponse.body,\n          responseUrl: xhr.responseURL,\n          responseType: xhr.responseType\n        };\n        var _updatedPayload = createXHR.responseInterceptorsStorage.execute(options.requestType, responseInterceptorPayload);\n        failureResponse.body = _updatedPayload.body;\n        failureResponse.headers = _updatedPayload.headers;\n      }\n      return callback(evt, failureResponse);\n    } // will load the data & process the response in a special response object\n\n    function loadFunc() {\n      if (aborted) return;\n      var status;\n      clearTimeout(timeoutTimer);\n      clearTimeout(options.retryTimeout);\n      if (options.useXDR && xhr.status === undefined) {\n        //IE8 CORS GET successful response doesn't have a status field, but body is fine\n        status = 200;\n      } else {\n        status = xhr.status === 1223 ? 204 : xhr.status;\n      }\n      var response = failureResponse;\n      var err = null;\n      if (status !== 0) {\n        response = {\n          body: getBody(),\n          statusCode: status,\n          method: method,\n          headers: {},\n          url: uri,\n          rawRequest: xhr\n        };\n        if (xhr.getAllResponseHeaders) {\n          //remember xhr can in fact be XDR for CORS in IE\n          response.headers = parseHeaders(xhr.getAllResponseHeaders());\n        }\n      } else {\n        err = new Error(\"Internal XMLHttpRequest Error\");\n      } // call all registered response interceptors for a given request type:\n\n      if (options.requestType && createXHR.responseInterceptorsStorage.getIsEnabled()) {\n        var responseInterceptorPayload = {\n          headers: response.headers || {},\n          body: response.body,\n          responseUrl: xhr.responseURL,\n          responseType: xhr.responseType\n        };\n        var _updatedPayload2 = createXHR.responseInterceptorsStorage.execute(options.requestType, responseInterceptorPayload);\n        response.body = _updatedPayload2.body;\n        response.headers = _updatedPayload2.headers;\n      }\n      return callback(err, response, response.body);\n    }\n    var xhr = options.xhr || null;\n    if (!xhr) {\n      if (options.cors || options.useXDR) {\n        xhr = new createXHR.XDomainRequest();\n      } else {\n        xhr = new createXHR.XMLHttpRequest();\n      }\n    }\n    var key;\n    var aborted;\n    var uri = xhr.url = options.uri || options.url;\n    var method = xhr.method = options.method || \"GET\";\n    var body = options.body || options.data;\n    var headers = xhr.headers = options.headers || {};\n    var sync = !!options.sync;\n    var isJson = false;\n    var timeoutTimer;\n    var failureResponse = {\n      body: undefined,\n      headers: {},\n      statusCode: 0,\n      method: method,\n      url: uri,\n      rawRequest: xhr\n    };\n    if (\"json\" in options && options.json !== false) {\n      isJson = true;\n      headers[\"accept\"] || headers[\"Accept\"] || (headers[\"Accept\"] = \"application/json\"); //Don't override existing accept header declared by user\n\n      if (method !== \"GET\" && method !== \"HEAD\") {\n        headers[\"content-type\"] || headers[\"Content-Type\"] || (headers[\"Content-Type\"] = \"application/json\"); //Don't override existing accept header declared by user\n\n        body = JSON.stringify(options.json === true ? body : options.json);\n      }\n    }\n    xhr.onreadystatechange = readystatechange;\n    xhr.onload = loadFunc;\n    xhr.onerror = errorFunc; // IE9 must have onprogress be set to a unique function.\n\n    xhr.onprogress = function () {// IE must die\n    };\n    xhr.onabort = function () {\n      aborted = true;\n      clearTimeout(options.retryTimeout);\n    };\n    xhr.ontimeout = errorFunc;\n    xhr.open(method, uri, !sync, options.username, options.password); //has to be after open\n\n    if (!sync) {\n      xhr.withCredentials = !!options.withCredentials;\n    } // Cannot set timeout with sync request\n    // not setting timeout on the xhr object, because of old webkits etc. not handling that correctly\n    // both npm's request and jquery 1.x use this kind of timeout, so this is being consistent\n\n    if (!sync && options.timeout > 0) {\n      timeoutTimer = setTimeout(function () {\n        if (aborted) return;\n        aborted = true; //IE9 may still call readystatechange\n\n        xhr.abort(\"timeout\");\n        var e = new Error(\"XMLHttpRequest timeout\");\n        e.code = \"ETIMEDOUT\";\n        errorFunc(e);\n      }, options.timeout);\n    }\n    if (xhr.setRequestHeader) {\n      for (key in headers) {\n        if (headers.hasOwnProperty(key)) {\n          xhr.setRequestHeader(key, headers[key]);\n        }\n      }\n    } else if (options.headers && !isEmpty(options.headers)) {\n      throw new Error(\"Headers cannot be set on an XDomainRequest object\");\n    }\n    if (\"responseType\" in options) {\n      xhr.responseType = options.responseType;\n    }\n    if (\"beforeSend\" in options && typeof options.beforeSend === \"function\") {\n      options.beforeSend(xhr);\n    } // Microsoft Edge browser sends \"undefined\" when send is called with undefined value.\n    // XMLHttpRequest spec says to pass null as body to indicate no body\n    // See https://github.com/naugtur/xhr/issues/100.\n\n    xhr.send(body || null);\n    return xhr;\n  }\n  function getXml(xhr) {\n    // xhr.responseXML will throw Exception \"InvalidStateError\" or \"DOMException\"\n    // See https://developer.mozilla.org/en-US/docs/Web/API/XMLHttpRequest/responseXML.\n    try {\n      if (xhr.responseType === \"document\") {\n        return xhr.responseXML;\n      }\n      var firefoxBugTakenEffect = xhr.responseXML && xhr.responseXML.documentElement.nodeName === \"parsererror\";\n      if (xhr.responseType === \"\" && !firefoxBugTakenEffect) {\n        return xhr.responseXML;\n      }\n    } catch (e) {}\n    return null;\n  }\n  function noop$1() {}\n  lib.default = default_1;\n\n  /**\n   * @file text-track.js\n   */\n\n  /** @import Tech from '../tech/tech' */\n\n  /**\n   * Takes a webvtt file contents and parses it into cues\n   *\n   * @param {string} srcContent\n   *        webVTT file contents\n   *\n   * @param {TextTrack} track\n   *        TextTrack to add cues to. Cues come from the srcContent.\n   *\n   * @private\n   */\n  const parseCues = function (srcContent, track) {\n    const parser = new window.WebVTT.Parser(window, window.vttjs, window.WebVTT.StringDecoder());\n    const errors = [];\n    parser.oncue = function (cue) {\n      track.addCue(cue);\n    };\n    parser.onparsingerror = function (error) {\n      errors.push(error);\n    };\n    parser.onflush = function () {\n      track.trigger({\n        type: 'loadeddata',\n        target: track\n      });\n    };\n    parser.parse(srcContent);\n    if (errors.length > 0) {\n      if (window.console && window.console.groupCollapsed) {\n        window.console.groupCollapsed(`Text Track parsing errors for ${track.src}`);\n      }\n      errors.forEach(error => log$1.error(error));\n      if (window.console && window.console.groupEnd) {\n        window.console.groupEnd();\n      }\n    }\n    parser.flush();\n  };\n\n  /**\n   * Load a `TextTrack` from a specified url.\n   *\n   * @param {string} src\n   *        Url to load track from.\n   *\n   * @param {TextTrack} track\n   *        Track to add cues to. Comes from the content at the end of `url`.\n   *\n   * @private\n   */\n  const loadTrack = function (src, track) {\n    const opts = {\n      uri: src\n    };\n    const crossOrigin = isCrossOrigin(src);\n    if (crossOrigin) {\n      opts.cors = crossOrigin;\n    }\n    const withCredentials = track.tech_.crossOrigin() === 'use-credentials';\n    if (withCredentials) {\n      opts.withCredentials = withCredentials;\n    }\n    lib(opts, bind_(this, function (err, response, responseBody) {\n      if (err) {\n        return log$1.error(err, response);\n      }\n      track.loaded_ = true;\n\n      // Make sure that vttjs has loaded, otherwise, wait till it finished loading\n      // NOTE: this is only used for the alt/video.novtt.js build\n      if (typeof window.WebVTT !== 'function') {\n        if (track.tech_) {\n          // to prevent use before define eslint error, we define loadHandler\n          // as a let here\n          track.tech_.any(['vttjsloaded', 'vttjserror'], event => {\n            if (event.type === 'vttjserror') {\n              log$1.error(`vttjs failed to load, stopping trying to process ${track.src}`);\n              return;\n            }\n            return parseCues(responseBody, track);\n          });\n        }\n      } else {\n        parseCues(responseBody, track);\n      }\n    }));\n  };\n\n  /**\n   * A representation of a single `TextTrack`.\n   *\n   * @see [Spec]{@link https://html.spec.whatwg.org/multipage/embedded-content.html#texttrack}\n   * @extends Track\n   */\n  class TextTrack extends Track {\n    /**\n     * Create an instance of this class.\n     *\n     * @param {Object} options={}\n     *        Object of option names and values\n     *\n     * @param {Tech} options.tech\n     *        A reference to the tech that owns this TextTrack.\n     *\n     * @param {TextTrack~Kind} [options.kind='subtitles']\n     *        A valid text track kind.\n     *\n     * @param {TextTrack~Mode} [options.mode='disabled']\n     *        A valid text track mode.\n     *\n     * @param {string} [options.id='vjs_track_' + Guid.newGUID()]\n     *        A unique id for this TextTrack.\n     *\n     * @param {string} [options.label='']\n     *        The menu label for this track.\n     *\n     * @param {string} [options.language='']\n     *        A valid two character language code.\n     *\n     * @param {string} [options.srclang='']\n     *        A valid two character language code. An alternative, but deprioritized\n     *        version of `options.language`\n     *\n     * @param {string} [options.src]\n     *        A url to TextTrack cues.\n     *\n     * @param {boolean} [options.default]\n     *        If this track should default to on or off.\n     */\n    constructor(options = {}) {\n      if (!options.tech) {\n        throw new Error('A tech was not provided.');\n      }\n      const settings = merge$2(options, {\n        kind: TextTrackKind[options.kind] || 'subtitles',\n        language: options.language || options.srclang || ''\n      });\n      let mode = TextTrackMode[settings.mode] || 'disabled';\n      const default_ = settings.default;\n      if (settings.kind === 'metadata' || settings.kind === 'chapters') {\n        mode = 'hidden';\n      }\n      super(settings);\n      this.tech_ = settings.tech;\n      this.cues_ = [];\n      this.activeCues_ = [];\n      this.preload_ = this.tech_.preloadTextTracks !== false;\n      const cues = new TextTrackCueList(this.cues_);\n      const activeCues = new TextTrackCueList(this.activeCues_);\n      let changed = false;\n      this.timeupdateHandler = bind_(this, function (event = {}) {\n        if (this.tech_.isDisposed()) {\n          return;\n        }\n        if (!this.tech_.isReady_) {\n          if (event.type !== 'timeupdate') {\n            this.rvf_ = this.tech_.requestVideoFrameCallback(this.timeupdateHandler);\n          }\n          return;\n        }\n\n        // Accessing this.activeCues for the side-effects of updating itself\n        // due to its nature as a getter function. Do not remove or cues will\n        // stop updating!\n        // Use the setter to prevent deletion from uglify (pure_getters rule)\n        this.activeCues = this.activeCues;\n        if (changed) {\n          this.trigger('cuechange');\n          changed = false;\n        }\n        if (event.type !== 'timeupdate') {\n          this.rvf_ = this.tech_.requestVideoFrameCallback(this.timeupdateHandler);\n        }\n      });\n      const disposeHandler = () => {\n        this.stopTracking();\n      };\n      this.tech_.one('dispose', disposeHandler);\n      if (mode !== 'disabled') {\n        this.startTracking();\n      }\n      Object.defineProperties(this, {\n        /**\n         * @memberof TextTrack\n         * @member {boolean} default\n         *         If this track was set to be on or off by default. Cannot be changed after\n         *         creation.\n         * @instance\n         *\n         * @readonly\n         */\n        default: {\n          get() {\n            return default_;\n          },\n          set() {}\n        },\n        /**\n         * @memberof TextTrack\n         * @member {string} mode\n         *         Set the mode of this TextTrack to a valid {@link TextTrack~Mode}. Will\n         *         not be set if setting to an invalid mode.\n         * @instance\n         *\n         * @fires TextTrack#modechange\n         */\n        mode: {\n          get() {\n            return mode;\n          },\n          set(newMode) {\n            if (!TextTrackMode[newMode]) {\n              return;\n            }\n            if (mode === newMode) {\n              return;\n            }\n            mode = newMode;\n            if (!this.preload_ && mode !== 'disabled' && this.cues.length === 0) {\n              // On-demand load.\n              loadTrack(this.src, this);\n            }\n            this.stopTracking();\n            if (mode !== 'disabled') {\n              this.startTracking();\n            }\n            /**\n             * An event that fires when mode changes on this track. This allows\n             * the TextTrackList that holds this track to act accordingly.\n             *\n             * > Note: This is not part of the spec!\n             *\n             * @event TextTrack#modechange\n             * @type {Event}\n             */\n            this.trigger('modechange');\n          }\n        },\n        /**\n         * @memberof TextTrack\n         * @member {TextTrackCueList} cues\n         *         The text track cue list for this TextTrack.\n         * @instance\n         */\n        cues: {\n          get() {\n            if (!this.loaded_) {\n              return null;\n            }\n            return cues;\n          },\n          set() {}\n        },\n        /**\n         * @memberof TextTrack\n         * @member {TextTrackCueList} activeCues\n         *         The list text track cues that are currently active for this TextTrack.\n         * @instance\n         */\n        activeCues: {\n          get() {\n            if (!this.loaded_) {\n              return null;\n            }\n\n            // nothing to do\n            if (this.cues.length === 0) {\n              return activeCues;\n            }\n            const ct = this.tech_.currentTime();\n            const active = [];\n            for (let i = 0, l = this.cues.length; i < l; i++) {\n              const cue = this.cues[i];\n              if (cue.startTime <= ct && cue.endTime >= ct) {\n                active.push(cue);\n              }\n            }\n            changed = false;\n            if (active.length !== this.activeCues_.length) {\n              changed = true;\n            } else {\n              for (let i = 0; i < active.length; i++) {\n                if (this.activeCues_.indexOf(active[i]) === -1) {\n                  changed = true;\n                }\n              }\n            }\n            this.activeCues_ = active;\n            activeCues.setCues_(this.activeCues_);\n            return activeCues;\n          },\n          // /!\\ Keep this setter empty (see the timeupdate handler above)\n          set() {}\n        }\n      });\n      if (settings.src) {\n        this.src = settings.src;\n        if (!this.preload_) {\n          // Tracks will load on-demand.\n          // Act like we're loaded for other purposes.\n          this.loaded_ = true;\n        }\n        if (this.preload_ || settings.kind !== 'subtitles' && settings.kind !== 'captions') {\n          loadTrack(this.src, this);\n        }\n      } else {\n        this.loaded_ = true;\n      }\n    }\n    startTracking() {\n      // More precise cues based on requestVideoFrameCallback with a requestAnimationFram fallback\n      this.rvf_ = this.tech_.requestVideoFrameCallback(this.timeupdateHandler);\n      // Also listen to timeupdate in case rVFC/rAF stops (window in background, audio in video el)\n      this.tech_.on('timeupdate', this.timeupdateHandler);\n    }\n    stopTracking() {\n      if (this.rvf_) {\n        this.tech_.cancelVideoFrameCallback(this.rvf_);\n        this.rvf_ = undefined;\n      }\n      this.tech_.off('timeupdate', this.timeupdateHandler);\n    }\n\n    /**\n     * Add a cue to the internal list of cues.\n     *\n     * @param {TextTrack~Cue} cue\n     *        The cue to add to our internal list\n     */\n    addCue(originalCue) {\n      let cue = originalCue;\n\n      // Testing if the cue is a VTTCue in a way that survives minification\n      if (!('getCueAsHTML' in cue)) {\n        cue = new window.vttjs.VTTCue(originalCue.startTime, originalCue.endTime, originalCue.text);\n        for (const prop in originalCue) {\n          if (!(prop in cue)) {\n            cue[prop] = originalCue[prop];\n          }\n        }\n\n        // make sure that `id` is copied over\n        cue.id = originalCue.id;\n        cue.originalCue_ = originalCue;\n      }\n      const tracks = this.tech_.textTracks();\n      for (let i = 0; i < tracks.length; i++) {\n        if (tracks[i] !== this) {\n          tracks[i].removeCue(cue);\n        }\n      }\n      this.cues_.push(cue);\n      this.cues.setCues_(this.cues_);\n    }\n\n    /**\n     * Remove a cue from our internal list\n     *\n     * @param {TextTrack~Cue} removeCue\n     *        The cue to remove from our internal list\n     */\n    removeCue(removeCue) {\n      let i = this.cues_.length;\n      while (i--) {\n        const cue = this.cues_[i];\n        if (cue === removeCue || cue.originalCue_ && cue.originalCue_ === removeCue) {\n          this.cues_.splice(i, 1);\n          this.cues.setCues_(this.cues_);\n          break;\n        }\n      }\n    }\n  }\n\n  /**\n   * cuechange - One or more cues in the track have become active or stopped being active.\n   *\n   * @protected\n   */\n  TextTrack.prototype.allowedEvents_ = {\n    cuechange: 'cuechange'\n  };\n\n  /**\n   * A representation of a single `AudioTrack`. If it is part of an {@link AudioTrackList}\n   * only one `AudioTrack` in the list will be enabled at a time.\n   *\n   * @see [Spec]{@link https://html.spec.whatwg.org/multipage/embedded-content.html#audiotrack}\n   * @extends Track\n   */\n  class AudioTrack extends Track {\n    /**\n     * Create an instance of this class.\n     *\n     * @param {Object} [options={}]\n     *        Object of option names and values\n     *\n     * @param {AudioTrack~Kind} [options.kind='']\n     *        A valid audio track kind\n     *\n     * @param {string} [options.id='vjs_track_' + Guid.newGUID()]\n     *        A unique id for this AudioTrack.\n     *\n     * @param {string} [options.label='']\n     *        The menu label for this track.\n     *\n     * @param {string} [options.language='']\n     *        A valid two character language code.\n     *\n     * @param {boolean} [options.enabled]\n     *        If this track is the one that is currently playing. If this track is part of\n     *        an {@link AudioTrackList}, only one {@link AudioTrack} will be enabled.\n     */\n    constructor(options = {}) {\n      const settings = merge$2(options, {\n        kind: AudioTrackKind[options.kind] || ''\n      });\n      super(settings);\n      let enabled = false;\n\n      /**\n       * @memberof AudioTrack\n       * @member {boolean} enabled\n       *         If this `AudioTrack` is enabled or not. When setting this will\n       *         fire {@link AudioTrack#enabledchange} if the state of enabled is changed.\n       * @instance\n       *\n       * @fires VideoTrack#selectedchange\n       */\n      Object.defineProperty(this, 'enabled', {\n        get() {\n          return enabled;\n        },\n        set(newEnabled) {\n          // an invalid or unchanged value\n          if (typeof newEnabled !== 'boolean' || newEnabled === enabled) {\n            return;\n          }\n          enabled = newEnabled;\n\n          /**\n           * An event that fires when enabled changes on this track. This allows\n           * the AudioTrackList that holds this track to act accordingly.\n           *\n           * > Note: This is not part of the spec! Native tracks will do\n           *         this internally without an event.\n           *\n           * @event AudioTrack#enabledchange\n           * @type {Event}\n           */\n          this.trigger('enabledchange');\n        }\n      });\n\n      // if the user sets this track to selected then\n      // set selected to that true value otherwise\n      // we keep it false\n      if (settings.enabled) {\n        this.enabled = settings.enabled;\n      }\n      this.loaded_ = true;\n    }\n  }\n\n  /**\n   * A representation of a single `VideoTrack`.\n   *\n   * @see [Spec]{@link https://html.spec.whatwg.org/multipage/embedded-content.html#videotrack}\n   * @extends Track\n   */\n  class VideoTrack extends Track {\n    /**\n     * Create an instance of this class.\n     *\n     * @param {Object} [options={}]\n     *        Object of option names and values\n     *\n     * @param {string} [options.kind='']\n     *        A valid {@link VideoTrack~Kind}\n     *\n     * @param {string} [options.id='vjs_track_' + Guid.newGUID()]\n     *        A unique id for this AudioTrack.\n     *\n     * @param {string} [options.label='']\n     *        The menu label for this track.\n     *\n     * @param {string} [options.language='']\n     *        A valid two character language code.\n     *\n     * @param {boolean} [options.selected]\n     *        If this track is the one that is currently playing.\n     */\n    constructor(options = {}) {\n      const settings = merge$2(options, {\n        kind: VideoTrackKind[options.kind] || ''\n      });\n      super(settings);\n      let selected = false;\n\n      /**\n       * @memberof VideoTrack\n       * @member {boolean} selected\n       *         If this `VideoTrack` is selected or not. When setting this will\n       *         fire {@link VideoTrack#selectedchange} if the state of selected changed.\n       * @instance\n       *\n       * @fires VideoTrack#selectedchange\n       */\n      Object.defineProperty(this, 'selected', {\n        get() {\n          return selected;\n        },\n        set(newSelected) {\n          // an invalid or unchanged value\n          if (typeof newSelected !== 'boolean' || newSelected === selected) {\n            return;\n          }\n          selected = newSelected;\n\n          /**\n           * An event that fires when selected changes on this track. This allows\n           * the VideoTrackList that holds this track to act accordingly.\n           *\n           * > Note: This is not part of the spec! Native tracks will do\n           *         this internally without an event.\n           *\n           * @event VideoTrack#selectedchange\n           * @type {Event}\n           */\n          this.trigger('selectedchange');\n        }\n      });\n\n      // if the user sets this track to selected then\n      // set selected to that true value otherwise\n      // we keep it false\n      if (settings.selected) {\n        this.selected = settings.selected;\n      }\n    }\n  }\n\n  /**\n   * @file html-track-element.js\n   */\n\n  /** @import Tech from '../tech/tech' */\n\n  /**\n   * A single track represented in the DOM.\n   *\n   * @see [Spec]{@link https://html.spec.whatwg.org/multipage/embedded-content.html#htmltrackelement}\n   * @extends EventTarget\n   */\n  class HTMLTrackElement extends EventTarget$2 {\n    /**\n     * Create an instance of this class.\n     *\n     * @param {Object} options={}\n     *        Object of option names and values\n     *\n     * @param {Tech} options.tech\n     *        A reference to the tech that owns this HTMLTrackElement.\n     *\n     * @param {TextTrack~Kind} [options.kind='subtitles']\n     *        A valid text track kind.\n     *\n     * @param {TextTrack~Mode} [options.mode='disabled']\n     *        A valid text track mode.\n     *\n     * @param {string} [options.id='vjs_track_' + Guid.newGUID()]\n     *        A unique id for this TextTrack.\n     *\n     * @param {string} [options.label='']\n     *        The menu label for this track.\n     *\n     * @param {string} [options.language='']\n     *        A valid two character language code.\n     *\n     * @param {string} [options.srclang='']\n     *        A valid two character language code. An alternative, but deprioritized\n     *        version of `options.language`\n     *\n     * @param {string} [options.src]\n     *        A url to TextTrack cues.\n     *\n     * @param {boolean} [options.default]\n     *        If this track should default to on or off.\n     */\n    constructor(options = {}) {\n      super();\n      let readyState;\n      const track = new TextTrack(options);\n      this.kind = track.kind;\n      this.src = track.src;\n      this.srclang = track.language;\n      this.label = track.label;\n      this.default = track.default;\n      Object.defineProperties(this, {\n        /**\n         * @memberof HTMLTrackElement\n         * @member {HTMLTrackElement~ReadyState} readyState\n         *         The current ready state of the track element.\n         * @instance\n         */\n        readyState: {\n          get() {\n            return readyState;\n          }\n        },\n        /**\n         * @memberof HTMLTrackElement\n         * @member {TextTrack} track\n         *         The underlying TextTrack object.\n         * @instance\n         *\n         */\n        track: {\n          get() {\n            return track;\n          }\n        }\n      });\n      readyState = HTMLTrackElement.NONE;\n\n      /**\n       * @listens TextTrack#loadeddata\n       * @fires HTMLTrackElement#load\n       */\n      track.addEventListener('loadeddata', () => {\n        readyState = HTMLTrackElement.LOADED;\n        this.trigger({\n          type: 'load',\n          target: this\n        });\n      });\n    }\n  }\n\n  /**\n   * @protected\n   */\n  HTMLTrackElement.prototype.allowedEvents_ = {\n    load: 'load'\n  };\n\n  /**\n   * The text track not loaded state.\n   *\n   * @type {number}\n   * @static\n   */\n  HTMLTrackElement.NONE = 0;\n\n  /**\n   * The text track loading state.\n   *\n   * @type {number}\n   * @static\n   */\n  HTMLTrackElement.LOADING = 1;\n\n  /**\n   * The text track loaded state.\n   *\n   * @type {number}\n   * @static\n   */\n  HTMLTrackElement.LOADED = 2;\n\n  /**\n   * The text track failed to load state.\n   *\n   * @type {number}\n   * @static\n   */\n  HTMLTrackElement.ERROR = 3;\n\n  /*\n   * This file contains all track properties that are used in\n   * player.js, tech.js, html5.js and possibly other techs in the future.\n   */\n\n  const NORMAL = {\n    audio: {\n      ListClass: AudioTrackList,\n      TrackClass: AudioTrack,\n      capitalName: 'Audio'\n    },\n    video: {\n      ListClass: VideoTrackList,\n      TrackClass: VideoTrack,\n      capitalName: 'Video'\n    },\n    text: {\n      ListClass: TextTrackList,\n      TrackClass: TextTrack,\n      capitalName: 'Text'\n    }\n  };\n  Object.keys(NORMAL).forEach(function (type) {\n    NORMAL[type].getterName = `${type}Tracks`;\n    NORMAL[type].privateName = `${type}Tracks_`;\n  });\n  const REMOTE = {\n    remoteText: {\n      ListClass: TextTrackList,\n      TrackClass: TextTrack,\n      capitalName: 'RemoteText',\n      getterName: 'remoteTextTracks',\n      privateName: 'remoteTextTracks_'\n    },\n    remoteTextEl: {\n      ListClass: HtmlTrackElementList,\n      TrackClass: HTMLTrackElement,\n      capitalName: 'RemoteTextTrackEls',\n      getterName: 'remoteTextTrackEls',\n      privateName: 'remoteTextTrackEls_'\n    }\n  };\n  const ALL = Object.assign({}, NORMAL, REMOTE);\n  REMOTE.names = Object.keys(REMOTE);\n  NORMAL.names = Object.keys(NORMAL);\n  ALL.names = [].concat(REMOTE.names).concat(NORMAL.names);\n\n  var minDoc = {};\n\n  var topLevel = typeof commonjsGlobal !== 'undefined' ? commonjsGlobal : typeof window !== 'undefined' ? window : {};\n  var doccy;\n  if (typeof document !== 'undefined') {\n    doccy = document;\n  } else {\n    doccy = topLevel['__GLOBAL_DOCUMENT_CACHE@4'];\n    if (!doccy) {\n      doccy = topLevel['__GLOBAL_DOCUMENT_CACHE@4'] = minDoc;\n    }\n  }\n  var document_1 = doccy;\n\n  /**\n   * Copyright 2013 vtt.js Contributors\n   *\n   * Licensed under the Apache License, Version 2.0 (the \"License\");\n   * you may not use this file except in compliance with the License.\n   * You may obtain a copy of the License at\n   *\n   *   http://www.apache.org/licenses/LICENSE-2.0\n   *\n   * Unless required by applicable law or agreed to in writing, software\n   * distributed under the License is distributed on an \"AS IS\" BASIS,\n   * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n   * See the License for the specific language governing permissions and\n   * limitations under the License.\n   */\n\n  /* -*- Mode: Java; tab-width: 2; indent-tabs-mode: nil; c-basic-offset: 2 -*- */\n  /* vim: set shiftwidth=2 tabstop=2 autoindent cindent expandtab: */\n\n  var _objCreate = Object.create || function () {\n    function F() {}\n    return function (o) {\n      if (arguments.length !== 1) {\n        throw new Error('Object.create shim only accepts one parameter.');\n      }\n      F.prototype = o;\n      return new F();\n    };\n  }();\n\n  // Creates a new ParserError object from an errorData object. The errorData\n  // object should have default code and message properties. The default message\n  // property can be overriden by passing in a message parameter.\n  // See ParsingError.Errors below for acceptable errors.\n  function ParsingError(errorData, message) {\n    this.name = \"ParsingError\";\n    this.code = errorData.code;\n    this.message = message || errorData.message;\n  }\n  ParsingError.prototype = _objCreate(Error.prototype);\n  ParsingError.prototype.constructor = ParsingError;\n\n  // ParsingError metadata for acceptable ParsingErrors.\n  ParsingError.Errors = {\n    BadSignature: {\n      code: 0,\n      message: \"Malformed WebVTT signature.\"\n    },\n    BadTimeStamp: {\n      code: 1,\n      message: \"Malformed time stamp.\"\n    }\n  };\n\n  // Try to parse input as a time stamp.\n  function parseTimeStamp(input) {\n    function computeSeconds(h, m, s, f) {\n      return (h | 0) * 3600 + (m | 0) * 60 + (s | 0) + (f | 0) / 1000;\n    }\n    var m = input.match(/^(\\d+):(\\d{1,2})(:\\d{1,2})?\\.(\\d{3})/);\n    if (!m) {\n      return null;\n    }\n    if (m[3]) {\n      // Timestamp takes the form of [hours]:[minutes]:[seconds].[milliseconds]\n      return computeSeconds(m[1], m[2], m[3].replace(\":\", \"\"), m[4]);\n    } else if (m[1] > 59) {\n      // Timestamp takes the form of [hours]:[minutes].[milliseconds]\n      // First position is hours as it's over 59.\n      return computeSeconds(m[1], m[2], 0, m[4]);\n    } else {\n      // Timestamp takes the form of [minutes]:[seconds].[milliseconds]\n      return computeSeconds(0, m[1], m[2], m[4]);\n    }\n  }\n\n  // A settings object holds key/value pairs and will ignore anything but the first\n  // assignment to a specific key.\n  function Settings() {\n    this.values = _objCreate(null);\n  }\n  Settings.prototype = {\n    // Only accept the first assignment to any key.\n    set: function (k, v) {\n      if (!this.get(k) && v !== \"\") {\n        this.values[k] = v;\n      }\n    },\n    // Return the value for a key, or a default value.\n    // If 'defaultKey' is passed then 'dflt' is assumed to be an object with\n    // a number of possible default values as properties where 'defaultKey' is\n    // the key of the property that will be chosen; otherwise it's assumed to be\n    // a single value.\n    get: function (k, dflt, defaultKey) {\n      if (defaultKey) {\n        return this.has(k) ? this.values[k] : dflt[defaultKey];\n      }\n      return this.has(k) ? this.values[k] : dflt;\n    },\n    // Check whether we have a value for a key.\n    has: function (k) {\n      return k in this.values;\n    },\n    // Accept a setting if its one of the given alternatives.\n    alt: function (k, v, a) {\n      for (var n = 0; n < a.length; ++n) {\n        if (v === a[n]) {\n          this.set(k, v);\n          break;\n        }\n      }\n    },\n    // Accept a setting if its a valid (signed) integer.\n    integer: function (k, v) {\n      if (/^-?\\d+$/.test(v)) {\n        // integer\n        this.set(k, parseInt(v, 10));\n      }\n    },\n    // Accept a setting if its a valid percentage.\n    percent: function (k, v) {\n      if (v.match(/^([\\d]{1,3})(\\.[\\d]*)?%$/)) {\n        v = parseFloat(v);\n        if (v >= 0 && v <= 100) {\n          this.set(k, v);\n          return true;\n        }\n      }\n      return false;\n    }\n  };\n\n  // Helper function to parse input into groups separated by 'groupDelim', and\n  // interprete each group as a key/value pair separated by 'keyValueDelim'.\n  function parseOptions(input, callback, keyValueDelim, groupDelim) {\n    var groups = groupDelim ? input.split(groupDelim) : [input];\n    for (var i in groups) {\n      if (typeof groups[i] !== \"string\") {\n        continue;\n      }\n      var kv = groups[i].split(keyValueDelim);\n      if (kv.length !== 2) {\n        continue;\n      }\n      var k = kv[0].trim();\n      var v = kv[1].trim();\n      callback(k, v);\n    }\n  }\n  function parseCue(input, cue, regionList) {\n    // Remember the original input if we need to throw an error.\n    var oInput = input;\n    // 4.1 WebVTT timestamp\n    function consumeTimeStamp() {\n      var ts = parseTimeStamp(input);\n      if (ts === null) {\n        throw new ParsingError(ParsingError.Errors.BadTimeStamp, \"Malformed timestamp: \" + oInput);\n      }\n      // Remove time stamp from input.\n      input = input.replace(/^[^\\sa-zA-Z-]+/, \"\");\n      return ts;\n    }\n\n    // 4.4.2 WebVTT cue settings\n    function consumeCueSettings(input, cue) {\n      var settings = new Settings();\n      parseOptions(input, function (k, v) {\n        switch (k) {\n          case \"region\":\n            // Find the last region we parsed with the same region id.\n            for (var i = regionList.length - 1; i >= 0; i--) {\n              if (regionList[i].id === v) {\n                settings.set(k, regionList[i].region);\n                break;\n              }\n            }\n            break;\n          case \"vertical\":\n            settings.alt(k, v, [\"rl\", \"lr\"]);\n            break;\n          case \"line\":\n            var vals = v.split(\",\"),\n              vals0 = vals[0];\n            settings.integer(k, vals0);\n            settings.percent(k, vals0) ? settings.set(\"snapToLines\", false) : null;\n            settings.alt(k, vals0, [\"auto\"]);\n            if (vals.length === 2) {\n              settings.alt(\"lineAlign\", vals[1], [\"start\", \"center\", \"end\"]);\n            }\n            break;\n          case \"position\":\n            vals = v.split(\",\");\n            settings.percent(k, vals[0]);\n            if (vals.length === 2) {\n              settings.alt(\"positionAlign\", vals[1], [\"start\", \"center\", \"end\"]);\n            }\n            break;\n          case \"size\":\n            settings.percent(k, v);\n            break;\n          case \"align\":\n            settings.alt(k, v, [\"start\", \"center\", \"end\", \"left\", \"right\"]);\n            break;\n        }\n      }, /:/, /\\s/);\n\n      // Apply default values for any missing fields.\n      cue.region = settings.get(\"region\", null);\n      cue.vertical = settings.get(\"vertical\", \"\");\n      try {\n        cue.line = settings.get(\"line\", \"auto\");\n      } catch (e) {}\n      cue.lineAlign = settings.get(\"lineAlign\", \"start\");\n      cue.snapToLines = settings.get(\"snapToLines\", true);\n      cue.size = settings.get(\"size\", 100);\n      // Safari still uses the old middle value and won't accept center\n      try {\n        cue.align = settings.get(\"align\", \"center\");\n      } catch (e) {\n        cue.align = settings.get(\"align\", \"middle\");\n      }\n      try {\n        cue.position = settings.get(\"position\", \"auto\");\n      } catch (e) {\n        cue.position = settings.get(\"position\", {\n          start: 0,\n          left: 0,\n          center: 50,\n          middle: 50,\n          end: 100,\n          right: 100\n        }, cue.align);\n      }\n      cue.positionAlign = settings.get(\"positionAlign\", {\n        start: \"start\",\n        left: \"start\",\n        center: \"center\",\n        middle: \"center\",\n        end: \"end\",\n        right: \"end\"\n      }, cue.align);\n    }\n    function skipWhitespace() {\n      input = input.replace(/^\\s+/, \"\");\n    }\n\n    // 4.1 WebVTT cue timings.\n    skipWhitespace();\n    cue.startTime = consumeTimeStamp(); // (1) collect cue start time\n    skipWhitespace();\n    if (input.substr(0, 3) !== \"-->\") {\n      // (3) next characters must match \"-->\"\n      throw new ParsingError(ParsingError.Errors.BadTimeStamp, \"Malformed time stamp (time stamps must be separated by '-->'): \" + oInput);\n    }\n    input = input.substr(3);\n    skipWhitespace();\n    cue.endTime = consumeTimeStamp(); // (5) collect cue end time\n\n    // 4.1 WebVTT cue settings list.\n    skipWhitespace();\n    consumeCueSettings(input, cue);\n  }\n\n  // When evaluating this file as part of a Webpack bundle for server\n  // side rendering, `document` is an empty object.\n  var TEXTAREA_ELEMENT = document_1.createElement && document_1.createElement(\"textarea\");\n  var TAG_NAME = {\n    c: \"span\",\n    i: \"i\",\n    b: \"b\",\n    u: \"u\",\n    ruby: \"ruby\",\n    rt: \"rt\",\n    v: \"span\",\n    lang: \"span\"\n  };\n\n  // 5.1 default text color\n  // 5.2 default text background color is equivalent to text color with bg_ prefix\n  var DEFAULT_COLOR_CLASS = {\n    white: 'rgba(255,255,255,1)',\n    lime: 'rgba(0,255,0,1)',\n    cyan: 'rgba(0,255,255,1)',\n    red: 'rgba(255,0,0,1)',\n    yellow: 'rgba(255,255,0,1)',\n    magenta: 'rgba(255,0,255,1)',\n    blue: 'rgba(0,0,255,1)',\n    black: 'rgba(0,0,0,1)'\n  };\n  var TAG_ANNOTATION = {\n    v: \"title\",\n    lang: \"lang\"\n  };\n  var NEEDS_PARENT = {\n    rt: \"ruby\"\n  };\n\n  // Parse content into a document fragment.\n  function parseContent(window, input) {\n    function nextToken() {\n      // Check for end-of-string.\n      if (!input) {\n        return null;\n      }\n\n      // Consume 'n' characters from the input.\n      function consume(result) {\n        input = input.substr(result.length);\n        return result;\n      }\n      var m = input.match(/^([^<]*)(<[^>]*>?)?/);\n      // If there is some text before the next tag, return it, otherwise return\n      // the tag.\n      return consume(m[1] ? m[1] : m[2]);\n    }\n    function unescape(s) {\n      TEXTAREA_ELEMENT.innerHTML = s;\n      s = TEXTAREA_ELEMENT.textContent;\n      TEXTAREA_ELEMENT.textContent = \"\";\n      return s;\n    }\n    function shouldAdd(current, element) {\n      return !NEEDS_PARENT[element.localName] || NEEDS_PARENT[element.localName] === current.localName;\n    }\n\n    // Create an element for this tag.\n    function createElement(type, annotation) {\n      var tagName = TAG_NAME[type];\n      if (!tagName) {\n        return null;\n      }\n      var element = window.document.createElement(tagName);\n      var name = TAG_ANNOTATION[type];\n      if (name && annotation) {\n        element[name] = annotation.trim();\n      }\n      return element;\n    }\n    var rootDiv = window.document.createElement(\"div\"),\n      current = rootDiv,\n      t,\n      tagStack = [];\n    while ((t = nextToken()) !== null) {\n      if (t[0] === '<') {\n        if (t[1] === \"/\") {\n          // If the closing tag matches, move back up to the parent node.\n          if (tagStack.length && tagStack[tagStack.length - 1] === t.substr(2).replace(\">\", \"\")) {\n            tagStack.pop();\n            current = current.parentNode;\n          }\n          // Otherwise just ignore the end tag.\n          continue;\n        }\n        var ts = parseTimeStamp(t.substr(1, t.length - 2));\n        var node;\n        if (ts) {\n          // Timestamps are lead nodes as well.\n          node = window.document.createProcessingInstruction(\"timestamp\", ts);\n          current.appendChild(node);\n          continue;\n        }\n        var m = t.match(/^<([^.\\s/0-9>]+)(\\.[^\\s\\\\>]+)?([^>\\\\]+)?(\\\\?)>?$/);\n        // If we can't parse the tag, skip to the next tag.\n        if (!m) {\n          continue;\n        }\n        // Try to construct an element, and ignore the tag if we couldn't.\n        node = createElement(m[1], m[3]);\n        if (!node) {\n          continue;\n        }\n        // Determine if the tag should be added based on the context of where it\n        // is placed in the cuetext.\n        if (!shouldAdd(current, node)) {\n          continue;\n        }\n        // Set the class list (as a list of classes, separated by space).\n        if (m[2]) {\n          var classes = m[2].split('.');\n          classes.forEach(function (cl) {\n            var bgColor = /^bg_/.test(cl);\n            // slice out `bg_` if it's a background color\n            var colorName = bgColor ? cl.slice(3) : cl;\n            if (DEFAULT_COLOR_CLASS.hasOwnProperty(colorName)) {\n              var propName = bgColor ? 'background-color' : 'color';\n              var propValue = DEFAULT_COLOR_CLASS[colorName];\n              node.style[propName] = propValue;\n            }\n          });\n          node.className = classes.join(' ');\n        }\n        // Append the node to the current node, and enter the scope of the new\n        // node.\n        tagStack.push(m[1]);\n        current.appendChild(node);\n        current = node;\n        continue;\n      }\n\n      // Text nodes are leaf nodes.\n      current.appendChild(window.document.createTextNode(unescape(t)));\n    }\n    return rootDiv;\n  }\n\n  // This is a list of all the Unicode characters that have a strong\n  // right-to-left category. What this means is that these characters are\n  // written right-to-left for sure. It was generated by pulling all the strong\n  // right-to-left characters out of the Unicode data table. That table can\n  // found at: http://www.unicode.org/Public/UNIDATA/UnicodeData.txt\n  var strongRTLRanges = [[0x5be, 0x5be], [0x5c0, 0x5c0], [0x5c3, 0x5c3], [0x5c6, 0x5c6], [0x5d0, 0x5ea], [0x5f0, 0x5f4], [0x608, 0x608], [0x60b, 0x60b], [0x60d, 0x60d], [0x61b, 0x61b], [0x61e, 0x64a], [0x66d, 0x66f], [0x671, 0x6d5], [0x6e5, 0x6e6], [0x6ee, 0x6ef], [0x6fa, 0x70d], [0x70f, 0x710], [0x712, 0x72f], [0x74d, 0x7a5], [0x7b1, 0x7b1], [0x7c0, 0x7ea], [0x7f4, 0x7f5], [0x7fa, 0x7fa], [0x800, 0x815], [0x81a, 0x81a], [0x824, 0x824], [0x828, 0x828], [0x830, 0x83e], [0x840, 0x858], [0x85e, 0x85e], [0x8a0, 0x8a0], [0x8a2, 0x8ac], [0x200f, 0x200f], [0xfb1d, 0xfb1d], [0xfb1f, 0xfb28], [0xfb2a, 0xfb36], [0xfb38, 0xfb3c], [0xfb3e, 0xfb3e], [0xfb40, 0xfb41], [0xfb43, 0xfb44], [0xfb46, 0xfbc1], [0xfbd3, 0xfd3d], [0xfd50, 0xfd8f], [0xfd92, 0xfdc7], [0xfdf0, 0xfdfc], [0xfe70, 0xfe74], [0xfe76, 0xfefc], [0x10800, 0x10805], [0x10808, 0x10808], [0x1080a, 0x10835], [0x10837, 0x10838], [0x1083c, 0x1083c], [0x1083f, 0x10855], [0x10857, 0x1085f], [0x10900, 0x1091b], [0x10920, 0x10939], [0x1093f, 0x1093f], [0x10980, 0x109b7], [0x109be, 0x109bf], [0x10a00, 0x10a00], [0x10a10, 0x10a13], [0x10a15, 0x10a17], [0x10a19, 0x10a33], [0x10a40, 0x10a47], [0x10a50, 0x10a58], [0x10a60, 0x10a7f], [0x10b00, 0x10b35], [0x10b40, 0x10b55], [0x10b58, 0x10b72], [0x10b78, 0x10b7f], [0x10c00, 0x10c48], [0x1ee00, 0x1ee03], [0x1ee05, 0x1ee1f], [0x1ee21, 0x1ee22], [0x1ee24, 0x1ee24], [0x1ee27, 0x1ee27], [0x1ee29, 0x1ee32], [0x1ee34, 0x1ee37], [0x1ee39, 0x1ee39], [0x1ee3b, 0x1ee3b], [0x1ee42, 0x1ee42], [0x1ee47, 0x1ee47], [0x1ee49, 0x1ee49], [0x1ee4b, 0x1ee4b], [0x1ee4d, 0x1ee4f], [0x1ee51, 0x1ee52], [0x1ee54, 0x1ee54], [0x1ee57, 0x1ee57], [0x1ee59, 0x1ee59], [0x1ee5b, 0x1ee5b], [0x1ee5d, 0x1ee5d], [0x1ee5f, 0x1ee5f], [0x1ee61, 0x1ee62], [0x1ee64, 0x1ee64], [0x1ee67, 0x1ee6a], [0x1ee6c, 0x1ee72], [0x1ee74, 0x1ee77], [0x1ee79, 0x1ee7c], [0x1ee7e, 0x1ee7e], [0x1ee80, 0x1ee89], [0x1ee8b, 0x1ee9b], [0x1eea1, 0x1eea3], [0x1eea5, 0x1eea9], [0x1eeab, 0x1eebb], [0x10fffd, 0x10fffd]];\n  function isStrongRTLChar(charCode) {\n    for (var i = 0; i < strongRTLRanges.length; i++) {\n      var currentRange = strongRTLRanges[i];\n      if (charCode >= currentRange[0] && charCode <= currentRange[1]) {\n        return true;\n      }\n    }\n    return false;\n  }\n  function determineBidi(cueDiv) {\n    var nodeStack = [],\n      text = \"\",\n      charCode;\n    if (!cueDiv || !cueDiv.childNodes) {\n      return \"ltr\";\n    }\n    function pushNodes(nodeStack, node) {\n      for (var i = node.childNodes.length - 1; i >= 0; i--) {\n        nodeStack.push(node.childNodes[i]);\n      }\n    }\n    function nextTextNode(nodeStack) {\n      if (!nodeStack || !nodeStack.length) {\n        return null;\n      }\n      var node = nodeStack.pop(),\n        text = node.textContent || node.innerText;\n      if (text) {\n        // TODO: This should match all unicode type B characters (paragraph\n        // separator characters). See issue #115.\n        var m = text.match(/^.*(\\n|\\r)/);\n        if (m) {\n          nodeStack.length = 0;\n          return m[0];\n        }\n        return text;\n      }\n      if (node.tagName === \"ruby\") {\n        return nextTextNode(nodeStack);\n      }\n      if (node.childNodes) {\n        pushNodes(nodeStack, node);\n        return nextTextNode(nodeStack);\n      }\n    }\n    pushNodes(nodeStack, cueDiv);\n    while (text = nextTextNode(nodeStack)) {\n      for (var i = 0; i < text.length; i++) {\n        charCode = text.charCodeAt(i);\n        if (isStrongRTLChar(charCode)) {\n          return \"rtl\";\n        }\n      }\n    }\n    return \"ltr\";\n  }\n  function computeLinePos(cue) {\n    if (typeof cue.line === \"number\" && (cue.snapToLines || cue.line >= 0 && cue.line <= 100)) {\n      return cue.line;\n    }\n    if (!cue.track || !cue.track.textTrackList || !cue.track.textTrackList.mediaElement) {\n      return -1;\n    }\n    var track = cue.track,\n      trackList = track.textTrackList,\n      count = 0;\n    for (var i = 0; i < trackList.length && trackList[i] !== track; i++) {\n      if (trackList[i].mode === \"showing\") {\n        count++;\n      }\n    }\n    return ++count * -1;\n  }\n  function StyleBox() {}\n\n  // Apply styles to a div. If there is no div passed then it defaults to the\n  // div on 'this'.\n  StyleBox.prototype.applyStyles = function (styles, div) {\n    div = div || this.div;\n    for (var prop in styles) {\n      if (styles.hasOwnProperty(prop)) {\n        div.style[prop] = styles[prop];\n      }\n    }\n  };\n  StyleBox.prototype.formatStyle = function (val, unit) {\n    return val === 0 ? 0 : val + unit;\n  };\n\n  // Constructs the computed display state of the cue (a div). Places the div\n  // into the overlay which should be a block level element (usually a div).\n  function CueStyleBox(window, cue, styleOptions) {\n    StyleBox.call(this);\n    this.cue = cue;\n\n    // Parse our cue's text into a DOM tree rooted at 'cueDiv'. This div will\n    // have inline positioning and will function as the cue background box.\n    this.cueDiv = parseContent(window, cue.text);\n    var styles = {\n      color: \"rgba(255, 255, 255, 1)\",\n      backgroundColor: \"rgba(0, 0, 0, 0.8)\",\n      position: \"relative\",\n      left: 0,\n      right: 0,\n      top: 0,\n      bottom: 0,\n      display: \"inline\",\n      writingMode: cue.vertical === \"\" ? \"horizontal-tb\" : cue.vertical === \"lr\" ? \"vertical-lr\" : \"vertical-rl\",\n      unicodeBidi: \"plaintext\"\n    };\n    this.applyStyles(styles, this.cueDiv);\n\n    // Create an absolutely positioned div that will be used to position the cue\n    // div. Note, all WebVTT cue-setting alignments are equivalent to the CSS\n    // mirrors of them except middle instead of center on Safari.\n    this.div = window.document.createElement(\"div\");\n    styles = {\n      direction: determineBidi(this.cueDiv),\n      writingMode: cue.vertical === \"\" ? \"horizontal-tb\" : cue.vertical === \"lr\" ? \"vertical-lr\" : \"vertical-rl\",\n      unicodeBidi: \"plaintext\",\n      textAlign: cue.align === \"middle\" ? \"center\" : cue.align,\n      font: styleOptions.font,\n      whiteSpace: \"pre-line\",\n      position: \"absolute\"\n    };\n    this.applyStyles(styles);\n    this.div.appendChild(this.cueDiv);\n\n    // Calculate the distance from the reference edge of the viewport to the text\n    // position of the cue box. The reference edge will be resolved later when\n    // the box orientation styles are applied.\n    var textPos = 0;\n    switch (cue.positionAlign) {\n      case \"start\":\n      case \"line-left\":\n        textPos = cue.position;\n        break;\n      case \"center\":\n        textPos = cue.position - cue.size / 2;\n        break;\n      case \"end\":\n      case \"line-right\":\n        textPos = cue.position - cue.size;\n        break;\n    }\n\n    // Horizontal box orientation; textPos is the distance from the left edge of the\n    // area to the left edge of the box and cue.size is the distance extending to\n    // the right from there.\n    if (cue.vertical === \"\") {\n      this.applyStyles({\n        left: this.formatStyle(textPos, \"%\"),\n        width: this.formatStyle(cue.size, \"%\")\n      });\n      // Vertical box orientation; textPos is the distance from the top edge of the\n      // area to the top edge of the box and cue.size is the height extending\n      // downwards from there.\n    } else {\n      this.applyStyles({\n        top: this.formatStyle(textPos, \"%\"),\n        height: this.formatStyle(cue.size, \"%\")\n      });\n    }\n    this.move = function (box) {\n      this.applyStyles({\n        top: this.formatStyle(box.top, \"px\"),\n        bottom: this.formatStyle(box.bottom, \"px\"),\n        left: this.formatStyle(box.left, \"px\"),\n        right: this.formatStyle(box.right, \"px\"),\n        height: this.formatStyle(box.height, \"px\"),\n        width: this.formatStyle(box.width, \"px\")\n      });\n    };\n  }\n  CueStyleBox.prototype = _objCreate(StyleBox.prototype);\n  CueStyleBox.prototype.constructor = CueStyleBox;\n\n  // Represents the co-ordinates of an Element in a way that we can easily\n  // compute things with such as if it overlaps or intersects with another Element.\n  // Can initialize it with either a StyleBox or another BoxPosition.\n  function BoxPosition(obj) {\n    // Either a BoxPosition was passed in and we need to copy it, or a StyleBox\n    // was passed in and we need to copy the results of 'getBoundingClientRect'\n    // as the object returned is readonly. All co-ordinate values are in reference\n    // to the viewport origin (top left).\n    var lh, height, width, top;\n    if (obj.div) {\n      height = obj.div.offsetHeight;\n      width = obj.div.offsetWidth;\n      top = obj.div.offsetTop;\n      var rects = (rects = obj.div.childNodes) && (rects = rects[0]) && rects.getClientRects && rects.getClientRects();\n      obj = obj.div.getBoundingClientRect();\n      // In certain cases the outter div will be slightly larger then the sum of\n      // the inner div's lines. This could be due to bold text, etc, on some platforms.\n      // In this case we should get the average line height and use that. This will\n      // result in the desired behaviour.\n      lh = rects ? Math.max(rects[0] && rects[0].height || 0, obj.height / rects.length) : 0;\n    }\n    this.left = obj.left;\n    this.right = obj.right;\n    this.top = obj.top || top;\n    this.height = obj.height || height;\n    this.bottom = obj.bottom || top + (obj.height || height);\n    this.width = obj.width || width;\n    this.lineHeight = lh !== undefined ? lh : obj.lineHeight;\n  }\n\n  // Move the box along a particular axis. Optionally pass in an amount to move\n  // the box. If no amount is passed then the default is the line height of the\n  // box.\n  BoxPosition.prototype.move = function (axis, toMove) {\n    toMove = toMove !== undefined ? toMove : this.lineHeight;\n    switch (axis) {\n      case \"+x\":\n        this.left += toMove;\n        this.right += toMove;\n        break;\n      case \"-x\":\n        this.left -= toMove;\n        this.right -= toMove;\n        break;\n      case \"+y\":\n        this.top += toMove;\n        this.bottom += toMove;\n        break;\n      case \"-y\":\n        this.top -= toMove;\n        this.bottom -= toMove;\n        break;\n    }\n  };\n\n  // Check if this box overlaps another box, b2.\n  BoxPosition.prototype.overlaps = function (b2) {\n    return this.left < b2.right && this.right > b2.left && this.top < b2.bottom && this.bottom > b2.top;\n  };\n\n  // Check if this box overlaps any other boxes in boxes.\n  BoxPosition.prototype.overlapsAny = function (boxes) {\n    for (var i = 0; i < boxes.length; i++) {\n      if (this.overlaps(boxes[i])) {\n        return true;\n      }\n    }\n    return false;\n  };\n\n  // Check if this box is within another box.\n  BoxPosition.prototype.within = function (container) {\n    return this.top >= container.top && this.bottom <= container.bottom && this.left >= container.left && this.right <= container.right;\n  };\n\n  // Check if this box is entirely within the container or it is overlapping\n  // on the edge opposite of the axis direction passed. For example, if \"+x\" is\n  // passed and the box is overlapping on the left edge of the container, then\n  // return true.\n  BoxPosition.prototype.overlapsOppositeAxis = function (container, axis) {\n    switch (axis) {\n      case \"+x\":\n        return this.left < container.left;\n      case \"-x\":\n        return this.right > container.right;\n      case \"+y\":\n        return this.top < container.top;\n      case \"-y\":\n        return this.bottom > container.bottom;\n    }\n  };\n\n  // Find the percentage of the area that this box is overlapping with another\n  // box.\n  BoxPosition.prototype.intersectPercentage = function (b2) {\n    var x = Math.max(0, Math.min(this.right, b2.right) - Math.max(this.left, b2.left)),\n      y = Math.max(0, Math.min(this.bottom, b2.bottom) - Math.max(this.top, b2.top)),\n      intersectArea = x * y;\n    return intersectArea / (this.height * this.width);\n  };\n\n  // Convert the positions from this box to CSS compatible positions using\n  // the reference container's positions. This has to be done because this\n  // box's positions are in reference to the viewport origin, whereas, CSS\n  // values are in referecne to their respective edges.\n  BoxPosition.prototype.toCSSCompatValues = function (reference) {\n    return {\n      top: this.top - reference.top,\n      bottom: reference.bottom - this.bottom,\n      left: this.left - reference.left,\n      right: reference.right - this.right,\n      height: this.height,\n      width: this.width\n    };\n  };\n\n  // Get an object that represents the box's position without anything extra.\n  // Can pass a StyleBox, HTMLElement, or another BoxPositon.\n  BoxPosition.getSimpleBoxPosition = function (obj) {\n    var height = obj.div ? obj.div.offsetHeight : obj.tagName ? obj.offsetHeight : 0;\n    var width = obj.div ? obj.div.offsetWidth : obj.tagName ? obj.offsetWidth : 0;\n    var top = obj.div ? obj.div.offsetTop : obj.tagName ? obj.offsetTop : 0;\n    obj = obj.div ? obj.div.getBoundingClientRect() : obj.tagName ? obj.getBoundingClientRect() : obj;\n    var ret = {\n      left: obj.left,\n      right: obj.right,\n      top: obj.top || top,\n      height: obj.height || height,\n      bottom: obj.bottom || top + (obj.height || height),\n      width: obj.width || width\n    };\n    return ret;\n  };\n\n  // Move a StyleBox to its specified, or next best, position. The containerBox\n  // is the box that contains the StyleBox, such as a div. boxPositions are\n  // a list of other boxes that the styleBox can't overlap with.\n  function moveBoxToLinePosition(window, styleBox, containerBox, boxPositions) {\n    // Find the best position for a cue box, b, on the video. The axis parameter\n    // is a list of axis, the order of which, it will move the box along. For example:\n    // Passing [\"+x\", \"-x\"] will move the box first along the x axis in the positive\n    // direction. If it doesn't find a good position for it there it will then move\n    // it along the x axis in the negative direction.\n    function findBestPosition(b, axis) {\n      var bestPosition,\n        specifiedPosition = new BoxPosition(b),\n        percentage = 1; // Highest possible so the first thing we get is better.\n\n      for (var i = 0; i < axis.length; i++) {\n        while (b.overlapsOppositeAxis(containerBox, axis[i]) || b.within(containerBox) && b.overlapsAny(boxPositions)) {\n          b.move(axis[i]);\n        }\n        // We found a spot where we aren't overlapping anything. This is our\n        // best position.\n        if (b.within(containerBox)) {\n          return b;\n        }\n        var p = b.intersectPercentage(containerBox);\n        // If we're outside the container box less then we were on our last try\n        // then remember this position as the best position.\n        if (percentage > p) {\n          bestPosition = new BoxPosition(b);\n          percentage = p;\n        }\n        // Reset the box position to the specified position.\n        b = new BoxPosition(specifiedPosition);\n      }\n      return bestPosition || specifiedPosition;\n    }\n    var boxPosition = new BoxPosition(styleBox),\n      cue = styleBox.cue,\n      linePos = computeLinePos(cue),\n      axis = [];\n\n    // If we have a line number to align the cue to.\n    if (cue.snapToLines) {\n      var size;\n      switch (cue.vertical) {\n        case \"\":\n          axis = [\"+y\", \"-y\"];\n          size = \"height\";\n          break;\n        case \"rl\":\n          axis = [\"+x\", \"-x\"];\n          size = \"width\";\n          break;\n        case \"lr\":\n          axis = [\"-x\", \"+x\"];\n          size = \"width\";\n          break;\n      }\n      var step = boxPosition.lineHeight,\n        position = step * Math.round(linePos),\n        maxPosition = containerBox[size] + step,\n        initialAxis = axis[0];\n\n      // If the specified intial position is greater then the max position then\n      // clamp the box to the amount of steps it would take for the box to\n      // reach the max position.\n      if (Math.abs(position) > maxPosition) {\n        position = position < 0 ? -1 : 1;\n        position *= Math.ceil(maxPosition / step) * step;\n      }\n\n      // If computed line position returns negative then line numbers are\n      // relative to the bottom of the video instead of the top. Therefore, we\n      // need to increase our initial position by the length or width of the\n      // video, depending on the writing direction, and reverse our axis directions.\n      if (linePos < 0) {\n        position += cue.vertical === \"\" ? containerBox.height : containerBox.width;\n        axis = axis.reverse();\n      }\n\n      // Move the box to the specified position. This may not be its best\n      // position.\n      boxPosition.move(initialAxis, position);\n    } else {\n      // If we have a percentage line value for the cue.\n      var calculatedPercentage = boxPosition.lineHeight / containerBox.height * 100;\n      switch (cue.lineAlign) {\n        case \"center\":\n          linePos -= calculatedPercentage / 2;\n          break;\n        case \"end\":\n          linePos -= calculatedPercentage;\n          break;\n      }\n\n      // Apply initial line position to the cue box.\n      switch (cue.vertical) {\n        case \"\":\n          styleBox.applyStyles({\n            top: styleBox.formatStyle(linePos, \"%\")\n          });\n          break;\n        case \"rl\":\n          styleBox.applyStyles({\n            left: styleBox.formatStyle(linePos, \"%\")\n          });\n          break;\n        case \"lr\":\n          styleBox.applyStyles({\n            right: styleBox.formatStyle(linePos, \"%\")\n          });\n          break;\n      }\n      axis = [\"+y\", \"-x\", \"+x\", \"-y\"];\n\n      // Get the box position again after we've applied the specified positioning\n      // to it.\n      boxPosition = new BoxPosition(styleBox);\n    }\n    var bestPosition = findBestPosition(boxPosition, axis);\n    styleBox.move(bestPosition.toCSSCompatValues(containerBox));\n  }\n  function WebVTT$1() {\n    // Nothing\n  }\n\n  // Helper to allow strings to be decoded instead of the default binary utf8 data.\n  WebVTT$1.StringDecoder = function () {\n    return {\n      decode: function (data) {\n        if (!data) {\n          return \"\";\n        }\n        if (typeof data !== \"string\") {\n          throw new Error(\"Error - expected string data.\");\n        }\n        return decodeURIComponent(encodeURIComponent(data));\n      }\n    };\n  };\n  WebVTT$1.convertCueToDOMTree = function (window, cuetext) {\n    if (!window || !cuetext) {\n      return null;\n    }\n    return parseContent(window, cuetext);\n  };\n  var FONT_SIZE_PERCENT = 0.05;\n  var FONT_STYLE = \"sans-serif\";\n  var CUE_BACKGROUND_PADDING = \"1.5%\";\n\n  // Runs the processing model over the cues and regions passed to it.\n  // @param overlay A block level element (usually a div) that the computed cues\n  //                and regions will be placed into.\n  WebVTT$1.processCues = function (window, cues, overlay) {\n    if (!window || !cues || !overlay) {\n      return null;\n    }\n\n    // Remove all previous children.\n    while (overlay.firstChild) {\n      overlay.removeChild(overlay.firstChild);\n    }\n    var paddedOverlay = window.document.createElement(\"div\");\n    paddedOverlay.style.position = \"absolute\";\n    paddedOverlay.style.left = \"0\";\n    paddedOverlay.style.right = \"0\";\n    paddedOverlay.style.top = \"0\";\n    paddedOverlay.style.bottom = \"0\";\n    paddedOverlay.style.margin = CUE_BACKGROUND_PADDING;\n    overlay.appendChild(paddedOverlay);\n\n    // Determine if we need to compute the display states of the cues. This could\n    // be the case if a cue's state has been changed since the last computation or\n    // if it has not been computed yet.\n    function shouldCompute(cues) {\n      for (var i = 0; i < cues.length; i++) {\n        if (cues[i].hasBeenReset || !cues[i].displayState) {\n          return true;\n        }\n      }\n      return false;\n    }\n\n    // We don't need to recompute the cues' display states. Just reuse them.\n    if (!shouldCompute(cues)) {\n      for (var i = 0; i < cues.length; i++) {\n        paddedOverlay.appendChild(cues[i].displayState);\n      }\n      return;\n    }\n    var boxPositions = [],\n      containerBox = BoxPosition.getSimpleBoxPosition(paddedOverlay),\n      fontSize = Math.round(containerBox.height * FONT_SIZE_PERCENT * 100) / 100;\n    var styleOptions = {\n      font: fontSize + \"px \" + FONT_STYLE\n    };\n    (function () {\n      var styleBox, cue;\n      for (var i = 0; i < cues.length; i++) {\n        cue = cues[i];\n\n        // Compute the intial position and styles of the cue div.\n        styleBox = new CueStyleBox(window, cue, styleOptions);\n        paddedOverlay.appendChild(styleBox.div);\n\n        // Move the cue div to it's correct line position.\n        moveBoxToLinePosition(window, styleBox, containerBox, boxPositions);\n\n        // Remember the computed div so that we don't have to recompute it later\n        // if we don't have too.\n        cue.displayState = styleBox.div;\n        boxPositions.push(BoxPosition.getSimpleBoxPosition(styleBox));\n      }\n    })();\n  };\n  WebVTT$1.Parser = function (window, vttjs, decoder) {\n    if (!decoder) {\n      decoder = vttjs;\n      vttjs = {};\n    }\n    if (!vttjs) {\n      vttjs = {};\n    }\n    this.window = window;\n    this.vttjs = vttjs;\n    this.state = \"INITIAL\";\n    this.buffer = \"\";\n    this.decoder = decoder || new TextDecoder(\"utf8\");\n    this.regionList = [];\n  };\n  WebVTT$1.Parser.prototype = {\n    // If the error is a ParsingError then report it to the consumer if\n    // possible. If it's not a ParsingError then throw it like normal.\n    reportOrThrowError: function (e) {\n      if (e instanceof ParsingError) {\n        this.onparsingerror && this.onparsingerror(e);\n      } else {\n        throw e;\n      }\n    },\n    parse: function (data) {\n      var self = this;\n\n      // If there is no data then we won't decode it, but will just try to parse\n      // whatever is in buffer already. This may occur in circumstances, for\n      // example when flush() is called.\n      if (data) {\n        // Try to decode the data that we received.\n        self.buffer += self.decoder.decode(data, {\n          stream: true\n        });\n      }\n      function collectNextLine() {\n        var buffer = self.buffer;\n        var pos = 0;\n        while (pos < buffer.length && buffer[pos] !== '\\r' && buffer[pos] !== '\\n') {\n          ++pos;\n        }\n        var line = buffer.substr(0, pos);\n        // Advance the buffer early in case we fail below.\n        if (buffer[pos] === '\\r') {\n          ++pos;\n        }\n        if (buffer[pos] === '\\n') {\n          ++pos;\n        }\n        self.buffer = buffer.substr(pos);\n        return line;\n      }\n\n      // 3.4 WebVTT region and WebVTT region settings syntax\n      function parseRegion(input) {\n        var settings = new Settings();\n        parseOptions(input, function (k, v) {\n          switch (k) {\n            case \"id\":\n              settings.set(k, v);\n              break;\n            case \"width\":\n              settings.percent(k, v);\n              break;\n            case \"lines\":\n              settings.integer(k, v);\n              break;\n            case \"regionanchor\":\n            case \"viewportanchor\":\n              var xy = v.split(',');\n              if (xy.length !== 2) {\n                break;\n              }\n              // We have to make sure both x and y parse, so use a temporary\n              // settings object here.\n              var anchor = new Settings();\n              anchor.percent(\"x\", xy[0]);\n              anchor.percent(\"y\", xy[1]);\n              if (!anchor.has(\"x\") || !anchor.has(\"y\")) {\n                break;\n              }\n              settings.set(k + \"X\", anchor.get(\"x\"));\n              settings.set(k + \"Y\", anchor.get(\"y\"));\n              break;\n            case \"scroll\":\n              settings.alt(k, v, [\"up\"]);\n              break;\n          }\n        }, /=/, /\\s/);\n\n        // Create the region, using default values for any values that were not\n        // specified.\n        if (settings.has(\"id\")) {\n          var region = new (self.vttjs.VTTRegion || self.window.VTTRegion)();\n          region.width = settings.get(\"width\", 100);\n          region.lines = settings.get(\"lines\", 3);\n          region.regionAnchorX = settings.get(\"regionanchorX\", 0);\n          region.regionAnchorY = settings.get(\"regionanchorY\", 100);\n          region.viewportAnchorX = settings.get(\"viewportanchorX\", 0);\n          region.viewportAnchorY = settings.get(\"viewportanchorY\", 100);\n          region.scroll = settings.get(\"scroll\", \"\");\n          // Register the region.\n          self.onregion && self.onregion(region);\n          // Remember the VTTRegion for later in case we parse any VTTCues that\n          // reference it.\n          self.regionList.push({\n            id: settings.get(\"id\"),\n            region: region\n          });\n        }\n      }\n\n      // draft-pantos-http-live-streaming-20\n      // https://tools.ietf.org/html/draft-pantos-http-live-streaming-20#section-3.5\n      // 3.5 WebVTT\n      function parseTimestampMap(input) {\n        var settings = new Settings();\n        parseOptions(input, function (k, v) {\n          switch (k) {\n            case \"MPEGT\":\n              settings.integer(k + 'S', v);\n              break;\n            case \"LOCA\":\n              settings.set(k + 'L', parseTimeStamp(v));\n              break;\n          }\n        }, /[^\\d]:/, /,/);\n        self.ontimestampmap && self.ontimestampmap({\n          \"MPEGTS\": settings.get(\"MPEGTS\"),\n          \"LOCAL\": settings.get(\"LOCAL\")\n        });\n      }\n\n      // 3.2 WebVTT metadata header syntax\n      function parseHeader(input) {\n        if (input.match(/X-TIMESTAMP-MAP/)) {\n          // This line contains HLS X-TIMESTAMP-MAP metadata\n          parseOptions(input, function (k, v) {\n            switch (k) {\n              case \"X-TIMESTAMP-MAP\":\n                parseTimestampMap(v);\n                break;\n            }\n          }, /=/);\n        } else {\n          parseOptions(input, function (k, v) {\n            switch (k) {\n              case \"Region\":\n                // 3.3 WebVTT region metadata header syntax\n                parseRegion(v);\n                break;\n            }\n          }, /:/);\n        }\n      }\n\n      // 5.1 WebVTT file parsing.\n      try {\n        var line;\n        if (self.state === \"INITIAL\") {\n          // We can't start parsing until we have the first line.\n          if (!/\\r\\n|\\n/.test(self.buffer)) {\n            return this;\n          }\n          line = collectNextLine();\n          var m = line.match(/^WEBVTT([ \\t].*)?$/);\n          if (!m || !m[0]) {\n            throw new ParsingError(ParsingError.Errors.BadSignature);\n          }\n          self.state = \"HEADER\";\n        }\n        var alreadyCollectedLine = false;\n        while (self.buffer) {\n          // We can't parse a line until we have the full line.\n          if (!/\\r\\n|\\n/.test(self.buffer)) {\n            return this;\n          }\n          if (!alreadyCollectedLine) {\n            line = collectNextLine();\n          } else {\n            alreadyCollectedLine = false;\n          }\n          switch (self.state) {\n            case \"HEADER\":\n              // 13-18 - Allow a header (metadata) under the WEBVTT line.\n              if (/:/.test(line)) {\n                parseHeader(line);\n              } else if (!line) {\n                // An empty line terminates the header and starts the body (cues).\n                self.state = \"ID\";\n              }\n              continue;\n            case \"NOTE\":\n              // Ignore NOTE blocks.\n              if (!line) {\n                self.state = \"ID\";\n              }\n              continue;\n            case \"ID\":\n              // Check for the start of NOTE blocks.\n              if (/^NOTE($|[ \\t])/.test(line)) {\n                self.state = \"NOTE\";\n                break;\n              }\n              // 19-29 - Allow any number of line terminators, then initialize new cue values.\n              if (!line) {\n                continue;\n              }\n              self.cue = new (self.vttjs.VTTCue || self.window.VTTCue)(0, 0, \"\");\n              // Safari still uses the old middle value and won't accept center\n              try {\n                self.cue.align = \"center\";\n              } catch (e) {\n                self.cue.align = \"middle\";\n              }\n              self.state = \"CUE\";\n              // 30-39 - Check if self line contains an optional identifier or timing data.\n              if (line.indexOf(\"-->\") === -1) {\n                self.cue.id = line;\n                continue;\n              }\n            // Process line as start of a cue.\n            /*falls through*/\n            case \"CUE\":\n              // 40 - Collect cue timings and settings.\n              try {\n                parseCue(line, self.cue, self.regionList);\n              } catch (e) {\n                self.reportOrThrowError(e);\n                // In case of an error ignore rest of the cue.\n                self.cue = null;\n                self.state = \"BADCUE\";\n                continue;\n              }\n              self.state = \"CUETEXT\";\n              continue;\n            case \"CUETEXT\":\n              var hasSubstring = line.indexOf(\"-->\") !== -1;\n              // 34 - If we have an empty line then report the cue.\n              // 35 - If we have the special substring '-->' then report the cue,\n              // but do not collect the line as we need to process the current\n              // one as a new cue.\n              if (!line || hasSubstring && (alreadyCollectedLine = true)) {\n                // We are done parsing self cue.\n                self.oncue && self.oncue(self.cue);\n                self.cue = null;\n                self.state = \"ID\";\n                continue;\n              }\n              if (self.cue.text) {\n                self.cue.text += \"\\n\";\n              }\n              self.cue.text += line.replace(/\\u2028/g, '\\n').replace(/u2029/g, '\\n');\n              continue;\n            case \"BADCUE\":\n              // BADCUE\n              // 54-62 - Collect and discard the remaining cue.\n              if (!line) {\n                self.state = \"ID\";\n              }\n              continue;\n          }\n        }\n      } catch (e) {\n        self.reportOrThrowError(e);\n\n        // If we are currently parsing a cue, report what we have.\n        if (self.state === \"CUETEXT\" && self.cue && self.oncue) {\n          self.oncue(self.cue);\n        }\n        self.cue = null;\n        // Enter BADWEBVTT state if header was not parsed correctly otherwise\n        // another exception occurred so enter BADCUE state.\n        self.state = self.state === \"INITIAL\" ? \"BADWEBVTT\" : \"BADCUE\";\n      }\n      return this;\n    },\n    flush: function () {\n      var self = this;\n      try {\n        // Finish decoding the stream.\n        self.buffer += self.decoder.decode();\n        // Synthesize the end of the current cue or region.\n        if (self.cue || self.state === \"HEADER\") {\n          self.buffer += \"\\n\\n\";\n          self.parse();\n        }\n        // If we've flushed, parsed, and we're still on the INITIAL state then\n        // that means we don't have enough of the stream to parse the first\n        // line.\n        if (self.state === \"INITIAL\") {\n          throw new ParsingError(ParsingError.Errors.BadSignature);\n        }\n      } catch (e) {\n        self.reportOrThrowError(e);\n      }\n      self.onflush && self.onflush();\n      return this;\n    }\n  };\n  var vtt = WebVTT$1;\n\n  /**\n   * Copyright 2013 vtt.js Contributors\n   *\n   * Licensed under the Apache License, Version 2.0 (the \"License\");\n   * you may not use this file except in compliance with the License.\n   * You may obtain a copy of the License at\n   *\n   *   http://www.apache.org/licenses/LICENSE-2.0\n   *\n   * Unless required by applicable law or agreed to in writing, software\n   * distributed under the License is distributed on an \"AS IS\" BASIS,\n   * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n   * See the License for the specific language governing permissions and\n   * limitations under the License.\n   */\n\n  var autoKeyword = \"auto\";\n  var directionSetting = {\n    \"\": 1,\n    \"lr\": 1,\n    \"rl\": 1\n  };\n  var alignSetting = {\n    \"start\": 1,\n    \"center\": 1,\n    \"end\": 1,\n    \"left\": 1,\n    \"right\": 1,\n    \"auto\": 1,\n    \"line-left\": 1,\n    \"line-right\": 1\n  };\n  function findDirectionSetting(value) {\n    if (typeof value !== \"string\") {\n      return false;\n    }\n    var dir = directionSetting[value.toLowerCase()];\n    return dir ? value.toLowerCase() : false;\n  }\n  function findAlignSetting(value) {\n    if (typeof value !== \"string\") {\n      return false;\n    }\n    var align = alignSetting[value.toLowerCase()];\n    return align ? value.toLowerCase() : false;\n  }\n  function VTTCue(startTime, endTime, text) {\n    /**\n     * Shim implementation specific properties. These properties are not in\n     * the spec.\n     */\n\n    // Lets us know when the VTTCue's data has changed in such a way that we need\n    // to recompute its display state. This lets us compute its display state\n    // lazily.\n    this.hasBeenReset = false;\n\n    /**\n     * VTTCue and TextTrackCue properties\n     * http://dev.w3.org/html5/webvtt/#vttcue-interface\n     */\n\n    var _id = \"\";\n    var _pauseOnExit = false;\n    var _startTime = startTime;\n    var _endTime = endTime;\n    var _text = text;\n    var _region = null;\n    var _vertical = \"\";\n    var _snapToLines = true;\n    var _line = \"auto\";\n    var _lineAlign = \"start\";\n    var _position = \"auto\";\n    var _positionAlign = \"auto\";\n    var _size = 100;\n    var _align = \"center\";\n    Object.defineProperties(this, {\n      \"id\": {\n        enumerable: true,\n        get: function () {\n          return _id;\n        },\n        set: function (value) {\n          _id = \"\" + value;\n        }\n      },\n      \"pauseOnExit\": {\n        enumerable: true,\n        get: function () {\n          return _pauseOnExit;\n        },\n        set: function (value) {\n          _pauseOnExit = !!value;\n        }\n      },\n      \"startTime\": {\n        enumerable: true,\n        get: function () {\n          return _startTime;\n        },\n        set: function (value) {\n          if (typeof value !== \"number\") {\n            throw new TypeError(\"Start time must be set to a number.\");\n          }\n          _startTime = value;\n          this.hasBeenReset = true;\n        }\n      },\n      \"endTime\": {\n        enumerable: true,\n        get: function () {\n          return _endTime;\n        },\n        set: function (value) {\n          if (typeof value !== \"number\") {\n            throw new TypeError(\"End time must be set to a number.\");\n          }\n          _endTime = value;\n          this.hasBeenReset = true;\n        }\n      },\n      \"text\": {\n        enumerable: true,\n        get: function () {\n          return _text;\n        },\n        set: function (value) {\n          _text = \"\" + value;\n          this.hasBeenReset = true;\n        }\n      },\n      \"region\": {\n        enumerable: true,\n        get: function () {\n          return _region;\n        },\n        set: function (value) {\n          _region = value;\n          this.hasBeenReset = true;\n        }\n      },\n      \"vertical\": {\n        enumerable: true,\n        get: function () {\n          return _vertical;\n        },\n        set: function (value) {\n          var setting = findDirectionSetting(value);\n          // Have to check for false because the setting an be an empty string.\n          if (setting === false) {\n            throw new SyntaxError(\"Vertical: an invalid or illegal direction string was specified.\");\n          }\n          _vertical = setting;\n          this.hasBeenReset = true;\n        }\n      },\n      \"snapToLines\": {\n        enumerable: true,\n        get: function () {\n          return _snapToLines;\n        },\n        set: function (value) {\n          _snapToLines = !!value;\n          this.hasBeenReset = true;\n        }\n      },\n      \"line\": {\n        enumerable: true,\n        get: function () {\n          return _line;\n        },\n        set: function (value) {\n          if (typeof value !== \"number\" && value !== autoKeyword) {\n            throw new SyntaxError(\"Line: an invalid number or illegal string was specified.\");\n          }\n          _line = value;\n          this.hasBeenReset = true;\n        }\n      },\n      \"lineAlign\": {\n        enumerable: true,\n        get: function () {\n          return _lineAlign;\n        },\n        set: function (value) {\n          var setting = findAlignSetting(value);\n          if (!setting) {\n            console.warn(\"lineAlign: an invalid or illegal string was specified.\");\n          } else {\n            _lineAlign = setting;\n            this.hasBeenReset = true;\n          }\n        }\n      },\n      \"position\": {\n        enumerable: true,\n        get: function () {\n          return _position;\n        },\n        set: function (value) {\n          if (value < 0 || value > 100) {\n            throw new Error(\"Position must be between 0 and 100.\");\n          }\n          _position = value;\n          this.hasBeenReset = true;\n        }\n      },\n      \"positionAlign\": {\n        enumerable: true,\n        get: function () {\n          return _positionAlign;\n        },\n        set: function (value) {\n          var setting = findAlignSetting(value);\n          if (!setting) {\n            console.warn(\"positionAlign: an invalid or illegal string was specified.\");\n          } else {\n            _positionAlign = setting;\n            this.hasBeenReset = true;\n          }\n        }\n      },\n      \"size\": {\n        enumerable: true,\n        get: function () {\n          return _size;\n        },\n        set: function (value) {\n          if (value < 0 || value > 100) {\n            throw new Error(\"Size must be between 0 and 100.\");\n          }\n          _size = value;\n          this.hasBeenReset = true;\n        }\n      },\n      \"align\": {\n        enumerable: true,\n        get: function () {\n          return _align;\n        },\n        set: function (value) {\n          var setting = findAlignSetting(value);\n          if (!setting) {\n            throw new SyntaxError(\"align: an invalid or illegal alignment string was specified.\");\n          }\n          _align = setting;\n          this.hasBeenReset = true;\n        }\n      }\n    });\n\n    /**\n     * Other <track> spec defined properties\n     */\n\n    // http://www.whatwg.org/specs/web-apps/current-work/multipage/the-video-element.html#text-track-cue-display-state\n    this.displayState = undefined;\n  }\n\n  /**\n   * VTTCue methods\n   */\n\n  VTTCue.prototype.getCueAsHTML = function () {\n    // Assume WebVTT.convertCueToDOMTree is on the global.\n    return WebVTT.convertCueToDOMTree(window, this.text);\n  };\n  var vttcue = VTTCue;\n\n  /**\n   * Copyright 2013 vtt.js Contributors\n   *\n   * Licensed under the Apache License, Version 2.0 (the \"License\");\n   * you may not use this file except in compliance with the License.\n   * You may obtain a copy of the License at\n   *\n   *   http://www.apache.org/licenses/LICENSE-2.0\n   *\n   * Unless required by applicable law or agreed to in writing, software\n   * distributed under the License is distributed on an \"AS IS\" BASIS,\n   * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n   * See the License for the specific language governing permissions and\n   * limitations under the License.\n   */\n\n  var scrollSetting = {\n    \"\": true,\n    \"up\": true\n  };\n  function findScrollSetting(value) {\n    if (typeof value !== \"string\") {\n      return false;\n    }\n    var scroll = scrollSetting[value.toLowerCase()];\n    return scroll ? value.toLowerCase() : false;\n  }\n  function isValidPercentValue(value) {\n    return typeof value === \"number\" && value >= 0 && value <= 100;\n  }\n\n  // VTTRegion shim http://dev.w3.org/html5/webvtt/#vttregion-interface\n  function VTTRegion() {\n    var _width = 100;\n    var _lines = 3;\n    var _regionAnchorX = 0;\n    var _regionAnchorY = 100;\n    var _viewportAnchorX = 0;\n    var _viewportAnchorY = 100;\n    var _scroll = \"\";\n    Object.defineProperties(this, {\n      \"width\": {\n        enumerable: true,\n        get: function () {\n          return _width;\n        },\n        set: function (value) {\n          if (!isValidPercentValue(value)) {\n            throw new Error(\"Width must be between 0 and 100.\");\n          }\n          _width = value;\n        }\n      },\n      \"lines\": {\n        enumerable: true,\n        get: function () {\n          return _lines;\n        },\n        set: function (value) {\n          if (typeof value !== \"number\") {\n            throw new TypeError(\"Lines must be set to a number.\");\n          }\n          _lines = value;\n        }\n      },\n      \"regionAnchorY\": {\n        enumerable: true,\n        get: function () {\n          return _regionAnchorY;\n        },\n        set: function (value) {\n          if (!isValidPercentValue(value)) {\n            throw new Error(\"RegionAnchorX must be between 0 and 100.\");\n          }\n          _regionAnchorY = value;\n        }\n      },\n      \"regionAnchorX\": {\n        enumerable: true,\n        get: function () {\n          return _regionAnchorX;\n        },\n        set: function (value) {\n          if (!isValidPercentValue(value)) {\n            throw new Error(\"RegionAnchorY must be between 0 and 100.\");\n          }\n          _regionAnchorX = value;\n        }\n      },\n      \"viewportAnchorY\": {\n        enumerable: true,\n        get: function () {\n          return _viewportAnchorY;\n        },\n        set: function (value) {\n          if (!isValidPercentValue(value)) {\n            throw new Error(\"ViewportAnchorY must be between 0 and 100.\");\n          }\n          _viewportAnchorY = value;\n        }\n      },\n      \"viewportAnchorX\": {\n        enumerable: true,\n        get: function () {\n          return _viewportAnchorX;\n        },\n        set: function (value) {\n          if (!isValidPercentValue(value)) {\n            throw new Error(\"ViewportAnchorX must be between 0 and 100.\");\n          }\n          _viewportAnchorX = value;\n        }\n      },\n      \"scroll\": {\n        enumerable: true,\n        get: function () {\n          return _scroll;\n        },\n        set: function (value) {\n          var setting = findScrollSetting(value);\n          // Have to check for false as an empty string is a legal value.\n          if (setting === false) {\n            console.warn(\"Scroll: an invalid or illegal string was specified.\");\n          } else {\n            _scroll = setting;\n          }\n        }\n      }\n    });\n  }\n  var vttregion = VTTRegion;\n\n  var browserIndex = createCommonjsModule(function (module) {\n    /**\n     * Copyright 2013 vtt.js Contributors\n     *\n     * Licensed under the Apache License, Version 2.0 (the \"License\");\n     * you may not use this file except in compliance with the License.\n     * You may obtain a copy of the License at\n     *\n     *   http://www.apache.org/licenses/LICENSE-2.0\n     *\n     * Unless required by applicable law or agreed to in writing, software\n     * distributed under the License is distributed on an \"AS IS\" BASIS,\n     * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n     * See the License for the specific language governing permissions and\n     * limitations under the License.\n     */\n\n    // Default exports for Node. Export the extended versions of VTTCue and\n    // VTTRegion in Node since we likely want the capability to convert back and\n    // forth between JSON. If we don't then it's not that big of a deal since we're\n    // off browser.\n\n    var vttjs = module.exports = {\n      WebVTT: vtt,\n      VTTCue: vttcue,\n      VTTRegion: vttregion\n    };\n    window_1.vttjs = vttjs;\n    window_1.WebVTT = vttjs.WebVTT;\n    var cueShim = vttjs.VTTCue;\n    var regionShim = vttjs.VTTRegion;\n    var nativeVTTCue = window_1.VTTCue;\n    var nativeVTTRegion = window_1.VTTRegion;\n    vttjs.shim = function () {\n      window_1.VTTCue = cueShim;\n      window_1.VTTRegion = regionShim;\n    };\n    vttjs.restore = function () {\n      window_1.VTTCue = nativeVTTCue;\n      window_1.VTTRegion = nativeVTTRegion;\n    };\n    if (!window_1.VTTCue) {\n      vttjs.shim();\n    }\n  });\n  browserIndex.WebVTT;\n  browserIndex.VTTCue;\n  browserIndex.VTTRegion;\n\n  /**\n   * @file tech.js\n   */\n\n  /** @import { TimeRange } from '../utils/time' */\n\n  /**\n   * An Object containing a structure like: `{src: 'url', type: 'mimetype'}` or string\n   * that just contains the src url alone.\n   * * `var SourceObject = {src: 'http://ex.com/video.mp4', type: 'video/mp4'};`\n     * `var SourceString = 'http://example.com/some-video.mp4';`\n   *\n   * @typedef {Object|string} SourceObject\n   *\n   * @property {string} src\n   *           The url to the source\n   *\n   * @property {string} type\n   *           The mime type of the source\n   */\n\n  /**\n   * A function used by {@link Tech} to create a new {@link TextTrack}.\n   *\n   * @private\n   *\n   * @param {Tech} self\n   *        An instance of the Tech class.\n   *\n   * @param {string} kind\n   *        `TextTrack` kind (subtitles, captions, descriptions, chapters, or metadata)\n   *\n   * @param {string} [label]\n   *        Label to identify the text track\n   *\n   * @param {string} [language]\n   *        Two letter language abbreviation\n   *\n   * @param {Object} [options={}]\n   *        An object with additional text track options\n   *\n   * @return {TextTrack}\n   *          The text track that was created.\n   */\n  function createTrackHelper(self, kind, label, language, options = {}) {\n    const tracks = self.textTracks();\n    options.kind = kind;\n    if (label) {\n      options.label = label;\n    }\n    if (language) {\n      options.language = language;\n    }\n    options.tech = self;\n    const track = new ALL.text.TrackClass(options);\n    tracks.addTrack(track);\n    return track;\n  }\n\n  /**\n   * This is the base class for media playback technology controllers, such as\n   * {@link HTML5}\n   *\n   * @extends Component\n   */\n  class Tech extends Component$1 {\n    /**\n    * Create an instance of this Tech.\n    *\n    * @param {Object} [options]\n    *        The key/value store of player options.\n    *\n    * @param {Function} [ready]\n    *        Callback function to call when the `HTML5` Tech is ready.\n    */\n    constructor(options = {}, ready = function () {}) {\n      // we don't want the tech to report user activity automatically.\n      // This is done manually in addControlsListeners\n      options.reportTouchActivity = false;\n      super(null, options, ready);\n      this.onDurationChange_ = e => this.onDurationChange(e);\n      this.trackProgress_ = e => this.trackProgress(e);\n      this.trackCurrentTime_ = e => this.trackCurrentTime(e);\n      this.stopTrackingCurrentTime_ = e => this.stopTrackingCurrentTime(e);\n      this.disposeSourceHandler_ = e => this.disposeSourceHandler(e);\n      this.queuedHanders_ = new Set();\n\n      // keep track of whether the current source has played at all to\n      // implement a very limited played()\n      this.hasStarted_ = false;\n      this.on('playing', function () {\n        this.hasStarted_ = true;\n      });\n      this.on('loadstart', function () {\n        this.hasStarted_ = false;\n      });\n      ALL.names.forEach(name => {\n        const props = ALL[name];\n        if (options && options[props.getterName]) {\n          this[props.privateName] = options[props.getterName];\n        }\n      });\n\n      // Manually track progress in cases where the browser/tech doesn't report it.\n      if (!this.featuresProgressEvents) {\n        this.manualProgressOn();\n      }\n\n      // Manually track timeupdates in cases where the browser/tech doesn't report it.\n      if (!this.featuresTimeupdateEvents) {\n        this.manualTimeUpdatesOn();\n      }\n      ['Text', 'Audio', 'Video'].forEach(track => {\n        if (options[`native${track}Tracks`] === false) {\n          this[`featuresNative${track}Tracks`] = false;\n        }\n      });\n      if (options.nativeCaptions === false || options.nativeTextTracks === false) {\n        this.featuresNativeTextTracks = false;\n      } else if (options.nativeCaptions === true || options.nativeTextTracks === true) {\n        this.featuresNativeTextTracks = true;\n      }\n      if (!this.featuresNativeTextTracks) {\n        this.emulateTextTracks();\n      }\n      this.preloadTextTracks = options.preloadTextTracks !== false;\n      this.autoRemoteTextTracks_ = new ALL.text.ListClass();\n      this.initTrackListeners();\n\n      // Turn on component tap events only if not using native controls\n      if (!options.nativeControlsForTouch) {\n        this.emitTapEvents();\n      }\n      if (this.constructor) {\n        this.name_ = this.constructor.name || 'Unknown Tech';\n      }\n    }\n\n    /**\n     * A special function to trigger source set in a way that will allow player\n     * to re-trigger if the player or tech are not ready yet.\n     *\n     * @fires Tech#sourceset\n     * @param {string} src The source string at the time of the source changing.\n     */\n    triggerSourceset(src) {\n      if (!this.isReady_) {\n        // on initial ready we have to trigger source set\n        // 1ms after ready so that player can watch for it.\n        this.one('ready', () => this.setTimeout(() => this.triggerSourceset(src), 1));\n      }\n\n      /**\n       * Fired when the source is set on the tech causing the media element\n       * to reload.\n       *\n       * @see {@link Player#event:sourceset}\n       * @event Tech#sourceset\n       * @type {Event}\n       */\n      this.trigger({\n        src,\n        type: 'sourceset'\n      });\n    }\n\n    /* Fallbacks for unsupported event types\n    ================================================================================ */\n\n    /**\n     * Polyfill the `progress` event for browsers that don't support it natively.\n     *\n     * @see {@link Tech#trackProgress}\n     */\n    manualProgressOn() {\n      this.on('durationchange', this.onDurationChange_);\n      this.manualProgress = true;\n\n      // Trigger progress watching when a source begins loading\n      this.one('ready', this.trackProgress_);\n    }\n\n    /**\n     * Turn off the polyfill for `progress` events that was created in\n     * {@link Tech#manualProgressOn}\n     */\n    manualProgressOff() {\n      this.manualProgress = false;\n      this.stopTrackingProgress();\n      this.off('durationchange', this.onDurationChange_);\n    }\n\n    /**\n     * This is used to trigger a `progress` event when the buffered percent changes. It\n     * sets an interval function that will be called every 500 milliseconds to check if the\n     * buffer end percent has changed.\n     *\n     * > This function is called by {@link Tech#manualProgressOn}\n     *\n     * @param {Event} event\n     *        The `ready` event that caused this to run.\n     *\n     * @listens Tech#ready\n     * @fires Tech#progress\n     */\n    trackProgress(event) {\n      this.stopTrackingProgress();\n      this.progressInterval = this.setInterval(bind_(this, function () {\n        // Don't trigger unless buffered amount is greater than last time\n\n        const numBufferedPercent = this.bufferedPercent();\n        if (this.bufferedPercent_ !== numBufferedPercent) {\n          /**\n           * See {@link Player#progress}\n           *\n           * @event Tech#progress\n           * @type {Event}\n           */\n          this.trigger('progress');\n        }\n        this.bufferedPercent_ = numBufferedPercent;\n        if (numBufferedPercent === 1) {\n          this.stopTrackingProgress();\n        }\n      }), 500);\n    }\n\n    /**\n     * Update our internal duration on a `durationchange` event by calling\n     * {@link Tech#duration}.\n     *\n     * @param {Event} event\n     *        The `durationchange` event that caused this to run.\n     *\n     * @listens Tech#durationchange\n     */\n    onDurationChange(event) {\n      this.duration_ = this.duration();\n    }\n\n    /**\n     * Get and create a `TimeRange` object for buffering.\n     *\n     * @return {TimeRange}\n     *         The time range object that was created.\n     */\n    buffered() {\n      return createTimeRanges$1(0, 0);\n    }\n\n    /**\n     * Get the percentage of the current video that is currently buffered.\n     *\n     * @return {number}\n     *         A number from 0 to 1 that represents the decimal percentage of the\n     *         video that is buffered.\n     *\n     */\n    bufferedPercent() {\n      return bufferedPercent(this.buffered(), this.duration_);\n    }\n\n    /**\n     * Turn off the polyfill for `progress` events that was created in\n     * {@link Tech#manualProgressOn}\n     * Stop manually tracking progress events by clearing the interval that was set in\n     * {@link Tech#trackProgress}.\n     */\n    stopTrackingProgress() {\n      this.clearInterval(this.progressInterval);\n    }\n\n    /**\n     * Polyfill the `timeupdate` event for browsers that don't support it.\n     *\n     * @see {@link Tech#trackCurrentTime}\n     */\n    manualTimeUpdatesOn() {\n      this.manualTimeUpdates = true;\n      this.on('play', this.trackCurrentTime_);\n      this.on('pause', this.stopTrackingCurrentTime_);\n    }\n\n    /**\n     * Turn off the polyfill for `timeupdate` events that was created in\n     * {@link Tech#manualTimeUpdatesOn}\n     */\n    manualTimeUpdatesOff() {\n      this.manualTimeUpdates = false;\n      this.stopTrackingCurrentTime();\n      this.off('play', this.trackCurrentTime_);\n      this.off('pause', this.stopTrackingCurrentTime_);\n    }\n\n    /**\n     * Sets up an interval function to track current time and trigger `timeupdate` every\n     * 250 milliseconds.\n     *\n     * @listens Tech#play\n     * @triggers Tech#timeupdate\n     */\n    trackCurrentTime() {\n      if (this.currentTimeInterval) {\n        this.stopTrackingCurrentTime();\n      }\n      this.currentTimeInterval = this.setInterval(function () {\n        /**\n         * Triggered at an interval of 250ms to indicated that time is passing in the video.\n         *\n         * @event Tech#timeupdate\n         * @type {Event}\n         */\n        this.trigger({\n          type: 'timeupdate',\n          target: this,\n          manuallyTriggered: true\n        });\n\n        // 42 = 24 fps // 250 is what Webkit uses // FF uses 15\n      }, 250);\n    }\n\n    /**\n     * Stop the interval function created in {@link Tech#trackCurrentTime} so that the\n     * `timeupdate` event is no longer triggered.\n     *\n     * @listens {Tech#pause}\n     */\n    stopTrackingCurrentTime() {\n      this.clearInterval(this.currentTimeInterval);\n\n      // #1002 - if the video ends right before the next timeupdate would happen,\n      // the progress bar won't make it all the way to the end\n      this.trigger({\n        type: 'timeupdate',\n        target: this,\n        manuallyTriggered: true\n      });\n    }\n\n    /**\n     * Turn off all event polyfills, clear the `Tech`s {@link AudioTrackList},\n     * {@link VideoTrackList}, and {@link TextTrackList}, and dispose of this Tech.\n     *\n     * @fires Component#dispose\n     */\n    dispose() {\n      // clear out all tracks because we can't reuse them between techs\n      this.clearTracks(NORMAL.names);\n\n      // Turn off any manual progress or timeupdate tracking\n      if (this.manualProgress) {\n        this.manualProgressOff();\n      }\n      if (this.manualTimeUpdates) {\n        this.manualTimeUpdatesOff();\n      }\n      super.dispose();\n    }\n\n    /**\n     * Clear out a single `TrackList` or an array of `TrackLists` given their names.\n     *\n     * > Note: Techs without source handlers should call this between sources for `video`\n     *         & `audio` tracks. You don't want to use them between tracks!\n     *\n     * @param {string[]|string} types\n     *        TrackList names to clear, valid names are `video`, `audio`, and\n     *        `text`.\n     */\n    clearTracks(types) {\n      types = [].concat(types);\n      // clear out all tracks because we can't reuse them between techs\n      types.forEach(type => {\n        const list = this[`${type}Tracks`]() || [];\n        let i = list.length;\n        while (i--) {\n          const track = list[i];\n          if (type === 'text') {\n            this.removeRemoteTextTrack(track);\n          }\n          list.removeTrack(track);\n        }\n      });\n    }\n\n    /**\n     * Remove any TextTracks added via addRemoteTextTrack that are\n     * flagged for automatic garbage collection\n     */\n    cleanupAutoTextTracks() {\n      const list = this.autoRemoteTextTracks_ || [];\n      let i = list.length;\n      while (i--) {\n        const track = list[i];\n        this.removeRemoteTextTrack(track);\n      }\n    }\n\n    /**\n     * Reset the tech, which will removes all sources and reset the internal readyState.\n     *\n     * @abstract\n     */\n    reset() {}\n\n    /**\n     * Get the value of `crossOrigin` from the tech.\n     *\n     * @abstract\n     *\n     * @see {Html5#crossOrigin}\n     */\n    crossOrigin() {}\n\n    /**\n     * Set the value of `crossOrigin` on the tech.\n     *\n     * @abstract\n     *\n     * @param {string} crossOrigin the crossOrigin value\n     * @see {Html5#setCrossOrigin}\n     */\n    setCrossOrigin() {}\n\n    /**\n     * Get or set an error on the Tech.\n     *\n     * @param {MediaError} [err]\n     *        Error to set on the Tech\n     *\n     * @return {MediaError|null}\n     *         The current error object on the tech, or null if there isn't one.\n     */\n    error(err) {\n      if (err !== undefined) {\n        this.error_ = new MediaError(err);\n        this.trigger('error');\n      }\n      return this.error_;\n    }\n\n    /**\n     * Returns the `TimeRange`s that have been played through for the current source.\n     *\n     * > NOTE: This implementation is incomplete. It does not track the played `TimeRange`.\n     *         It only checks whether the source has played at all or not.\n     *\n     * @return {TimeRange}\n     *         - A single time range if this video has played\n     *         - An empty set of ranges if not.\n     */\n    played() {\n      if (this.hasStarted_) {\n        return createTimeRanges$1(0, 0);\n      }\n      return createTimeRanges$1();\n    }\n\n    /**\n     * Start playback\n     *\n     * @abstract\n     *\n     * @see {Html5#play}\n     */\n    play() {}\n\n    /**\n     * Set whether we are scrubbing or not\n     *\n     * @abstract\n     * @param {boolean} _isScrubbing\n     *                  - true for we are currently scrubbing\n     *                  - false for we are no longer scrubbing\n     *\n     * @see {Html5#setScrubbing}\n     */\n    setScrubbing(_isScrubbing) {}\n\n    /**\n     * Get whether we are scrubbing or not\n     *\n     * @abstract\n     *\n     * @see {Html5#scrubbing}\n     */\n    scrubbing() {}\n\n    /**\n     * Causes a manual time update to occur if {@link Tech#manualTimeUpdatesOn} was\n     * previously called.\n     *\n     * @param {number} _seconds\n     *        Set the current time of the media to this.\n     * @fires Tech#timeupdate\n     */\n    setCurrentTime(_seconds) {\n      // improve the accuracy of manual timeupdates\n      if (this.manualTimeUpdates) {\n        /**\n         * A manual `timeupdate` event.\n         *\n         * @event Tech#timeupdate\n         * @type {Event}\n         */\n        this.trigger({\n          type: 'timeupdate',\n          target: this,\n          manuallyTriggered: true\n        });\n      }\n    }\n\n    /**\n     * Turn on listeners for {@link VideoTrackList}, {@link {AudioTrackList}, and\n     * {@link TextTrackList} events.\n     *\n     * This adds {@link EventTarget~EventListeners} for `addtrack`, and  `removetrack`.\n     *\n     * @fires Tech#audiotrackchange\n     * @fires Tech#videotrackchange\n     * @fires Tech#texttrackchange\n     */\n    initTrackListeners() {\n      /**\n        * Triggered when tracks are added or removed on the Tech {@link AudioTrackList}\n        *\n        * @event Tech#audiotrackchange\n        * @type {Event}\n        */\n\n      /**\n        * Triggered when tracks are added or removed on the Tech {@link VideoTrackList}\n        *\n        * @event Tech#videotrackchange\n        * @type {Event}\n        */\n\n      /**\n        * Triggered when tracks are added or removed on the Tech {@link TextTrackList}\n        *\n        * @event Tech#texttrackchange\n        * @type {Event}\n        */\n      NORMAL.names.forEach(name => {\n        const props = NORMAL[name];\n        const trackListChanges = () => {\n          this.trigger(`${name}trackchange`);\n        };\n        const tracks = this[props.getterName]();\n        tracks.addEventListener('removetrack', trackListChanges);\n        tracks.addEventListener('addtrack', trackListChanges);\n        this.on('dispose', () => {\n          tracks.removeEventListener('removetrack', trackListChanges);\n          tracks.removeEventListener('addtrack', trackListChanges);\n        });\n      });\n    }\n\n    /**\n     * Emulate TextTracks using vtt.js if necessary\n     *\n     * @fires Tech#vttjsloaded\n     * @fires Tech#vttjserror\n     */\n    addWebVttScript_() {\n      if (window.WebVTT) {\n        return;\n      }\n\n      // Initially, Tech.el_ is a child of a dummy-div wait until the Component system\n      // signals that the Tech is ready at which point Tech.el_ is part of the DOM\n      // before inserting the WebVTT script\n      if (document.body.contains(this.el())) {\n        // load via require if available and vtt.js script location was not passed in\n        // as an option. novtt builds will turn the above require call into an empty object\n        // which will cause this if check to always fail.\n        if (!this.options_['vtt.js'] && isPlain(browserIndex) && Object.keys(browserIndex).length > 0) {\n          this.trigger('vttjsloaded');\n          return;\n        }\n\n        // load vtt.js via the script location option or the cdn of no location was\n        // passed in\n        const script = document.createElement('script');\n        script.src = this.options_['vtt.js'] || 'https://vjs.zencdn.net/vttjs/0.14.1/vtt.min.js';\n        script.onload = () => {\n          /**\n           * Fired when vtt.js is loaded.\n           *\n           * @event Tech#vttjsloaded\n           * @type {Event}\n           */\n          this.trigger('vttjsloaded');\n        };\n        script.onerror = () => {\n          /**\n           * Fired when vtt.js was not loaded due to an error\n           *\n           * @event Tech#vttjsloaded\n           * @type {Event}\n           */\n          this.trigger('vttjserror');\n        };\n        this.on('dispose', () => {\n          script.onload = null;\n          script.onerror = null;\n        });\n        // but have not loaded yet and we set it to true before the inject so that\n        // we don't overwrite the injected window.WebVTT if it loads right away\n        window.WebVTT = true;\n        this.el().parentNode.appendChild(script);\n      } else {\n        this.ready(this.addWebVttScript_);\n      }\n    }\n\n    /**\n     * Emulate texttracks\n     *\n     */\n    emulateTextTracks() {\n      const tracks = this.textTracks();\n      const remoteTracks = this.remoteTextTracks();\n      const handleAddTrack = e => tracks.addTrack(e.track);\n      const handleRemoveTrack = e => tracks.removeTrack(e.track);\n      remoteTracks.on('addtrack', handleAddTrack);\n      remoteTracks.on('removetrack', handleRemoveTrack);\n      this.addWebVttScript_();\n      const updateDisplay = () => this.trigger('texttrackchange');\n      const textTracksChanges = () => {\n        updateDisplay();\n        for (let i = 0; i < tracks.length; i++) {\n          const track = tracks[i];\n          track.removeEventListener('cuechange', updateDisplay);\n          if (track.mode === 'showing') {\n            track.addEventListener('cuechange', updateDisplay);\n          }\n        }\n      };\n      textTracksChanges();\n      tracks.addEventListener('change', textTracksChanges);\n      tracks.addEventListener('addtrack', textTracksChanges);\n      tracks.addEventListener('removetrack', textTracksChanges);\n      this.on('dispose', function () {\n        remoteTracks.off('addtrack', handleAddTrack);\n        remoteTracks.off('removetrack', handleRemoveTrack);\n        tracks.removeEventListener('change', textTracksChanges);\n        tracks.removeEventListener('addtrack', textTracksChanges);\n        tracks.removeEventListener('removetrack', textTracksChanges);\n        for (let i = 0; i < tracks.length; i++) {\n          const track = tracks[i];\n          track.removeEventListener('cuechange', updateDisplay);\n        }\n      });\n    }\n\n    /**\n     * Create and returns a remote {@link TextTrack} object.\n     *\n     * @param {string} kind\n     *        `TextTrack` kind (subtitles, captions, descriptions, chapters, or metadata)\n     *\n     * @param {string} [label]\n     *        Label to identify the text track\n     *\n     * @param {string} [language]\n     *        Two letter language abbreviation\n     *\n     * @return {TextTrack}\n     *         The TextTrack that gets created.\n     */\n    addTextTrack(kind, label, language) {\n      if (!kind) {\n        throw new Error('TextTrack kind is required but was not provided');\n      }\n      return createTrackHelper(this, kind, label, language);\n    }\n\n    /**\n     * Create an emulated TextTrack for use by addRemoteTextTrack\n     *\n     * This is intended to be overridden by classes that inherit from\n     * Tech in order to create native or custom TextTracks.\n     *\n     * @param {Object} options\n     *        The object should contain the options to initialize the TextTrack with.\n     *\n     * @param {string} [options.kind]\n     *        `TextTrack` kind (subtitles, captions, descriptions, chapters, or metadata).\n     *\n     * @param {string} [options.label].\n     *        Label to identify the text track\n     *\n     * @param {string} [options.language]\n     *        Two letter language abbreviation.\n     *\n     * @return {HTMLTrackElement}\n     *         The track element that gets created.\n     */\n    createRemoteTextTrack(options) {\n      const track = merge$2(options, {\n        tech: this\n      });\n      return new REMOTE.remoteTextEl.TrackClass(track);\n    }\n\n    /**\n     * Creates a remote text track object and returns an html track element.\n     *\n     * > Note: This can be an emulated {@link HTMLTrackElement} or a native one.\n     *\n     * @param {Object} options\n     *        See {@link Tech#createRemoteTextTrack} for more detailed properties.\n     *\n     * @param {boolean} [manualCleanup=false]\n     *        - When false: the TextTrack will be automatically removed from the video\n     *          element whenever the source changes\n     *        - When True: The TextTrack will have to be cleaned up manually\n     *\n     * @return {HTMLTrackElement}\n     *         An Html Track Element.\n     *\n     */\n    addRemoteTextTrack(options = {}, manualCleanup) {\n      const htmlTrackElement = this.createRemoteTextTrack(options);\n      if (typeof manualCleanup !== 'boolean') {\n        manualCleanup = false;\n      }\n\n      // store HTMLTrackElement and TextTrack to remote list\n      this.remoteTextTrackEls().addTrackElement_(htmlTrackElement);\n      this.remoteTextTracks().addTrack(htmlTrackElement.track);\n      if (manualCleanup === false) {\n        // create the TextTrackList if it doesn't exist\n        this.ready(() => this.autoRemoteTextTracks_.addTrack(htmlTrackElement.track));\n      }\n      return htmlTrackElement;\n    }\n\n    /**\n     * Remove a remote text track from the remote `TextTrackList`.\n     *\n     * @param {TextTrack} track\n     *        `TextTrack` to remove from the `TextTrackList`\n     */\n    removeRemoteTextTrack(track) {\n      const trackElement = this.remoteTextTrackEls().getTrackElementByTrack_(track);\n\n      // remove HTMLTrackElement and TextTrack from remote list\n      this.remoteTextTrackEls().removeTrackElement_(trackElement);\n      this.remoteTextTracks().removeTrack(track);\n      this.autoRemoteTextTracks_.removeTrack(track);\n    }\n\n    /**\n     * Gets available media playback quality metrics as specified by the W3C's Media\n     * Playback Quality API.\n     *\n     * @see [Spec]{@link https://wicg.github.io/media-playback-quality}\n     *\n     * @return {Object}\n     *         An object with supported media playback quality metrics\n     *\n     * @abstract\n     */\n    getVideoPlaybackQuality() {\n      return {};\n    }\n\n    /**\n     * Attempt to create a floating video window always on top of other windows\n     * so that users may continue consuming media while they interact with other\n     * content sites, or applications on their device.\n     *\n     * @see [Spec]{@link https://wicg.github.io/picture-in-picture}\n     *\n     * @return {Promise|undefined}\n     *         A promise with a Picture-in-Picture window if the browser supports\n     *         Promises (or one was passed in as an option). It returns undefined\n     *         otherwise.\n     *\n     * @abstract\n     */\n    requestPictureInPicture() {\n      return Promise.reject();\n    }\n\n    /**\n     * A method to check for the value of the 'disablePictureInPicture' <video> property.\n     * Defaults to true, as it should be considered disabled if the tech does not support pip\n     *\n     * @abstract\n     */\n    disablePictureInPicture() {\n      return true;\n    }\n\n    /**\n     * A method to set or unset the 'disablePictureInPicture' <video> property.\n     *\n     * @abstract\n     */\n    setDisablePictureInPicture() {}\n\n    /**\n     * A fallback implementation of requestVideoFrameCallback using requestAnimationFrame\n     *\n     * @param {function} cb\n     * @return {number} request id\n     */\n    requestVideoFrameCallback(cb) {\n      const id = newGUID();\n      if (!this.isReady_ || this.paused()) {\n        this.queuedHanders_.add(id);\n        this.one('playing', () => {\n          if (this.queuedHanders_.has(id)) {\n            this.queuedHanders_.delete(id);\n            cb();\n          }\n        });\n      } else {\n        this.requestNamedAnimationFrame(id, cb);\n      }\n      return id;\n    }\n\n    /**\n     * A fallback implementation of cancelVideoFrameCallback\n     *\n     * @param {number} id id of callback to be cancelled\n     */\n    cancelVideoFrameCallback(id) {\n      if (this.queuedHanders_.has(id)) {\n        this.queuedHanders_.delete(id);\n      } else {\n        this.cancelNamedAnimationFrame(id);\n      }\n    }\n\n    /**\n     * A method to set a poster from a `Tech`.\n     *\n     * @abstract\n     */\n    setPoster() {}\n\n    /**\n     * A method to check for the presence of the 'playsinline' <video> attribute.\n     *\n     * @abstract\n     */\n    playsinline() {}\n\n    /**\n     * A method to set or unset the 'playsinline' <video> attribute.\n     *\n     * @abstract\n     */\n    setPlaysinline() {}\n\n    /**\n     * Attempt to force override of native audio tracks.\n     *\n     * @param {boolean} override - If set to true native audio will be overridden,\n     * otherwise native audio will potentially be used.\n     *\n     * @abstract\n     */\n    overrideNativeAudioTracks(override) {}\n\n    /**\n     * Attempt to force override of native video tracks.\n     *\n     * @param {boolean} override - If set to true native video will be overridden,\n     * otherwise native video will potentially be used.\n     *\n     * @abstract\n     */\n    overrideNativeVideoTracks(override) {}\n\n    /**\n     * Check if the tech can support the given mime-type.\n     *\n     * The base tech does not support any type, but source handlers might\n     * overwrite this.\n     *\n     * @param  {string} _type\n     *         The mimetype to check for support\n     *\n     * @return {string}\n     *         'probably', 'maybe', or empty string\n     *\n     * @see [Spec]{@link https://developer.mozilla.org/en-US/docs/Web/API/HTMLMediaElement/canPlayType}\n     *\n     * @abstract\n     */\n    canPlayType(_type) {\n      return '';\n    }\n\n    /**\n     * Check if the type is supported by this tech.\n     *\n     * The base tech does not support any type, but source handlers might\n     * overwrite this.\n     *\n     * @param {string} _type\n     *        The media type to check\n     * @return {string} Returns the native video element's response\n     */\n    static canPlayType(_type) {\n      return '';\n    }\n\n    /**\n     * Check if the tech can support the given source\n     *\n     * @param {Object} srcObj\n     *        The source object\n     * @param {Object} options\n     *        The options passed to the tech\n     * @return {string} 'probably', 'maybe', or '' (empty string)\n     */\n    static canPlaySource(srcObj, options) {\n      return Tech.canPlayType(srcObj.type);\n    }\n\n    /*\n     * Return whether the argument is a Tech or not.\n     * Can be passed either a Class like `Html5` or a instance like `player.tech_`\n     *\n     * @param {Object} component\n     *        The item to check\n     *\n     * @return {boolean}\n     *         Whether it is a tech or not\n     *         - True if it is a tech\n     *         - False if it is not\n     */\n    static isTech(component) {\n      return component.prototype instanceof Tech || component instanceof Tech || component === Tech;\n    }\n\n    /**\n     * Registers a `Tech` into a shared list for videojs.\n     *\n     * @param {string} name\n     *        Name of the `Tech` to register.\n     *\n     * @param {Object} tech\n     *        The `Tech` class to register.\n     */\n    static registerTech(name, tech) {\n      if (!Tech.techs_) {\n        Tech.techs_ = {};\n      }\n      if (!Tech.isTech(tech)) {\n        throw new Error(`Tech ${name} must be a Tech`);\n      }\n      if (!Tech.canPlayType) {\n        throw new Error('Techs must have a static canPlayType method on them');\n      }\n      if (!Tech.canPlaySource) {\n        throw new Error('Techs must have a static canPlaySource method on them');\n      }\n      name = toTitleCase$1(name);\n      Tech.techs_[name] = tech;\n      Tech.techs_[toLowerCase(name)] = tech;\n      if (name !== 'Tech') {\n        // camel case the techName for use in techOrder\n        Tech.defaultTechOrder_.push(name);\n      }\n      return tech;\n    }\n\n    /**\n     * Get a `Tech` from the shared list by name.\n     *\n     * @param {string} name\n     *        `camelCase` or `TitleCase` name of the Tech to get\n     *\n     * @return {Tech|undefined}\n     *         The `Tech` or undefined if there was no tech with the name requested.\n     */\n    static getTech(name) {\n      if (!name) {\n        return;\n      }\n      if (Tech.techs_ && Tech.techs_[name]) {\n        return Tech.techs_[name];\n      }\n      name = toTitleCase$1(name);\n      if (window && window.videojs && window.videojs[name]) {\n        log$1.warn(`The ${name} tech was added to the videojs object when it should be registered using videojs.registerTech(name, tech)`);\n        return window.videojs[name];\n      }\n    }\n  }\n\n  /**\n   * Get the {@link VideoTrackList}\n   *\n   * @returns {VideoTrackList}\n   * @method Tech.prototype.videoTracks\n   */\n\n  /**\n   * Get the {@link AudioTrackList}\n   *\n   * @returns {AudioTrackList}\n   * @method Tech.prototype.audioTracks\n   */\n\n  /**\n   * Get the {@link TextTrackList}\n   *\n   * @returns {TextTrackList}\n   * @method Tech.prototype.textTracks\n   */\n\n  /**\n   * Get the remote element {@link TextTrackList}\n   *\n   * @returns {TextTrackList}\n   * @method Tech.prototype.remoteTextTracks\n   */\n\n  /**\n   * Get the remote element {@link HtmlTrackElementList}\n   *\n   * @returns {HtmlTrackElementList}\n   * @method Tech.prototype.remoteTextTrackEls\n   */\n\n  ALL.names.forEach(function (name) {\n    const props = ALL[name];\n    Tech.prototype[props.getterName] = function () {\n      this[props.privateName] = this[props.privateName] || new props.ListClass();\n      return this[props.privateName];\n    };\n  });\n\n  /**\n   * List of associated text tracks\n   *\n   * @type {TextTrackList}\n   * @private\n   * @property Tech#textTracks_\n   */\n\n  /**\n   * List of associated audio tracks.\n   *\n   * @type {AudioTrackList}\n   * @private\n   * @property Tech#audioTracks_\n   */\n\n  /**\n   * List of associated video tracks.\n   *\n   * @type {VideoTrackList}\n   * @private\n   * @property Tech#videoTracks_\n   */\n\n  /**\n   * Boolean indicating whether the `Tech` supports volume control.\n   *\n   * @type {boolean}\n   * @default\n   */\n  Tech.prototype.featuresVolumeControl = true;\n\n  /**\n   * Boolean indicating whether the `Tech` supports muting volume.\n   *\n   * @type {boolean}\n   * @default\n   */\n  Tech.prototype.featuresMuteControl = true;\n\n  /**\n   * Boolean indicating whether the `Tech` supports fullscreen resize control.\n   * Resizing plugins using request fullscreen reloads the plugin\n   *\n   * @type {boolean}\n   * @default\n   */\n  Tech.prototype.featuresFullscreenResize = false;\n\n  /**\n   * Boolean indicating whether the `Tech` supports changing the speed at which the video\n   * plays. Examples:\n   *   - Set player to play 2x (twice) as fast\n   *   - Set player to play 0.5x (half) as fast\n   *\n   * @type {boolean}\n   * @default\n   */\n  Tech.prototype.featuresPlaybackRate = false;\n\n  /**\n   * Boolean indicating whether the `Tech` supports the `progress` event.\n   * This will be used to determine if {@link Tech#manualProgressOn} should be called.\n   *\n   * @type {boolean}\n   * @default\n   */\n  Tech.prototype.featuresProgressEvents = false;\n\n  /**\n   * Boolean indicating whether the `Tech` supports the `sourceset` event.\n   *\n   * A tech should set this to `true` and then use {@link Tech#triggerSourceset}\n   * to trigger a {@link Tech#event:sourceset} at the earliest time after getting\n   * a new source.\n   *\n   * @type {boolean}\n   * @default\n   */\n  Tech.prototype.featuresSourceset = false;\n\n  /**\n   * Boolean indicating whether the `Tech` supports the `timeupdate` event.\n   * This will be used to determine if {@link Tech#manualTimeUpdates} should be called.\n   *\n   * @type {boolean}\n   * @default\n   */\n  Tech.prototype.featuresTimeupdateEvents = false;\n\n  /**\n   * Boolean indicating whether the `Tech` supports the native `TextTrack`s.\n   * This will help us integrate with native `TextTrack`s if the browser supports them.\n   *\n   * @type {boolean}\n   * @default\n   */\n  Tech.prototype.featuresNativeTextTracks = false;\n\n  /**\n   * Boolean indicating whether the `Tech` supports `requestVideoFrameCallback`.\n   *\n   * @type {boolean}\n   * @default\n   */\n  Tech.prototype.featuresVideoFrameCallback = false;\n\n  /**\n   * A functional mixin for techs that want to use the Source Handler pattern.\n   * Source handlers are scripts for handling specific formats.\n   * The source handler pattern is used for adaptive formats (HLS, DASH) that\n   * manually load video data and feed it into a Source Buffer (Media Source Extensions)\n   * Example: `Tech.withSourceHandlers.call(MyTech);`\n   *\n   * @param {Tech} _Tech\n   *        The tech to add source handler functions to.\n   *\n   * @mixes Tech~SourceHandlerAdditions\n   */\n  Tech.withSourceHandlers = function (_Tech) {\n    /**\n     * Register a source handler\n     *\n     * @param {Function} handler\n     *        The source handler class\n     *\n     * @param {number} [index]\n     *        Register it at the following index\n     */\n    _Tech.registerSourceHandler = function (handler, index) {\n      let handlers = _Tech.sourceHandlers;\n      if (!handlers) {\n        handlers = _Tech.sourceHandlers = [];\n      }\n      if (index === undefined) {\n        // add to the end of the list\n        index = handlers.length;\n      }\n      handlers.splice(index, 0, handler);\n    };\n\n    /**\n     * Check if the tech can support the given type. Also checks the\n     * Techs sourceHandlers.\n     *\n     * @param {string} type\n     *         The mimetype to check.\n     *\n     * @return {string}\n     *         'probably', 'maybe', or '' (empty string)\n     */\n    _Tech.canPlayType = function (type) {\n      const handlers = _Tech.sourceHandlers || [];\n      let can;\n      for (let i = 0; i < handlers.length; i++) {\n        can = handlers[i].canPlayType(type);\n        if (can) {\n          return can;\n        }\n      }\n      return '';\n    };\n\n    /**\n     * Returns the first source handler that supports the source.\n     *\n     * TODO: Answer question: should 'probably' be prioritized over 'maybe'\n     *\n     * @param {SourceObject} source\n     *        The source object\n     *\n     * @param {Object} options\n     *        The options passed to the tech\n     *\n     * @return {SourceHandler|null}\n     *          The first source handler that supports the source or null if\n     *          no SourceHandler supports the source\n     */\n    _Tech.selectSourceHandler = function (source, options) {\n      const handlers = _Tech.sourceHandlers || [];\n      let can;\n      for (let i = 0; i < handlers.length; i++) {\n        can = handlers[i].canHandleSource(source, options);\n        if (can) {\n          return handlers[i];\n        }\n      }\n      return null;\n    };\n\n    /**\n     * Check if the tech can support the given source.\n     *\n     * @param {SourceObject} srcObj\n     *        The source object\n     *\n     * @param {Object} options\n     *        The options passed to the tech\n     *\n     * @return {string}\n     *         'probably', 'maybe', or '' (empty string)\n     */\n    _Tech.canPlaySource = function (srcObj, options) {\n      const sh = _Tech.selectSourceHandler(srcObj, options);\n      if (sh) {\n        return sh.canHandleSource(srcObj, options);\n      }\n      return '';\n    };\n\n    /**\n     * When using a source handler, prefer its implementation of\n     * any function normally provided by the tech.\n     */\n    const deferrable = ['seekable', 'seeking', 'duration'];\n\n    /**\n     * A wrapper around {@link Tech#seekable} that will call a `SourceHandler`s seekable\n     * function if it exists, with a fallback to the Techs seekable function.\n     *\n     * @method _Tech.seekable\n     */\n\n    /**\n     * A wrapper around {@link Tech#duration} that will call a `SourceHandler`s duration\n     * function if it exists, otherwise it will fallback to the techs duration function.\n     *\n     * @method _Tech.duration\n     */\n\n    deferrable.forEach(function (fnName) {\n      const originalFn = this[fnName];\n      if (typeof originalFn !== 'function') {\n        return;\n      }\n      this[fnName] = function () {\n        if (this.sourceHandler_ && this.sourceHandler_[fnName]) {\n          return this.sourceHandler_[fnName].apply(this.sourceHandler_, arguments);\n        }\n        return originalFn.apply(this, arguments);\n      };\n    }, _Tech.prototype);\n\n    /**\n     * Create a function for setting the source using a source object\n     * and source handlers.\n     * Should never be called unless a source handler was found.\n     *\n     * @param {SourceObject} source\n     *        A source object with src and type keys\n     */\n    _Tech.prototype.setSource = function (source) {\n      let sh = _Tech.selectSourceHandler(source, this.options_);\n      if (!sh) {\n        // Fall back to a native source handler when unsupported sources are\n        // deliberately set\n        if (_Tech.nativeSourceHandler) {\n          sh = _Tech.nativeSourceHandler;\n        } else {\n          log$1.error('No source handler found for the current source.');\n        }\n      }\n\n      // Dispose any existing source handler\n      this.disposeSourceHandler();\n      this.off('dispose', this.disposeSourceHandler_);\n      if (sh !== _Tech.nativeSourceHandler) {\n        this.currentSource_ = source;\n      }\n      this.sourceHandler_ = sh.handleSource(source, this, this.options_);\n      this.one('dispose', this.disposeSourceHandler_);\n    };\n\n    /**\n     * Clean up any existing SourceHandlers and listeners when the Tech is disposed.\n     *\n     * @listens Tech#dispose\n     */\n    _Tech.prototype.disposeSourceHandler = function () {\n      // if we have a source and get another one\n      // then we are loading something new\n      // than clear all of our current tracks\n      if (this.currentSource_) {\n        this.clearTracks(['audio', 'video']);\n        this.currentSource_ = null;\n      }\n\n      // always clean up auto-text tracks\n      this.cleanupAutoTextTracks();\n      if (this.sourceHandler_) {\n        if (this.sourceHandler_.dispose) {\n          this.sourceHandler_.dispose();\n        }\n        this.sourceHandler_ = null;\n      }\n    };\n  };\n\n  // The base Tech class needs to be registered as a Component. It is the only\n  // Tech that can be registered as a Component.\n  Component$1.registerComponent('Tech', Tech);\n  Tech.registerTech('Tech', Tech);\n\n  /**\n   * A list of techs that should be added to techOrder on Players\n   *\n   * @private\n   */\n  Tech.defaultTechOrder_ = [];\n\n  /**\n   * @file middleware.js\n   * @module middleware\n   */\n\n  /** @import Player from '../player' */\n  /** @import Tech from '../tech/tech' */\n\n  const middlewares = {};\n  const middlewareInstances = {};\n  const TERMINATOR = {};\n\n  /**\n   * A middleware object is a plain JavaScript object that has methods that\n   * match the {@link Tech} methods found in the lists of allowed\n   * {@link module:middleware.allowedGetters|getters},\n   * {@link module:middleware.allowedSetters|setters}, and\n   * {@link module:middleware.allowedMediators|mediators}.\n   *\n   * @typedef {Object} MiddlewareObject\n   */\n\n  /**\n   * A middleware factory function that should return a\n   * {@link module:middleware~MiddlewareObject|MiddlewareObject}.\n   *\n   * This factory will be called for each player when needed, with the player\n   * passed in as an argument.\n   *\n   * @callback MiddlewareFactory\n   * @param {Player} player\n   *        A Video.js player.\n   */\n\n  /**\n   * Define a middleware that the player should use by way of a factory function\n   * that returns a middleware object.\n   *\n   * @param  {string} type\n   *         The MIME type to match or `\"*\"` for all MIME types.\n   *\n   * @param  {MiddlewareFactory} middleware\n   *         A middleware factory function that will be executed for\n   *         matching types.\n   */\n  function use(type, middleware) {\n    middlewares[type] = middlewares[type] || [];\n    middlewares[type].push(middleware);\n  }\n\n  /**\n   * Asynchronously sets a source using middleware by recursing through any\n   * matching middlewares and calling `setSource` on each, passing along the\n   * previous returned value each time.\n   *\n   * @param  {Player} player\n   *         A {@link Player} instance.\n   *\n   * @param  {Tech~SourceObject} src\n   *         A source object.\n   *\n   * @param  {Function}\n   *         The next middleware to run.\n   */\n  function setSource(player, src, next) {\n    player.setTimeout(() => setSourceHelper(src, middlewares[src.type], next, player), 1);\n  }\n\n  /**\n   * When the tech is set, passes the tech to each middleware's `setTech` method.\n   *\n   * @param {Object[]} middleware\n   *        An array of middleware instances.\n   *\n   * @param {Tech} tech\n   *        A Video.js tech.\n   */\n  function setTech(middleware, tech) {\n    middleware.forEach(mw => mw.setTech && mw.setTech(tech));\n  }\n\n  /**\n   * Calls a getter on the tech first, through each middleware\n   * from right to left to the player.\n   *\n   * @param  {Object[]} middleware\n   *         An array of middleware instances.\n   *\n   * @param  {Tech} tech\n   *         The current tech.\n   *\n   * @param  {string} method\n   *         A method name.\n   *\n   * @return {*}\n   *         The final value from the tech after middleware has intercepted it.\n   */\n  function get(middleware, tech, method) {\n    return middleware.reduceRight(middlewareIterator(method), tech[method]());\n  }\n\n  /**\n   * Takes the argument given to the player and calls the setter method on each\n   * middleware from left to right to the tech.\n   *\n   * @param  {Object[]} middleware\n   *         An array of middleware instances.\n   *\n   * @param  {Tech} tech\n   *         The current tech.\n   *\n   * @param  {string} method\n   *         A method name.\n   *\n   * @param  {*} arg\n   *         The value to set on the tech.\n   *\n   * @return {*}\n   *         The return value of the `method` of the `tech`.\n   */\n  function set(middleware, tech, method, arg) {\n    return tech[method](middleware.reduce(middlewareIterator(method), arg));\n  }\n\n  /**\n   * Takes the argument given to the player and calls the `call` version of the\n   * method on each middleware from left to right.\n   *\n   * Then, call the passed in method on the tech and return the result unchanged\n   * back to the player, through middleware, this time from right to left.\n   *\n   * @param  {Object[]} middleware\n   *         An array of middleware instances.\n   *\n   * @param  {Tech} tech\n   *         The current tech.\n   *\n   * @param  {string} method\n   *         A method name.\n   *\n   * @param  {*} arg\n   *         The value to set on the tech.\n   *\n   * @return {*}\n   *         The return value of the `method` of the `tech`, regardless of the\n   *         return values of middlewares.\n   */\n  function mediate(middleware, tech, method, arg = null) {\n    const callMethod = 'call' + toTitleCase$1(method);\n    const middlewareValue = middleware.reduce(middlewareIterator(callMethod), arg);\n    const terminated = middlewareValue === TERMINATOR;\n    // deprecated. The `null` return value should instead return TERMINATOR to\n    // prevent confusion if a techs method actually returns null.\n    const returnValue = terminated ? null : tech[method](middlewareValue);\n    executeRight(middleware, method, returnValue, terminated);\n    return returnValue;\n  }\n\n  /**\n   * Enumeration of allowed getters where the keys are method names.\n   *\n   * @type {Object}\n   */\n  const allowedGetters = {\n    buffered: 1,\n    currentTime: 1,\n    duration: 1,\n    muted: 1,\n    played: 1,\n    paused: 1,\n    seekable: 1,\n    volume: 1,\n    ended: 1\n  };\n\n  /**\n   * Enumeration of allowed setters where the keys are method names.\n   *\n   * @type {Object}\n   */\n  const allowedSetters = {\n    setCurrentTime: 1,\n    setMuted: 1,\n    setVolume: 1\n  };\n\n  /**\n   * Enumeration of allowed mediators where the keys are method names.\n   *\n   * @type {Object}\n   */\n  const allowedMediators = {\n    play: 1,\n    pause: 1\n  };\n  function middlewareIterator(method) {\n    return (value, mw) => {\n      // if the previous middleware terminated, pass along the termination\n      if (value === TERMINATOR) {\n        return TERMINATOR;\n      }\n      if (mw[method]) {\n        return mw[method](value);\n      }\n      return value;\n    };\n  }\n  function executeRight(mws, method, value, terminated) {\n    for (let i = mws.length - 1; i >= 0; i--) {\n      const mw = mws[i];\n      if (mw[method]) {\n        mw[method](terminated, value);\n      }\n    }\n  }\n\n  /**\n   * Clear the middleware cache for a player.\n   *\n   * @param  {Player} player\n   *         A {@link Player} instance.\n   */\n  function clearCacheForPlayer(player) {\n    if (middlewareInstances.hasOwnProperty(player.id())) {\n      delete middlewareInstances[player.id()];\n    }\n  }\n\n  /**\n   * {\n   *  [playerId]: [[mwFactory, mwInstance], ...]\n   * }\n   *\n   * @private\n   */\n  function getOrCreateFactory(player, mwFactory) {\n    const mws = middlewareInstances[player.id()];\n    let mw = null;\n    if (mws === undefined || mws === null) {\n      mw = mwFactory(player);\n      middlewareInstances[player.id()] = [[mwFactory, mw]];\n      return mw;\n    }\n    for (let i = 0; i < mws.length; i++) {\n      const [mwf, mwi] = mws[i];\n      if (mwf !== mwFactory) {\n        continue;\n      }\n      mw = mwi;\n    }\n    if (mw === null) {\n      mw = mwFactory(player);\n      mws.push([mwFactory, mw]);\n    }\n    return mw;\n  }\n  function setSourceHelper(src = {}, middleware = [], next, player, acc = [], lastRun = false) {\n    const [mwFactory, ...mwrest] = middleware;\n\n    // if mwFactory is a string, then we're at a fork in the road\n    if (typeof mwFactory === 'string') {\n      setSourceHelper(src, middlewares[mwFactory], next, player, acc, lastRun);\n\n      // if we have an mwFactory, call it with the player to get the mw,\n      // then call the mw's setSource method\n    } else if (mwFactory) {\n      const mw = getOrCreateFactory(player, mwFactory);\n\n      // if setSource isn't present, implicitly select this middleware\n      if (!mw.setSource) {\n        acc.push(mw);\n        return setSourceHelper(src, mwrest, next, player, acc, lastRun);\n      }\n      mw.setSource(Object.assign({}, src), function (err, _src) {\n        // something happened, try the next middleware on the current level\n        // make sure to use the old src\n        if (err) {\n          return setSourceHelper(src, mwrest, next, player, acc, lastRun);\n        }\n\n        // we've succeeded, now we need to go deeper\n        acc.push(mw);\n\n        // if it's the same type, continue down the current chain\n        // otherwise, we want to go down the new chain\n        setSourceHelper(_src, src.type === _src.type ? mwrest : middlewares[_src.type], next, player, acc, lastRun);\n      });\n    } else if (mwrest.length) {\n      setSourceHelper(src, mwrest, next, player, acc, lastRun);\n    } else if (lastRun) {\n      next(src, acc);\n    } else {\n      setSourceHelper(src, middlewares['*'], next, player, acc, true);\n    }\n  }\n\n  /** @import Player from '../player' */\n\n  /**\n   * Mimetypes\n   *\n   * @see https://www.iana.org/assignments/media-types/media-types.xhtml\n   * @typedef Mimetypes~Kind\n   * @enum\n   */\n  const MimetypesKind = {\n    opus: 'video/ogg',\n    ogv: 'video/ogg',\n    mp4: 'video/mp4',\n    mov: 'video/mp4',\n    m4v: 'video/mp4',\n    mkv: 'video/x-matroska',\n    m4a: 'audio/mp4',\n    mp3: 'audio/mpeg',\n    aac: 'audio/aac',\n    caf: 'audio/x-caf',\n    flac: 'audio/flac',\n    oga: 'audio/ogg',\n    wav: 'audio/wav',\n    m3u8: 'application/x-mpegURL',\n    mpd: 'application/dash+xml',\n    jpg: 'image/jpeg',\n    jpeg: 'image/jpeg',\n    gif: 'image/gif',\n    png: 'image/png',\n    svg: 'image/svg+xml',\n    webp: 'image/webp'\n  };\n\n  /**\n   * Get the mimetype of a given src url if possible\n   *\n   * @param {string} src\n   *        The url to the src\n   *\n   * @return {string}\n   *         return the mimetype if it was known or empty string otherwise\n   */\n  const getMimetype = function (src = '') {\n    const ext = getFileExtension(src);\n    const mimetype = MimetypesKind[ext.toLowerCase()];\n    return mimetype || '';\n  };\n\n  /**\n   * Find the mime type of a given source string if possible. Uses the player\n   * source cache.\n   *\n   * @param {Player} player\n   *        The player object\n   *\n   * @param {string} src\n   *        The source string\n   *\n   * @return {string}\n   *         The type that was found\n   */\n  const findMimetype = (player, src) => {\n    if (!src) {\n      return '';\n    }\n\n    // 1. check for the type in the `source` cache\n    if (player.cache_.source.src === src && player.cache_.source.type) {\n      return player.cache_.source.type;\n    }\n\n    // 2. see if we have this source in our `currentSources` cache\n    const matchingSources = player.cache_.sources.filter(s => s.src === src);\n    if (matchingSources.length) {\n      return matchingSources[0].type;\n    }\n\n    // 3. look for the src url in source elements and use the type there\n    const sources = player.$$('source');\n    for (let i = 0; i < sources.length; i++) {\n      const s = sources[i];\n      if (s.type && s.src && s.src === src) {\n        return s.type;\n      }\n    }\n\n    // 4. finally fallback to our list of mime types based on src url extension\n    return getMimetype(src);\n  };\n\n  /**\n   * @module filter-source\n   */\n\n  /**\n   * Filter out single bad source objects or multiple source objects in an\n   * array. Also flattens nested source object arrays into a 1 dimensional\n   * array of source objects.\n   *\n   * @param {Tech~SourceObject|Tech~SourceObject[]} src\n   *        The src object to filter\n   *\n   * @return {Tech~SourceObject[]}\n   *         An array of sourceobjects containing only valid sources\n   *\n   * @private\n   */\n  const filterSource = function (src) {\n    // traverse array\n    if (Array.isArray(src)) {\n      let newsrc = [];\n      src.forEach(function (srcobj) {\n        srcobj = filterSource(srcobj);\n        if (Array.isArray(srcobj)) {\n          newsrc = newsrc.concat(srcobj);\n        } else if (isObject$1(srcobj)) {\n          newsrc.push(srcobj);\n        }\n      });\n      src = newsrc;\n    } else if (typeof src === 'string' && src.trim()) {\n      // convert string into object\n      src = [fixSource({\n        src\n      })];\n    } else if (isObject$1(src) && typeof src.src === 'string' && src.src && src.src.trim()) {\n      // src is already valid\n      src = [fixSource(src)];\n    } else {\n      // invalid source, turn it into an empty array\n      src = [];\n    }\n    return src;\n  };\n\n  /**\n   * Checks src mimetype, adding it when possible\n   *\n   * @param {Tech~SourceObject} src\n   *        The src object to check\n   * @return {Tech~SourceObject}\n   *        src Object with known type\n   */\n  function fixSource(src) {\n    if (!src.type) {\n      const mimetype = getMimetype(src.src);\n      if (mimetype) {\n        src.type = mimetype;\n      }\n    }\n    return src;\n  }\n\n  var icons = \"<svg xmlns=\\\"http://www.w3.org/2000/svg\\\">\\n  <defs>\\n    <symbol viewBox=\\\"0 0 48 48\\\" id=\\\"vjs-icon-play\\\">\\n      <path d=\\\"M16 10v28l22-14z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 0 48 48\\\" id=\\\"vjs-icon-pause\\\">\\n      <path d=\\\"M12 38h8V10h-8v28zm16-28v28h8V10h-8z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 0 48 48\\\" id=\\\"vjs-icon-audio\\\">\\n      <path d=\\\"M24 2C14.06 2 6 10.06 6 20v14c0 3.31 2.69 6 6 6h6V24h-8v-4c0-7.73 6.27-14 14-14s14 6.27 14 14v4h-8v16h6c3.31 0 6-2.69 6-6V20c0-9.94-8.06-18-18-18z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 0 48 48\\\" id=\\\"vjs-icon-captions\\\">\\n      <path d=\\\"M38 8H10c-2.21 0-4 1.79-4 4v24c0 2.21 1.79 4 4 4h28c2.21 0 4-1.79 4-4V12c0-2.21-1.79-4-4-4zM22 22h-3v-1h-4v6h4v-1h3v2a2 2 0 0 1-2 2h-6a2 2 0 0 1-2-2v-8a2 2 0 0 1 2-2h6a2 2 0 0 1 2 2v2zm14 0h-3v-1h-4v6h4v-1h3v2a2 2 0 0 1-2 2h-6a2 2 0 0 1-2-2v-8a2 2 0 0 1 2-2h6a2 2 0 0 1 2 2v2z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 0 48 48\\\" id=\\\"vjs-icon-subtitles\\\">\\n      <path d=\\\"M40 8H8c-2.21 0-4 1.79-4 4v24c0 2.21 1.79 4 4 4h32c2.21 0 4-1.79 4-4V12c0-2.21-1.79-4-4-4zM8 24h8v4H8v-4zm20 12H8v-4h20v4zm12 0h-8v-4h8v4zm0-8H20v-4h20v4z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 0 48 48\\\" id=\\\"vjs-icon-fullscreen-enter\\\">\\n      <path d=\\\"M14 28h-4v10h10v-4h-6v-6zm-4-8h4v-6h6v-4H10v10zm24 14h-6v4h10V28h-4v6zm-6-24v4h6v6h4V10H28z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 0 48 48\\\" id=\\\"vjs-icon-fullscreen-exit\\\">\\n      <path d=\\\"M10 32h6v6h4V28H10v4zm6-16h-6v4h10V10h-4v6zm12 22h4v-6h6v-4H28v10zm4-22v-6h-4v10h10v-4h-6z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 0 48 48\\\" id=\\\"vjs-icon-play-circle\\\">\\n      <path d=\\\"M20 33l12-9-12-9v18zm4-29C12.95 4 4 12.95 4 24s8.95 20 20 20 20-8.95 20-20S35.05 4 24 4zm0 36c-8.82 0-16-7.18-16-16S15.18 8 24 8s16 7.18 16 16-7.18 16-16 16z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 0 48 48\\\" id=\\\"vjs-icon-volume-mute\\\">\\n      <path d=\\\"M33 24c0-3.53-2.04-6.58-5-8.05v4.42l4.91 4.91c.06-.42.09-.85.09-1.28zm5 0c0 1.88-.41 3.65-1.08 5.28l3.03 3.03C41.25 29.82 42 27 42 24c0-8.56-5.99-15.72-14-17.54v4.13c5.78 1.72 10 7.07 10 13.41zM8.55 6L6 8.55 15.45 18H6v12h8l10 10V26.55l8.51 8.51c-1.34 1.03-2.85 1.86-4.51 2.36v4.13a17.94 17.94 0 0 0 7.37-3.62L39.45 42 42 39.45l-18-18L8.55 6zM24 8l-4.18 4.18L24 16.36V8z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 0 48 48\\\" id=\\\"vjs-icon-volume-low\\\">\\n      <path d=\\\"M14 18v12h8l10 10V8L22 18h-8z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 0 48 48\\\" id=\\\"vjs-icon-volume-medium\\\">\\n      <path d=\\\"M37 24c0-3.53-2.04-6.58-5-8.05v16.11c2.96-1.48 5-4.53 5-8.06zm-27-6v12h8l10 10V8L18 18h-8z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 0 48 48\\\" id=\\\"vjs-icon-volume-high\\\">\\n      <path d=\\\"M6 18v12h8l10 10V8L14 18H6zm27 6c0-3.53-2.04-6.58-5-8.05v16.11c2.96-1.48 5-4.53 5-8.06zM28 6.46v4.13c5.78 1.72 10 7.07 10 13.41s-4.22 11.69-10 13.41v4.13c8.01-1.82 14-8.97 14-17.54S36.01 8.28 28 6.46z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 0 48 48\\\" id=\\\"vjs-icon-spinner\\\">\\n      <path d=\\\"M18.8 21l9.53-16.51C26.94 4.18 25.49 4 24 4c-4.8 0-9.19 1.69-12.64 4.51l7.33 12.69.11-.2zm24.28-3c-1.84-5.85-6.3-10.52-11.99-12.68L23.77 18h19.31zm.52 2H28.62l.58 1 9.53 16.5C41.99 33.94 44 29.21 44 24c0-1.37-.14-2.71-.4-4zm-26.53 4l-7.8-13.5C6.01 14.06 4 18.79 4 24c0 1.37.14 2.71.4 4h14.98l-2.31-4zM4.92 30c1.84 5.85 6.3 10.52 11.99 12.68L24.23 30H4.92zm22.54 0l-7.8 13.51c1.4.31 2.85.49 4.34.49 4.8 0 9.19-1.69 12.64-4.51L29.31 26.8 27.46 30z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 0 24 24\\\" id=\\\"vjs-icon-hd\\\">\\n      <path d=\\\"M19 3H5a2 2 0 0 0-2 2v14a2 2 0 0 0 2 2h14c1.1 0 2-.9 2-2V5c0-1.1-.9-2-2-2zm-8 12H9.5v-2h-2v2H6V9h1.5v2.5h2V9H11v6zm2-6h4c.55 0 1 .45 1 1v4c0 .55-.45 1-1 1h-4V9zm1.5 4.5h2v-3h-2v3z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 0 48 48\\\" id=\\\"vjs-icon-chapters\\\">\\n      <path d=\\\"M6 26h4v-4H6v4zm0 8h4v-4H6v4zm0-16h4v-4H6v4zm8 8h28v-4H14v4zm0 8h28v-4H14v4zm0-20v4h28v-4H14z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 0 40 40\\\" id=\\\"vjs-icon-downloading\\\">\\n      <path d=\\\"M18.208 36.875q-3.208-.292-5.979-1.729-2.771-1.438-4.812-3.729-2.042-2.292-3.188-5.229-1.146-2.938-1.146-6.23 0-6.583 4.334-11.416 4.333-4.834 10.833-5.5v3.166q-5.167.75-8.583 4.646Q6.25 14.75 6.25 19.958q0 5.209 3.396 9.104 3.396 3.896 8.562 4.646zM20 28.417L11.542 20l2.083-2.083 4.917 4.916v-11.25h2.916v11.25l4.875-4.916L28.417 20zm1.792 8.458v-3.167q1.833-.25 3.541-.958 1.709-.708 3.167-1.875l2.333 2.292q-1.958 1.583-4.25 2.541-2.291.959-4.791 1.167zm6.791-27.792q-1.541-1.125-3.25-1.854-1.708-.729-3.541-1.021V3.042q2.5.25 4.77 1.208 2.271.958 4.271 2.5zm4.584 21.584l-2.25-2.25q1.166-1.5 1.854-3.209.687-1.708.937-3.541h3.209q-.292 2.5-1.229 4.791-.938 2.292-2.521 4.209zm.541-12.417q-.291-1.833-.958-3.562-.667-1.73-1.833-3.188l2.375-2.208q1.541 1.916 2.458 4.208.917 2.292 1.167 4.75z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 0 48 48\\\" id=\\\"vjs-icon-file-download\\\">\\n      <path d=\\\"M10.8 40.55q-1.35 0-2.375-1T7.4 37.15v-7.7h3.4v7.7h26.35v-7.7h3.4v7.7q0 1.4-1 2.4t-2.4 1zM24 32.1L13.9 22.05l2.45-2.45 5.95 5.95V7.15h3.4v18.4l5.95-5.95 2.45 2.45z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 0 48 48\\\" id=\\\"vjs-icon-file-download-done\\\">\\n      <path d=\\\"M9.8 40.5v-3.45h28.4v3.45zm9.2-9.05L7.4 19.85l2.45-2.35L19 26.65l19.2-19.2 2.4 2.4z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 0 48 48\\\" id=\\\"vjs-icon-file-download-off\\\">\\n      <path d=\\\"M4.9 4.75L43.25 43.1 41 45.3l-4.75-4.75q-.05.05-.075.025-.025-.025-.075-.025H10.8q-1.35 0-2.375-1T7.4 37.15v-7.7h3.4v7.7h22.05l-7-7-1.85 1.8L13.9 21.9l1.85-1.85L2.7 7zm26.75 14.7l2.45 2.45-3.75 3.8-2.45-2.5zM25.7 7.15V21.1l-3.4-3.45V7.15z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 0 48 48\\\" id=\\\"vjs-icon-share\\\">\\n      <path d=\\\"M36 32.17c-1.52 0-2.89.59-3.93 1.54L17.82 25.4c.11-.45.18-.92.18-1.4s-.07-.95-.18-1.4l14.1-8.23c1.07 1 2.5 1.62 4.08 1.62 3.31 0 6-2.69 6-6s-2.69-6-6-6-6 2.69-6 6c0 .48.07.95.18 1.4l-14.1 8.23c-1.07-1-2.5-1.62-4.08-1.62-3.31 0-6 2.69-6 6s2.69 6 6 6c1.58 0 3.01-.62 4.08-1.62l14.25 8.31c-.1.42-.16.86-.16 1.31A5.83 5.83 0 1 0 36 32.17z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 0 48 48\\\" id=\\\"vjs-icon-cog\\\">\\n      <path d=\\\"M38.86 25.95c.08-.64.14-1.29.14-1.95s-.06-1.31-.14-1.95l4.23-3.31c.38-.3.49-.84.24-1.28l-4-6.93c-.25-.43-.77-.61-1.22-.43l-4.98 2.01c-1.03-.79-2.16-1.46-3.38-1.97L29 4.84c-.09-.47-.5-.84-1-.84h-8c-.5 0-.91.37-.99.84l-.75 5.3a14.8 14.8 0 0 0-3.38 1.97L9.9 10.1a1 1 0 0 0-1.22.43l-4 6.93c-.25.43-.14.97.24 1.28l4.22 3.31C9.06 22.69 9 23.34 9 24s.06 1.31.14 1.95l-4.22 3.31c-.38.3-.49.84-.24 1.28l4 6.93c.25.43.77.61 1.22.43l4.98-2.01c1.03.79 2.16 1.46 3.38 1.97l.75 5.3c.08.47.49.84.99.84h8c.5 0 .91-.37.99-.84l.75-5.3a14.8 14.8 0 0 0 3.38-1.97l4.98 2.01a1 1 0 0 0 1.22-.43l4-6.93c.25-.43.14-.97-.24-1.28l-4.22-3.31zM24 31c-3.87 0-7-3.13-7-7s3.13-7 7-7 7 3.13 7 7-3.13 7-7 7z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 0 48 48\\\" id=\\\"vjs-icon-square\\\">\\n      <path d=\\\"M36 8H12c-2.21 0-4 1.79-4 4v24c0 2.21 1.79 4 4 4h24c2.21 0 4-1.79 4-4V12c0-2.21-1.79-4-4-4zm0 28H12V12h24v24z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 0 48 48\\\" id=\\\"vjs-icon-circle\\\">\\n      <circle cx=\\\"24\\\" cy=\\\"24\\\" r=\\\"20\\\"></circle>\\n    </symbol>\\n    <symbol viewBox=\\\"0 0 48 48\\\" id=\\\"vjs-icon-circle-outline\\\">\\n      <path d=\\\"M24 4C12.95 4 4 12.95 4 24s8.95 20 20 20 20-8.95 20-20S35.05 4 24 4zm0 36c-8.82 0-16-7.18-16-16S15.18 8 24 8s16 7.18 16 16-7.18 16-16 16z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 0 48 48\\\" id=\\\"vjs-icon-circle-inner-circle\\\">\\n      <path d=\\\"M24 4C12.97 4 4 12.97 4 24s8.97 20 20 20 20-8.97 20-20S35.03 4 24 4zm0 36c-8.82 0-16-7.18-16-16S15.18 8 24 8s16 7.18 16 16-7.18 16-16 16zm6-16c0 3.31-2.69 6-6 6s-6-2.69-6-6 2.69-6 6-6 6 2.69 6 6z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 0 48 48\\\" id=\\\"vjs-icon-cancel\\\">\\n      <path d=\\\"M24 4C12.95 4 4 12.95 4 24s8.95 20 20 20 20-8.95 20-20S35.05 4 24 4zm10 27.17L31.17 34 24 26.83 16.83 34 14 31.17 21.17 24 14 16.83 16.83 14 24 21.17 31.17 14 34 16.83 26.83 24 34 31.17z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 0 48 48\\\" id=\\\"vjs-icon-replay\\\">\\n      <path d=\\\"M24 10V2L14 12l10 10v-8c6.63 0 12 5.37 12 12s-5.37 12-12 12-12-5.37-12-12H8c0 8.84 7.16 16 16 16s16-7.16 16-16-7.16-16-16-16z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 0 48 48\\\" id=\\\"vjs-icon-repeat\\\">\\n      <path d=\\\"M14 14h20v6l8-8-8-8v6H10v12h4v-8zm20 20H14v-6l-8 8 8 8v-6h24V26h-4v8z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 96 48 48\\\" id=\\\"vjs-icon-replay-5\\\">\\n      <path d=\\\"M17.689 98l-8.697 8.696 8.697 8.697 2.486-2.485-4.32-4.319h1.302c4.93 0 9.071 1.722 12.424 5.165 3.352 3.443 5.029 7.638 5.029 12.584h3.55c0-2.958-.553-5.73-1.658-8.313-1.104-2.583-2.622-4.841-4.555-6.774-1.932-1.932-4.19-3.45-6.773-4.555-2.584-1.104-5.355-1.657-8.313-1.657H15.5l4.615-4.615zm-8.08 21.659v13.861h11.357v5.008H9.609V143h12.7c.834 0 1.55-.298 2.146-.894.596-.597.895-1.31.895-2.145v-7.781c0-.835-.299-1.55-.895-2.147a2.929 2.929 0 0 0-2.147-.894h-8.227v-5.096H25.35v-4.384z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 96 48 48\\\" id=\\\"vjs-icon-replay-10\\\">\\n      <path d=\\\"M42.315 125.63c0-4.997-1.694-9.235-5.08-12.713-3.388-3.479-7.571-5.218-12.552-5.218h-1.315l4.363 4.363-2.51 2.51-8.787-8.786L25.221 97l2.45 2.45-4.662 4.663h1.375c2.988 0 5.788.557 8.397 1.673 2.61 1.116 4.892 2.65 6.844 4.602 1.953 1.953 3.487 4.234 4.602 6.844 1.116 2.61 1.674 5.41 1.674 8.398zM8.183 142v-19.657H3.176V117.8h9.643V142zm13.63 0c-1.156 0-2.127-.393-2.912-1.178-.778-.778-1.168-1.746-1.168-2.902v-16.04c0-1.156.393-2.127 1.178-2.912.779-.779 1.746-1.168 2.902-1.168h7.696c1.156 0 2.126.392 2.911 1.177.779.78 1.168 1.747 1.168 2.903v16.04c0 1.156-.392 2.127-1.177 2.912-.779.779-1.746 1.168-2.902 1.168zm.556-4.636h6.583v-15.02H22.37z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 96 48 48\\\" id=\\\"vjs-icon-replay-30\\\">\\n      <path d=\\\"M26.047 97l-8.733 8.732 8.733 8.733 2.496-2.494-4.336-4.338h1.307c4.95 0 9.108 1.73 12.474 5.187 3.367 3.458 5.051 7.668 5.051 12.635h3.565c0-2.97-.556-5.751-1.665-8.346-1.109-2.594-2.633-4.862-4.574-6.802-1.94-1.941-4.208-3.466-6.803-4.575-2.594-1.109-5.375-1.664-8.345-1.664H23.85l4.634-4.634zM2.555 117.531v4.688h10.297v5.25H5.873v4.687h6.979v5.156H2.555V142H13.36c1.061 0 1.95-.395 2.668-1.186.718-.79 1.076-1.772 1.076-2.94v-16.218c0-1.168-.358-2.149-1.076-2.94-.717-.79-1.607-1.185-2.668-1.185zm22.482.14c-1.149 0-2.11.39-2.885 1.165-.78.78-1.172 1.744-1.172 2.893v15.943c0 1.149.388 2.11 1.163 2.885.78.78 1.745 1.172 2.894 1.172h7.649c1.148 0 2.11-.388 2.884-1.163.78-.78 1.17-1.745 1.17-2.894v-15.943c0-1.15-.386-2.111-1.16-2.885-.78-.78-1.746-1.172-2.894-1.172zm.553 4.518h6.545v14.93H25.59z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 96 48 48\\\" id=\\\"vjs-icon-forward-5\\\">\\n      <path d=\\\"M29.508 97l-2.431 2.43 4.625 4.625h-1.364c-2.965 0-5.742.554-8.332 1.66-2.589 1.107-4.851 2.629-6.788 4.566-1.937 1.937-3.458 4.2-4.565 6.788-1.107 2.59-1.66 5.367-1.66 8.331h3.557c0-4.957 1.68-9.16 5.04-12.611 3.36-3.45 7.51-5.177 12.451-5.177h1.304l-4.326 4.33 2.49 2.49 8.715-8.716zm-9.783 21.61v13.89h11.382v5.018H19.725V142h12.727a2.93 2.93 0 0 0 2.15-.896 2.93 2.93 0 0 0 .896-2.15v-7.798c0-.837-.299-1.554-.896-2.152a2.93 2.93 0 0 0-2.15-.896h-8.245V123h11.29v-4.392z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 96 48 48\\\" id=\\\"vjs-icon-forward-10\\\">\\n      <path d=\\\"M23.119 97l-2.386 2.383 4.538 4.538h-1.339c-2.908 0-5.633.543-8.173 1.63-2.54 1.085-4.76 2.577-6.66 4.478-1.9 1.9-3.392 4.12-4.478 6.66-1.085 2.54-1.629 5.264-1.629 8.172h3.49c0-4.863 1.648-8.986 4.944-12.372 3.297-3.385 7.368-5.078 12.216-5.078h1.279l-4.245 4.247 2.443 2.442 8.55-8.55zm-9.52 21.45v4.42h4.871V142h4.513v-23.55zm18.136 0c-1.125 0-2.066.377-2.824 1.135-.764.764-1.148 1.709-1.148 2.834v15.612c0 1.124.38 2.066 1.139 2.824.764.764 1.708 1.145 2.833 1.145h7.489c1.125 0 2.066-.378 2.824-1.136.764-.764 1.145-1.709 1.145-2.833v-15.612c0-1.125-.378-2.067-1.136-2.825-.764-.764-1.708-1.145-2.833-1.145zm.54 4.42h6.408v14.617h-6.407z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 96 48 48\\\" id=\\\"vjs-icon-forward-30\\\">\\n      <path d=\\\"M25.549 97l-2.437 2.434 4.634 4.635H26.38c-2.97 0-5.753.555-8.347 1.664-2.594 1.109-4.861 2.633-6.802 4.574-1.94 1.94-3.465 4.207-4.574 6.802-1.109 2.594-1.664 5.377-1.664 8.347h3.565c0-4.967 1.683-9.178 5.05-12.636 3.366-3.458 7.525-5.187 12.475-5.187h1.307l-4.335 4.338 2.495 2.494 8.732-8.732zm-11.553 20.53v4.689h10.297v5.249h-6.978v4.688h6.978v5.156H13.996V142h10.808c1.06 0 1.948-.395 2.666-1.186.718-.79 1.077-1.771 1.077-2.94v-16.217c0-1.169-.36-2.15-1.077-2.94-.718-.79-1.605-1.186-2.666-1.186zm21.174.168c-1.149 0-2.11.389-2.884 1.163-.78.78-1.172 1.745-1.172 2.894v15.942c0 1.15.388 2.11 1.162 2.885.78.78 1.745 1.17 2.894 1.17h7.649c1.149 0 2.11-.386 2.885-1.16.78-.78 1.17-1.746 1.17-2.895v-15.942c0-1.15-.387-2.11-1.161-2.885-.78-.78-1.745-1.172-2.894-1.172zm.552 4.516h6.542v14.931h-6.542z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 0 512 512\\\" id=\\\"vjs-icon-audio-description\\\">\\n      <g fill-rule=\\\"evenodd\\\"><path d=\\\"M227.29 381.351V162.993c50.38-1.017 89.108-3.028 117.631 17.126 27.374 19.342 48.734 56.965 44.89 105.325-4.067 51.155-41.335 94.139-89.776 98.475-24.085 2.155-71.972 0-71.972 0s-.84-1.352-.773-2.568m48.755-54.804c31.43 1.26 53.208-16.633 56.495-45.386 4.403-38.51-21.188-63.552-58.041-60.796v103.612c-.036 1.466.575 2.22 1.546 2.57\\\"></path><path d=\\\"M383.78 381.328c13.336 3.71 17.387-11.06 23.215-21.408 12.722-22.571 22.294-51.594 22.445-84.774.221-47.594-18.343-82.517-35.6-106.182h-8.51c-.587 3.874 2.226 7.315 3.865 10.276 13.166 23.762 25.367 56.553 25.54 94.194.2 43.176-14.162 79.278-30.955 107.894\\\"></path><path d=\\\"M425.154 381.328c13.336 3.71 17.384-11.061 23.215-21.408 12.721-22.571 22.291-51.594 22.445-84.774.221-47.594-18.343-82.517-35.6-106.182h-8.511c-.586 3.874 2.226 7.315 3.866 10.276 13.166 23.762 25.367 56.553 25.54 94.194.2 43.176-14.162 79.278-30.955 107.894\\\"></path><path d=\\\"M466.26 381.328c13.337 3.71 17.385-11.061 23.216-21.408 12.722-22.571 22.292-51.594 22.445-84.774.221-47.594-18.343-82.517-35.6-106.182h-8.51c-.587 3.874 2.225 7.315 3.865 10.276 13.166 23.762 25.367 56.553 25.54 94.194.2 43.176-14.162 79.278-30.955 107.894M4.477 383.005H72.58l18.573-28.484 64.169-.135s.065 19.413.065 28.62h48.756V160.307h-58.816c-5.653 9.537-140.85 222.697-140.85 222.697zm152.667-145.282v71.158l-40.453-.27 40.453-70.888z\\\"></path></g>\\n    </symbol>\\n    <symbol viewBox=\\\"0 0 48 48\\\" id=\\\"vjs-icon-next-item\\\">\\n      <path d=\\\"M12 36l17-12-17-12v24zm20-24v24h4V12h-4z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 0 48 48\\\" id=\\\"vjs-icon-previous-item\\\">\\n      <path d=\\\"M12 12h4v24h-4zm7 12l17 12V12z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 0 48 48\\\" id=\\\"vjs-icon-shuffle\\\">\\n      <path d=\\\"M21.17 18.34L10.83 8 8 10.83l10.34 10.34 2.83-2.83zM29 8l4.09 4.09L8 37.17 10.83 40l25.09-25.09L40 19V8H29zm.66 18.83l-2.83 2.83 6.26 6.26L29 40h11V29l-4.09 4.09-6.25-6.26z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 0 48 48\\\" id=\\\"vjs-icon-cast\\\">\\n      <path d=\\\"M42 6H6c-2.21 0-4 1.79-4 4v6h4v-6h36v28H28v4h14c2.21 0 4-1.79 4-4V10c0-2.21-1.79-4-4-4zM2 36v6h6c0-3.31-2.69-6-6-6zm0-8v4c5.52 0 10 4.48 10 10h4c0-7.73-6.27-14-14-14zm0-8v4c9.94 0 18 8.06 18 18h4c0-12.15-9.85-22-22-22z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 0 48 48\\\" id=\\\"vjs-icon-picture-in-picture-enter\\\">\\n      <path d=\\\"M38 22H22v11.99h16V22zm8 16V9.96C46 7.76 44.2 6 42 6H6C3.8 6 2 7.76 2 9.96V38c0 2.2 1.8 4 4 4h36c2.2 0 4-1.8 4-4zm-4 .04H6V9.94h36v28.1z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 0 22 18\\\" id=\\\"vjs-icon-picture-in-picture-exit\\\">\\n      <path d=\\\"M18 4H4v10h14V4zm4 12V1.98C22 .88 21.1 0 20 0H2C.9 0 0 .88 0 1.98V16c0 1.1.9 2 2 2h18c1.1 0 2-.9 2-2zm-2 .02H2V1.97h18v14.05z\\\"></path>\\n      <path fill=\\\"none\\\" d=\\\"M-1-3h24v24H-1z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 0 1792 1792\\\" id=\\\"vjs-icon-facebook\\\">\\n      <path d=\\\"M1343 12v264h-157q-86 0-116 36t-30 108v189h293l-39 296h-254v759H734V905H479V609h255V391q0-186 104-288.5T1115 0q147 0 228 12z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 0 1792 1792\\\" id=\\\"vjs-icon-linkedin\\\">\\n      <path d=\\\"M477 625v991H147V625h330zm21-306q1 73-50.5 122T312 490h-2q-82 0-132-49t-50-122q0-74 51.5-122.5T314 148t133 48.5T498 319zm1166 729v568h-329v-530q0-105-40.5-164.5T1168 862q-63 0-105.5 34.5T999 982q-11 30-11 81v553H659q2-399 2-647t-1-296l-1-48h329v144h-2q20-32 41-56t56.5-52 87-43.5T1285 602q171 0 275 113.5t104 332.5z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 0 1200 1227\\\" id=\\\"vjs-icon-twitter\\\">\\n      <path d=\\\"M714.163 519.284L1160.89 0H1055.03L667.137 450.887L357.328 0H0L468.492 681.821L0 1226.37H105.866L515.491 750.218L842.672 1226.37H1200L714.137 519.284H714.163ZM569.165 687.828L521.697 619.934L144.011 79.6944H306.615L611.412 515.685L658.88 583.579L1055.08 1150.3H892.476L569.165 687.854V687.828Z\\\"/>\\n    </symbol>\\n    <symbol viewBox=\\\"0 0 1792 1792\\\" id=\\\"vjs-icon-tumblr\\\">\\n      <path d=\\\"M1328 1329l80 237q-23 35-111 66t-177 32q-104 2-190.5-26T787 1564t-95-106-55.5-120-16.5-118V676H452V461q72-26 129-69.5t91-90 58-102 34-99T779 12q1-5 4.5-8.5T791 0h244v424h333v252h-334v518q0 30 6.5 56t22.5 52.5 49.5 41.5 81.5 14q78-2 134-29z\\\"></path>\\n    </symbol>\\n    <symbol viewBox=\\\"0 0 1792 1792\\\" id=\\\"vjs-icon-pinterest\\\">\\n      <path d=\\\"M1664 896q0 209-103 385.5T1281.5 1561 896 1664q-111 0-218-32 59-93 78-164 9-34 54-211 20 39 73 67.5t114 28.5q121 0 216-68.5t147-188.5 52-270q0-114-59.5-214T1180 449t-255-63q-105 0-196 29t-154.5 77-109 110.5-67 129.5T377 866q0 104 40 183t117 111q30 12 38-20 2-7 8-31t8-30q6-23-11-43-51-61-51-151 0-151 104.5-259.5T904 517q151 0 235.5 82t84.5 213q0 170-68.5 289T980 1220q-61 0-98-43.5T859 1072q8-35 26.5-93.5t30-103T927 800q0-50-27-83t-77-33q-62 0-105 57t-43 142q0 73 25 122l-99 418q-17 70-13 177-206-91-333-281T128 896q0-209 103-385.5T510.5 231 896 128t385.5 103T1561 510.5 1664 896z\\\"></path>\\n    </symbol>\\n  </defs>\\n</svg>\";\n\n  // /**\n\n  // Determine the keycode for the 'back' key based on the platform\n  const backKeyCode = IS_TIZEN ? 10009 : IS_WEBOS ? 461 : 8;\n  const SpatialNavKeyCodes = {\n    codes: {\n      play: 415,\n      pause: 19,\n      ff: 417,\n      rw: 412,\n      back: backKeyCode\n    },\n    names: {\n      415: 'play',\n      19: 'pause',\n      417: 'ff',\n      412: 'rw',\n      [backKeyCode]: 'back'\n    },\n    isEventKey(event, keyName) {\n      keyName = keyName.toLowerCase();\n      if (this.names[event.keyCode] && this.names[event.keyCode] === keyName) {\n        return true;\n      }\n      return false;\n    },\n    getEventName(event) {\n      if (this.names[event.keyCode]) {\n        return this.names[event.keyCode];\n      } else if (this.codes[event.code]) {\n        const code = this.codes[event.code];\n        return this.names[code];\n      }\n      return null;\n    }\n  };\n\n  /**\n   * @file spatial-navigation.js\n   */\n\n  /** @import Component from './component' */\n  /** @import Player from './player' */\n\n  // The number of seconds the `step*` functions move the timeline.\n  const STEP_SECONDS$1 = 5;\n\n  /**\n   * Spatial Navigation in Video.js enhances user experience and accessibility on smartTV devices,\n   * enabling seamless navigation through interactive elements within the player using remote control arrow keys.\n   * This functionality allows users to effortlessly navigate through focusable components.\n   *\n   * @extends EventTarget\n   */\n  class SpatialNavigation extends EventTarget$2 {\n    /**\n     * Constructs a SpatialNavigation instance with initial settings.\n     * Sets up the player instance, and prepares the spatial navigation system.\n     *\n     * @class\n     * @param {Player} player - The Video.js player instance to which the spatial navigation is attached.\n     */\n    constructor(player) {\n      super();\n      this.player_ = player;\n      this.focusableComponents = [];\n      this.isListening_ = false;\n      this.isPaused_ = false;\n      this.onKeyDown_ = this.onKeyDown_.bind(this);\n      this.lastFocusedComponent_ = null;\n    }\n\n    /**\n     * Starts the spatial navigation by adding a keydown event listener to the video container.\n     * This method ensures that the event listener is added only once.\n     */\n    start() {\n      // If the listener is already active, exit early.\n      if (this.isListening_) {\n        return;\n      }\n\n      // Add the event listener since the listener is not yet active.\n      this.player_.on('keydown', this.onKeyDown_);\n      this.player_.on('modalKeydown', this.onKeyDown_);\n      // Listen for source change events\n      this.player_.on('loadedmetadata', () => {\n        this.focus(this.updateFocusableComponents()[0]);\n      });\n      this.player_.on('modalclose', () => {\n        this.refocusComponent();\n      });\n      this.player_.on('focusin', this.handlePlayerFocus_.bind(this));\n      this.player_.on('focusout', this.handlePlayerBlur_.bind(this));\n      this.isListening_ = true;\n      if (this.player_.errorDisplay) {\n        this.player_.errorDisplay.on('aftermodalfill', () => {\n          this.updateFocusableComponents();\n          if (this.focusableComponents.length) {\n            // The modal has focusable components:\n\n            if (this.focusableComponents.length > 1) {\n              // The modal has close button + some additional buttons.\n              // Focusing first additional button:\n\n              this.focusableComponents[1].focus();\n            } else {\n              // The modal has only close button,\n              // Focusing it:\n\n              this.focusableComponents[0].focus();\n            }\n          }\n        });\n      }\n    }\n\n    /**\n     * Stops the spatial navigation by removing the keydown event listener from the video container.\n     * Also sets the `isListening_` flag to false.\n     */\n    stop() {\n      this.player_.off('keydown', this.onKeyDown_);\n      this.isListening_ = false;\n    }\n\n    /**\n     * Responds to keydown events for spatial navigation and media control.\n     *\n     * Determines if spatial navigation or media control is active and handles key inputs accordingly.\n     *\n     * @param {KeyboardEvent} event - The keydown event to be handled.\n     */\n    onKeyDown_(event) {\n      // Determine if the event is a custom modalKeydown event\n      const actualEvent = event.originalEvent ? event.originalEvent : event;\n      if (['ArrowLeft', 'ArrowRight', 'ArrowUp', 'ArrowDown'].includes(actualEvent.key)) {\n        // Handle directional navigation\n        if (this.isPaused_) {\n          return;\n        }\n        actualEvent.preventDefault();\n\n        // \"ArrowLeft\" => \"left\" etc\n        const direction = actualEvent.key.substring(5).toLowerCase();\n        this.move(direction);\n      } else if (SpatialNavKeyCodes.isEventKey(actualEvent, 'play') || SpatialNavKeyCodes.isEventKey(actualEvent, 'pause') || SpatialNavKeyCodes.isEventKey(actualEvent, 'ff') || SpatialNavKeyCodes.isEventKey(actualEvent, 'rw')) {\n        // Handle media actions\n        actualEvent.preventDefault();\n        const action = SpatialNavKeyCodes.getEventName(actualEvent);\n        this.performMediaAction_(action);\n      } else if (SpatialNavKeyCodes.isEventKey(actualEvent, 'Back') && event.target && typeof event.target.closeable === 'function' && event.target.closeable()) {\n        actualEvent.preventDefault();\n        event.target.close();\n      }\n    }\n\n    /**\n     * Performs media control actions based on the given key input.\n     *\n     * Controls the playback and seeking functionalities of the media player.\n     *\n     * @param {string} key - The key representing the media action to be performed.\n     *   Accepted keys: 'play', 'pause', 'ff' (fast-forward), 'rw' (rewind).\n     */\n    performMediaAction_(key) {\n      if (this.player_) {\n        switch (key) {\n          case 'play':\n            if (this.player_.paused()) {\n              this.player_.play();\n            }\n            break;\n          case 'pause':\n            if (!this.player_.paused()) {\n              this.player_.pause();\n            }\n            break;\n          case 'ff':\n            this.userSeek_(this.player_.currentTime() + STEP_SECONDS$1);\n            break;\n          case 'rw':\n            this.userSeek_(this.player_.currentTime() - STEP_SECONDS$1);\n            break;\n        }\n      }\n    }\n\n    /**\n     * Prevent liveThreshold from causing seeks to seem like they\n     * are not happening from a user perspective.\n     *\n     * @param {number} ct\n     *        current time to seek to\n     */\n    userSeek_(ct) {\n      if (this.player_.liveTracker && this.player_.liveTracker.isLive()) {\n        this.player_.liveTracker.nextSeekedFromUser();\n      }\n      this.player_.currentTime(ct);\n    }\n\n    /**\n     * Pauses the spatial navigation functionality.\n     * This method sets a flag that can be used to temporarily disable the navigation logic.\n     */\n    pause() {\n      this.isPaused_ = true;\n    }\n\n    /**\n     * Resumes the spatial navigation functionality if it has been paused.\n     * This method resets the pause flag, re-enabling the navigation logic.\n     */\n    resume() {\n      this.isPaused_ = false;\n    }\n\n    /**\n     * Handles Player Blur.\n     *\n     * @param {string|Event|Object} event\n     *        The name of the event, an `Event`, or an object with a key of type set to\n     *        an event name.\n     *\n     * Calls for handling of the Player Blur if:\n     * *The next focused element is not a child of current focused element &\n     * The next focused element is not a child of the Player.\n     * *There is no next focused element\n     */\n    handlePlayerBlur_(event) {\n      const nextFocusedElement = event.relatedTarget;\n      let isChildrenOfPlayer = null;\n      const currentComponent = this.getCurrentComponent(event.target);\n      if (nextFocusedElement) {\n        isChildrenOfPlayer = Boolean(nextFocusedElement.closest('.video-js'));\n\n        // If nextFocusedElement is the 'TextTrackSettings' component\n        if (nextFocusedElement.classList.contains('vjs-text-track-settings') && !this.isPaused_) {\n          this.searchForTrackSelect_();\n        }\n      }\n      if (!event.currentTarget.contains(event.relatedTarget) && !isChildrenOfPlayer || !nextFocusedElement) {\n        if (currentComponent && currentComponent.name() === 'CloseButton') {\n          this.refocusComponent();\n        } else {\n          this.pause();\n          if (currentComponent && currentComponent.el()) {\n            // Store last focused component\n            this.lastFocusedComponent_ = currentComponent;\n          }\n        }\n      }\n    }\n\n    /**\n     * Handles the Player focus event.\n     *\n     * Calls for handling of the Player Focus if current element is focusable.\n     */\n    handlePlayerFocus_() {\n      if (this.getCurrentComponent() && this.getCurrentComponent().getIsFocusable()) {\n        this.resume();\n      }\n    }\n\n    /**\n     * Gets a set of focusable components.\n     *\n     * @return {Array}\n     *         Returns an array of focusable components.\n     */\n    updateFocusableComponents() {\n      const player = this.player_;\n      const focusableComponents = [];\n\n      /**\n       * Searches for children candidates.\n       *\n       * Pushes Components to array of 'focusableComponents'.\n       * Calls itself if there is children elements inside iterated component.\n       *\n       * @param {Array} componentsArray - The array of components to search for focusable children.\n       */\n      function searchForChildrenCandidates(componentsArray) {\n        for (const i of componentsArray) {\n          if (i.hasOwnProperty('el_') && i.getIsFocusable() && i.getIsAvailableToBeFocused(i.el())) {\n            focusableComponents.push(i);\n          }\n          if (i.hasOwnProperty('children_') && i.children_.length > 0) {\n            searchForChildrenCandidates(i.children_);\n          }\n        }\n      }\n\n      // Iterate inside all children components of the player.\n      player.children_.forEach(value => {\n        if (value.hasOwnProperty('el_')) {\n          // If component has required functions 'getIsFocusable' & 'getIsAvailableToBeFocused', is focusable & available to be focused.\n          if (value.getIsFocusable && value.getIsAvailableToBeFocused && value.getIsFocusable() && value.getIsAvailableToBeFocused(value.el())) {\n            focusableComponents.push(value);\n            return;\n            // If component has posible children components as candidates.\n          } else if (value.hasOwnProperty('children_') && value.children_.length > 0) {\n            searchForChildrenCandidates(value.children_);\n            // If component has posible item components as candidates.\n          } else if (value.hasOwnProperty('items') && value.items.length > 0) {\n            searchForChildrenCandidates(value.items);\n            // If there is a suitable child element within the component's DOM element.\n          } else if (this.findSuitableDOMChild(value)) {\n            focusableComponents.push(value);\n          }\n        }\n\n        // TODO - Refactor the following logic after refactor of videojs-errors elements to be components is done.\n        if (value.name_ === 'ErrorDisplay' && value.opened_) {\n          const buttonContainer = value.el_.querySelector('.vjs-errors-ok-button-container');\n          if (buttonContainer) {\n            const modalButtons = buttonContainer.querySelectorAll('button');\n            modalButtons.forEach((element, index) => {\n              // Add elements as objects to be handled by the spatial navigation\n              focusableComponents.push({\n                name: () => {\n                  return 'ModalButton' + (index + 1);\n                },\n                el: () => element,\n                getPositions: () => {\n                  const rect = element.getBoundingClientRect();\n\n                  // Creating objects that mirror DOMRectReadOnly for boundingClientRect and center\n                  const boundingClientRect = {\n                    x: rect.x,\n                    y: rect.y,\n                    width: rect.width,\n                    height: rect.height,\n                    top: rect.top,\n                    right: rect.right,\n                    bottom: rect.bottom,\n                    left: rect.left\n                  };\n\n                  // Calculating the center position\n                  const center = {\n                    x: rect.left + rect.width / 2,\n                    y: rect.top + rect.height / 2,\n                    width: 0,\n                    height: 0,\n                    top: rect.top + rect.height / 2,\n                    right: rect.left + rect.width / 2,\n                    bottom: rect.top + rect.height / 2,\n                    left: rect.left + rect.width / 2\n                  };\n                  return {\n                    boundingClientRect,\n                    center\n                  };\n                },\n                // Asume that the following are always focusable\n                getIsAvailableToBeFocused: () => true,\n                getIsFocusable: el => true,\n                focus: () => element.focus()\n              });\n            });\n          }\n        }\n      });\n      this.focusableComponents = focusableComponents;\n      return this.focusableComponents;\n    }\n\n    /**\n     * Finds a suitable child element within the provided component's DOM element.\n     *\n     * @param {Object} component - The component containing the DOM element to search within.\n     * @return {HTMLElement|null} Returns the suitable child element if found, or null if not found.\n     */\n    findSuitableDOMChild(component) {\n      /**\n       * Recursively searches for a suitable child node that can be focused within a given component.\n       * It first checks if the provided node itself can be focused according to the component's\n       * `getIsFocusable` and `getIsAvailableToBeFocused` methods. If not, it recursively searches\n       * through the node's children to find a suitable child node that meets the focusability criteria.\n       *\n       * @param {HTMLElement} node - The DOM node to start the search from.\n       * @return {HTMLElement|null} The first child node that is focusable and available to be focused,\n       * or `null` if no suitable child is found.\n       */\n      function searchForSuitableChild(node) {\n        if (component.getIsFocusable(node) && component.getIsAvailableToBeFocused(node)) {\n          return node;\n        }\n        for (let i = 0; i < node.children.length; i++) {\n          const child = node.children[i];\n          const suitableChild = searchForSuitableChild(child);\n          if (suitableChild) {\n            return suitableChild;\n          }\n        }\n        return null;\n      }\n      if (component.el()) {\n        return searchForSuitableChild(component.el());\n      }\n      return null;\n    }\n\n    /**\n     * Gets the currently focused component from the list of focusable components.\n     * If a target element is provided, it uses that element to find the corresponding\n     * component. If no target is provided, it defaults to using the document's currently\n     * active element.\n     *\n     * @param {HTMLElement} [target] - The DOM element to check against the focusable components.\n     *                                 If not provided, `document.activeElement` is used.\n     * @return {Component|null} - Returns the focused component if found among the focusable components,\n     *                            otherwise returns null if no matching component is found.\n     */\n    getCurrentComponent(target) {\n      this.updateFocusableComponents();\n      // eslint-disable-next-line\n      const curComp = target || document.activeElement;\n      if (this.focusableComponents.length) {\n        for (const i of this.focusableComponents) {\n          // If component Node is equal to the current active element.\n          if (i.el() === curComp) {\n            return i;\n          }\n        }\n      }\n    }\n\n    /**\n     * Adds a component to the array of focusable components.\n     *\n     * @param {Component} component\n     *        The `Component` to be added.\n     */\n    add(component) {\n      const focusableComponents = [...this.focusableComponents];\n      if (component.hasOwnProperty('el_') && component.getIsFocusable() && component.getIsAvailableToBeFocused(component.el())) {\n        focusableComponents.push(component);\n      }\n      this.focusableComponents = focusableComponents;\n      // Trigger the notification manually\n      this.trigger({\n        type: 'focusableComponentsChanged',\n        focusableComponents: this.focusableComponents\n      });\n    }\n\n    /**\n     * Removes component from the array of focusable components.\n     *\n     * @param {Component} component - The component to be removed from the focusable components array.\n     */\n    remove(component) {\n      for (let i = 0; i < this.focusableComponents.length; i++) {\n        if (this.focusableComponents[i].name() === component.name()) {\n          this.focusableComponents.splice(i, 1);\n          // Trigger the notification manually\n          this.trigger({\n            type: 'focusableComponentsChanged',\n            focusableComponents: this.focusableComponents\n          });\n          return;\n        }\n      }\n    }\n\n    /**\n     * Clears array of focusable components.\n     */\n    clear() {\n      // Check if the array is already empty to avoid unnecessary event triggering\n      if (this.focusableComponents.length > 0) {\n        // Clear the array\n        this.focusableComponents = [];\n\n        // Trigger the notification manually\n        this.trigger({\n          type: 'focusableComponentsChanged',\n          focusableComponents: this.focusableComponents\n        });\n      }\n    }\n\n    /**\n     * Navigates to the next focusable component based on the specified direction.\n     *\n     * @param {string} direction 'up', 'down', 'left', 'right'\n     */\n    move(direction) {\n      const currentFocusedComponent = this.getCurrentComponent();\n      if (!currentFocusedComponent) {\n        return;\n      }\n      const currentPositions = currentFocusedComponent.getPositions();\n      const candidates = this.focusableComponents.filter(component => component !== currentFocusedComponent && this.isInDirection_(currentPositions.boundingClientRect, component.getPositions().boundingClientRect, direction));\n      const bestCandidate = this.findBestCandidate_(currentPositions.center, candidates, direction);\n      if (bestCandidate) {\n        this.focus(bestCandidate);\n      } else {\n        this.trigger({\n          type: 'endOfFocusableComponents',\n          direction,\n          focusedComponent: currentFocusedComponent\n        });\n      }\n    }\n\n    /**\n     * Finds the best candidate on the current center position,\n     * the list of candidates, and the specified navigation direction.\n     *\n     * @param {Object} currentCenter The center position of the current focused component element.\n     * @param {Array} candidates An array of candidate components to receive focus.\n     * @param {string} direction The direction of navigation ('up', 'down', 'left', 'right').\n     * @return {Object|null} The component that is the best candidate for receiving focus.\n     */\n    findBestCandidate_(currentCenter, candidates, direction) {\n      let minDistance = Infinity;\n      let bestCandidate = null;\n      for (const candidate of candidates) {\n        const candidateCenter = candidate.getPositions().center;\n        const distance = this.calculateDistance_(currentCenter, candidateCenter, direction);\n        if (distance < minDistance) {\n          minDistance = distance;\n          bestCandidate = candidate;\n        }\n      }\n      return bestCandidate;\n    }\n\n    /**\n     * Determines if a target rectangle is in the specified navigation direction\n     * relative to a source rectangle.\n     *\n     * @param {Object} srcRect The bounding rectangle of the source element.\n     * @param {Object} targetRect The bounding rectangle of the target element.\n     * @param {string} direction The navigation direction ('up', 'down', 'left', 'right').\n     * @return {boolean} True if the target is in the specified direction relative to the source.\n     */\n    isInDirection_(srcRect, targetRect, direction) {\n      switch (direction) {\n        case 'right':\n          return targetRect.left >= srcRect.right;\n        case 'left':\n          return targetRect.right <= srcRect.left;\n        case 'down':\n          return targetRect.top >= srcRect.bottom;\n        case 'up':\n          return targetRect.bottom <= srcRect.top;\n        default:\n          return false;\n      }\n    }\n\n    /**\n     * Focus the last focused component saved before blur on player.\n     */\n    refocusComponent() {\n      if (this.lastFocusedComponent_) {\n        // If user is not active, set it to active.\n        if (!this.player_.userActive()) {\n          this.player_.userActive(true);\n        }\n        this.updateFocusableComponents();\n\n        // Search inside array of 'focusableComponents' for a match of name of\n        // the last focused component.\n        for (let i = 0; i < this.focusableComponents.length; i++) {\n          if (this.focusableComponents[i].name() === this.lastFocusedComponent_.name()) {\n            this.focus(this.focusableComponents[i]);\n            return;\n          }\n        }\n      } else {\n        this.focus(this.updateFocusableComponents()[0]);\n      }\n    }\n\n    /**\n     * Focuses on a given component.\n     * If the component is available to be focused, it focuses on the component.\n     * If not, it attempts to find a suitable DOM child within the component and focuses on it.\n     *\n     * @param {Component} component - The component to be focused.\n     */\n    focus(component) {\n      if (typeof component !== 'object') {\n        return;\n      }\n      if (component.getIsAvailableToBeFocused(component.el())) {\n        component.focus();\n      } else if (this.findSuitableDOMChild(component)) {\n        this.findSuitableDOMChild(component).focus();\n      }\n    }\n\n    /**\n     * Calculates the distance between two points, adjusting the calculation based on\n     * the specified navigation direction.\n     *\n     * @param {Object} center1 The center point of the first element.\n     * @param {Object} center2 The center point of the second element.\n     * @param {string} direction The direction of navigation ('up', 'down', 'left', 'right').\n     * @return {number} The calculated distance between the two centers.\n     */\n    calculateDistance_(center1, center2, direction) {\n      const dx = Math.abs(center1.x - center2.x);\n      const dy = Math.abs(center1.y - center2.y);\n      let distance;\n      switch (direction) {\n        case 'right':\n        case 'left':\n          // Higher weight for vertical distance in horizontal navigation.\n          distance = dx + dy * 100;\n          break;\n        case 'up':\n          // Strongly prioritize vertical proximity for UP navigation.\n          // Adjust the weight to ensure that elements directly above are favored.\n          distance = dy * 2 + dx * 0.5;\n          break;\n        case 'down':\n          // More balanced weight for vertical and horizontal distances.\n          // Adjust the weights here to find the best balance.\n          distance = dy * 5 + dx;\n          break;\n        default:\n          distance = dx + dy;\n      }\n      return distance;\n    }\n\n    /**\n     * This gets called by 'handlePlayerBlur_' if 'spatialNavigation' is enabled.\n     * Searches for the first 'TextTrackSelect' inside of modal to focus.\n     *\n     * @private\n     */\n    searchForTrackSelect_() {\n      const spatialNavigation = this;\n      for (const component of spatialNavigation.updateFocusableComponents()) {\n        if (component.constructor.name === 'TextTrackSelect') {\n          spatialNavigation.focus(component);\n          break;\n        }\n      }\n    }\n  }\n\n  /**\n   * @file loader.js\n   */\n\n  /** @import Player from '../player' */\n\n  /**\n   * The `MediaLoader` is the `Component` that decides which playback technology to load\n   * when a player is initialized.\n   *\n   * @extends Component\n   */\n  class MediaLoader extends Component$1 {\n    /**\n     * Create an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should attach to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of player options.\n     *\n     * @param {Function} [ready]\n     *        The function that is run when this component is ready.\n     */\n    constructor(player, options, ready) {\n      // MediaLoader has no element\n      const options_ = merge$2({\n        createEl: false\n      }, options);\n      super(player, options_, ready);\n\n      // If there are no sources when the player is initialized,\n      // load the first supported playback technology.\n\n      if (!options.playerOptions.sources || options.playerOptions.sources.length === 0) {\n        for (let i = 0, j = options.playerOptions.techOrder; i < j.length; i++) {\n          const techName = toTitleCase$1(j[i]);\n          let tech = Tech.getTech(techName);\n\n          // Support old behavior of techs being registered as components.\n          // Remove once that deprecated behavior is removed.\n          if (!techName) {\n            tech = Component$1.getComponent(techName);\n          }\n\n          // Check if the browser supports this technology\n          if (tech && tech.isSupported()) {\n            player.loadTech_(techName);\n            break;\n          }\n        }\n      } else {\n        // Loop through playback technologies (e.g. HTML5) and check for support.\n        // Then load the best source.\n        // A few assumptions here:\n        //   All playback technologies respect preload false.\n        player.src(options.playerOptions.sources);\n      }\n    }\n  }\n  Component$1.registerComponent('MediaLoader', MediaLoader);\n\n  /**\n   * @file clickable-component.js\n   */\n\n  /** @import Player from './player' */\n\n  /**\n   * Component which is clickable or keyboard actionable, but is not a\n   * native HTML button.\n   *\n   * @extends Component\n   */\n  class ClickableComponent extends Component$1 {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param  {Player} player\n     *         The `Player` that this class should be attached to.\n     *\n     * @param  {Object} [options]\n     *         The key/value store of component options.\n     *\n     * @param  {function} [options.clickHandler]\n     *         The function to call when the button is clicked / activated\n     *\n     * @param  {string} [options.controlText]\n     *         The text to set on the button\n     *\n     * @param  {string} [options.className]\n     *         A class or space separated list of classes to add the component\n     *\n     */\n    constructor(player, options) {\n      super(player, options);\n      if (this.options_.controlText) {\n        this.controlText(this.options_.controlText);\n      }\n      this.handleMouseOver_ = e => this.handleMouseOver(e);\n      this.handleMouseOut_ = e => this.handleMouseOut(e);\n      this.handleClick_ = e => this.handleClick(e);\n      this.handleKeyDown_ = e => this.handleKeyDown(e);\n      this.emitTapEvents();\n      this.enable();\n    }\n\n    /**\n     * Create the `ClickableComponent`s DOM element.\n     *\n     * @param {string} [tag=div]\n     *        The element's node type.\n     *\n     * @param {Object} [props={}]\n     *        An object of properties that should be set on the element.\n     *\n     * @param {Object} [attributes={}]\n     *        An object of attributes that should be set on the element.\n     *\n     * @return {Element}\n     *         The element that gets created.\n     */\n    createEl(tag = 'div', props = {}, attributes = {}) {\n      props = Object.assign({\n        className: this.buildCSSClass(),\n        tabIndex: 0\n      }, props);\n      if (tag === 'button') {\n        log$1.error(`Creating a ClickableComponent with an HTML element of ${tag} is not supported; use a Button instead.`);\n      }\n\n      // Add ARIA attributes for clickable element which is not a native HTML button\n      attributes = Object.assign({\n        role: 'button'\n      }, attributes);\n      this.tabIndex_ = props.tabIndex;\n      const el = createEl(tag, props, attributes);\n      if (!this.player_.options_.experimentalSvgIcons) {\n        el.appendChild(createEl('span', {\n          className: 'vjs-icon-placeholder'\n        }, {\n          'aria-hidden': true\n        }));\n      }\n      this.createControlTextEl(el);\n      return el;\n    }\n    dispose() {\n      // remove controlTextEl_ on dispose\n      this.controlTextEl_ = null;\n      super.dispose();\n    }\n\n    /**\n     * Create a control text element on this `ClickableComponent`\n     *\n     * @param {Element} [el]\n     *        Parent element for the control text.\n     *\n     * @return {Element}\n     *         The control text element that gets created.\n     */\n    createControlTextEl(el) {\n      this.controlTextEl_ = createEl('span', {\n        className: 'vjs-control-text'\n      }, {\n        // let the screen reader user know that the text of the element may change\n        'aria-live': 'polite'\n      });\n      if (el) {\n        el.appendChild(this.controlTextEl_);\n      }\n      this.controlText(this.controlText_, el);\n      return this.controlTextEl_;\n    }\n\n    /**\n     * Get or set the localize text to use for the controls on the `ClickableComponent`.\n     *\n     * @param {string} [text]\n     *        Control text for element.\n     *\n     * @param {Element} [el=this.el()]\n     *        Element to set the title on.\n     *\n     * @return {string}\n     *         - The control text when getting\n     */\n    controlText(text, el = this.el()) {\n      if (text === undefined) {\n        return this.controlText_ || 'Need Text';\n      }\n      const localizedText = this.localize(text);\n\n      /** @protected */\n      this.controlText_ = text;\n      textContent(this.controlTextEl_, localizedText);\n      if (!this.nonIconControl && !this.player_.options_.noUITitleAttributes) {\n        // Set title attribute if only an icon is shown\n        el.setAttribute('title', localizedText);\n      }\n    }\n\n    /**\n     * Builds the default DOM `className`.\n     *\n     * @return {string}\n     *         The DOM `className` for this object.\n     */\n    buildCSSClass() {\n      return `vjs-control vjs-button ${super.buildCSSClass()}`;\n    }\n\n    /**\n     * Enable this `ClickableComponent`\n     */\n    enable() {\n      if (!this.enabled_) {\n        this.enabled_ = true;\n        this.removeClass('vjs-disabled');\n        this.el_.setAttribute('aria-disabled', 'false');\n        if (typeof this.tabIndex_ !== 'undefined') {\n          this.el_.setAttribute('tabIndex', this.tabIndex_);\n        }\n        this.on(['tap', 'click'], this.handleClick_);\n        this.on('keydown', this.handleKeyDown_);\n      }\n    }\n\n    /**\n     * Disable this `ClickableComponent`\n     */\n    disable() {\n      this.enabled_ = false;\n      this.addClass('vjs-disabled');\n      this.el_.setAttribute('aria-disabled', 'true');\n      if (typeof this.tabIndex_ !== 'undefined') {\n        this.el_.removeAttribute('tabIndex');\n      }\n      this.off('mouseover', this.handleMouseOver_);\n      this.off('mouseout', this.handleMouseOut_);\n      this.off(['tap', 'click'], this.handleClick_);\n      this.off('keydown', this.handleKeyDown_);\n    }\n\n    /**\n     * Handles language change in ClickableComponent for the player in components\n     *\n     *\n     */\n    handleLanguagechange() {\n      this.controlText(this.controlText_);\n    }\n\n    /**\n     * Event handler that is called when a `ClickableComponent` receives a\n     * `click` or `tap` event.\n     *\n     * @param {Event} event\n     *        The `tap` or `click` event that caused this function to be called.\n     *\n     * @listens tap\n     * @listens click\n     * @abstract\n     */\n    handleClick(event) {\n      if (this.options_.clickHandler) {\n        this.options_.clickHandler.call(this, arguments);\n      }\n    }\n\n    /**\n     * Event handler that is called when a `ClickableComponent` receives a\n     * `keydown` event.\n     *\n     * By default, if the key is Space or Enter, it will trigger a `click` event.\n     *\n     * @param {KeyboardEvent} event\n     *        The `keydown` event that caused this function to be called.\n     *\n     * @listens keydown\n     */\n    handleKeyDown(event) {\n      // Support Space or Enter key operation to fire a click event. Also,\n      // prevent the event from propagating through the DOM and triggering\n      // Player hotkeys.\n      if (event.key === ' ' || event.key === 'Enter') {\n        event.preventDefault();\n        event.stopPropagation();\n        this.trigger('click');\n      } else {\n        // Pass keypress handling up for unsupported keys\n        super.handleKeyDown(event);\n      }\n    }\n  }\n  Component$1.registerComponent('ClickableComponent', ClickableComponent);\n\n  /**\n   * @file poster-image.js\n   */\n\n  /** @import Player from './player' */\n\n  /**\n   * A `ClickableComponent` that handles showing the poster image for the player.\n   *\n   * @extends ClickableComponent\n   */\n  class PosterImage extends ClickableComponent {\n    /**\n     * Create an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should attach to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of player options.\n     */\n    constructor(player, options) {\n      super(player, options);\n      this.update();\n      this.update_ = e => this.update(e);\n      player.on('posterchange', this.update_);\n    }\n\n    /**\n     * Clean up and dispose of the `PosterImage`.\n     */\n    dispose() {\n      this.player().off('posterchange', this.update_);\n      super.dispose();\n    }\n\n    /**\n     * Create the `PosterImage`s DOM element.\n     *\n     * @return {Element}\n     *         The element that gets created.\n     */\n    createEl() {\n      // The el is an empty div to keep position in the DOM\n      // A picture and img el will be inserted when a source is set\n      return createEl('div', {\n        className: 'vjs-poster'\n      });\n    }\n\n    /**\n     * Get or set the `PosterImage`'s crossOrigin option.\n     *\n     * @param {string|null} [value]\n     *        The value to set the crossOrigin to. If an argument is\n     *        given, must be one of `'anonymous'` or `'use-credentials'`, or 'null'.\n     *\n     * @return {string|null}\n     *         - The current crossOrigin value of the `Player` when getting.\n     *         - undefined when setting\n     */\n    crossOrigin(value) {\n      // `null` can be set to unset a value\n      if (typeof value === 'undefined') {\n        if (this.$('img')) {\n          // If the poster's element exists, give its value\n          return this.$('img').crossOrigin;\n        } else if (this.player_.tech_ && this.player_.tech_.isReady_) {\n          // If not but the tech is ready, query the tech\n          return this.player_.crossOrigin();\n        }\n        // Otherwise check options as the  poster is usually set before the state of crossorigin\n        // can be retrieved by the getter\n        return this.player_.options_.crossOrigin || this.player_.options_.crossorigin || null;\n      }\n      if (value !== null && value !== 'anonymous' && value !== 'use-credentials') {\n        this.player_.log.warn(`crossOrigin must be null,  \"anonymous\" or \"use-credentials\", given \"${value}\"`);\n        return;\n      }\n      if (this.$('img')) {\n        this.$('img').crossOrigin = value;\n      }\n      return;\n    }\n\n    /**\n     * An {@link EventTarget~EventListener} for {@link Player#posterchange} events.\n     *\n     * @listens Player#posterchange\n     *\n     * @param {Event} [event]\n     *        The `Player#posterchange` event that triggered this function.\n     */\n    update(event) {\n      const url = this.player().poster();\n      this.setSrc(url);\n\n      // If there's no poster source we should display:none on this component\n      // so it's not still clickable or right-clickable\n      if (url) {\n        this.show();\n      } else {\n        this.hide();\n      }\n    }\n\n    /**\n     * Set the source of the `PosterImage` depending on the display method. (Re)creates\n     * the inner picture and img elementss when needed.\n     *\n     * @param {string} [url]\n     *        The URL to the source for the `PosterImage`. If not specified or falsy,\n     *        any source and ant inner picture/img are removed.\n     */\n    setSrc(url) {\n      if (!url) {\n        this.el_.textContent = '';\n        return;\n      }\n      if (!this.$('img')) {\n        this.el_.appendChild(createEl('picture', {\n          className: 'vjs-poster',\n          // Don't want poster to be tabbable.\n          tabIndex: -1\n        }, {}, createEl('img', {\n          loading: 'lazy',\n          crossOrigin: this.crossOrigin()\n        }, {\n          alt: ''\n        })));\n      }\n      this.$('img').src = url;\n    }\n\n    /**\n     * An {@link EventTarget~EventListener} for clicks on the `PosterImage`. See\n     * {@link ClickableComponent#handleClick} for instances where this will be triggered.\n     *\n     * @listens tap\n     * @listens click\n     * @listens keydown\n     *\n     * @param {Event} event\n     +        The `click`, `tap` or `keydown` event that caused this function to be called.\n     */\n    handleClick(event) {\n      // We don't want a click to trigger playback when controls are disabled\n      if (!this.player_.controls()) {\n        return;\n      }\n      if (this.player_.tech(true)) {\n        this.player_.tech(true).focus();\n      }\n      if (this.player_.paused()) {\n        silencePromise(this.player_.play());\n      } else {\n        this.player_.pause();\n      }\n    }\n  }\n\n  /**\n   * Get or set the `PosterImage`'s crossorigin option. For the HTML5 player, this\n   * sets the `crossOrigin` property on the `<img>` tag to control the CORS\n   * behavior.\n   *\n   * @param {string|null} [value]\n   *        The value to set the `PosterImages`'s crossorigin to. If an argument is\n   *        given, must be one of `anonymous` or `use-credentials`.\n   *\n   * @return {string|null|undefined}\n   *         - The current crossorigin value of the `Player` when getting.\n   *         - undefined when setting\n   */\n  PosterImage.prototype.crossorigin = PosterImage.prototype.crossOrigin;\n  Component$1.registerComponent('PosterImage', PosterImage);\n\n  /**\n   * @file text-track-display.js\n   */\n\n  /** @import Player from '../player' */\n\n  const darkGray = '#222';\n  const lightGray = '#ccc';\n  const fontMap = {\n    monospace: 'monospace',\n    sansSerif: 'sans-serif',\n    serif: 'serif',\n    monospaceSansSerif: '\"Andale Mono\", \"Lucida Console\", monospace',\n    monospaceSerif: '\"Courier New\", monospace',\n    proportionalSansSerif: 'sans-serif',\n    proportionalSerif: 'serif',\n    casual: '\"Comic Sans MS\", Impact, fantasy',\n    script: '\"Monotype Corsiva\", cursive',\n    smallcaps: '\"Andale Mono\", \"Lucida Console\", monospace, sans-serif'\n  };\n\n  /**\n   * Construct an rgba color from a given hex color code.\n   *\n   * @param {number} color\n   *        Hex number for color, like #f0e or #f604e2.\n   *\n   * @param {number} opacity\n   *        Value for opacity, 0.0 - 1.0.\n   *\n   * @return {string}\n   *         The rgba color that was created, like 'rgba(255, 0, 0, 0.3)'.\n   */\n  function constructColor(color, opacity) {\n    let hex;\n    if (color.length === 4) {\n      // color looks like \"#f0e\"\n      hex = color[1] + color[1] + color[2] + color[2] + color[3] + color[3];\n    } else if (color.length === 7) {\n      // color looks like \"#f604e2\"\n      hex = color.slice(1);\n    } else {\n      throw new Error('Invalid color code provided, ' + color + '; must be formatted as e.g. #f0e or #f604e2.');\n    }\n    return 'rgba(' + parseInt(hex.slice(0, 2), 16) + ',' + parseInt(hex.slice(2, 4), 16) + ',' + parseInt(hex.slice(4, 6), 16) + ',' + opacity + ')';\n  }\n\n  /**\n   * Try to update the style of a DOM element. Some style changes will throw an error,\n   * particularly in IE8. Those should be noops.\n   *\n   * @param {Element} el\n   *        The DOM element to be styled.\n   *\n   * @param {string} style\n   *        The CSS property on the element that should be styled.\n   *\n   * @param {string} rule\n   *        The style rule that should be applied to the property.\n   *\n   * @private\n   */\n  function tryUpdateStyle(el, style, rule) {\n    try {\n      el.style[style] = rule;\n    } catch (e) {\n      // Satisfies linter.\n      return;\n    }\n  }\n\n  /**\n   * Converts the CSS top/right/bottom/left property numeric value to string in pixels.\n   *\n   * @param {number} position\n   *        The CSS top/right/bottom/left property value.\n   *\n   * @return {string}\n   *          The CSS property value that was created, like '10px'.\n   *\n   * @private\n   */\n  function getCSSPositionValue(position) {\n    return position ? `${position}px` : '';\n  }\n\n  /**\n   * The component for displaying text track cues.\n   *\n   * @extends Component\n   */\n  class TextTrackDisplay extends Component$1 {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of player options.\n     *\n     * @param {Function} [ready]\n     *        The function to call when `TextTrackDisplay` is ready.\n     */\n    constructor(player, options, ready) {\n      super(player, options, ready);\n      const updateDisplayTextHandler = e => this.updateDisplay(e);\n      const updateDisplayHandler = e => {\n        this.updateDisplayOverlay();\n        this.updateDisplay(e);\n      };\n      player.on('loadstart', e => this.toggleDisplay(e));\n      player.on('texttrackchange', updateDisplayTextHandler);\n      player.on('loadedmetadata', e => {\n        this.updateDisplayOverlay();\n        this.preselectTrack(e);\n      });\n\n      // This used to be called during player init, but was causing an error\n      // if a track should show by default and the display hadn't loaded yet.\n      // Should probably be moved to an external track loader when we support\n      // tracks that don't need a display.\n      player.ready(bind_(this, function () {\n        if (player.tech_ && player.tech_.featuresNativeTextTracks) {\n          this.hide();\n          return;\n        }\n        player.on('fullscreenchange', updateDisplayHandler);\n        player.on('playerresize', updateDisplayHandler);\n        const screenOrientation = window.screen.orientation || window;\n        const changeOrientationEvent = window.screen.orientation ? 'change' : 'orientationchange';\n        screenOrientation.addEventListener(changeOrientationEvent, updateDisplayHandler);\n        player.on('dispose', () => screenOrientation.removeEventListener(changeOrientationEvent, updateDisplayHandler));\n        const tracks = this.options_.playerOptions.tracks || [];\n        for (let i = 0; i < tracks.length; i++) {\n          this.player_.addRemoteTextTrack(tracks[i], true);\n        }\n        this.preselectTrack();\n      }));\n    }\n\n    /**\n    * Preselect a track following this precedence:\n    * - matches the previously selected {@link TextTrack}'s language and kind\n    * - matches the previously selected {@link TextTrack}'s language only\n    * - is the first default captions track\n    * - is the first default descriptions track\n    *\n    * @listens Player#loadstart\n    */\n    preselectTrack() {\n      const modes = {\n        captions: 1,\n        subtitles: 1\n      };\n      const trackList = this.player_.textTracks();\n      const userPref = this.player_.cache_.selectedLanguage;\n      let firstDesc;\n      let firstCaptions;\n      let preferredTrack;\n      for (let i = 0; i < trackList.length; i++) {\n        const track = trackList[i];\n        if (userPref && userPref.enabled && userPref.language && userPref.language === track.language && track.kind in modes) {\n          // Always choose the track that matches both language and kind\n          if (track.kind === userPref.kind) {\n            preferredTrack = track;\n            // or choose the first track that matches language\n          } else if (!preferredTrack) {\n            preferredTrack = track;\n          }\n\n          // clear everything if offTextTrackMenuItem was clicked\n        } else if (userPref && !userPref.enabled) {\n          preferredTrack = null;\n          firstDesc = null;\n          firstCaptions = null;\n        } else if (track.default) {\n          if (track.kind === 'descriptions' && !firstDesc) {\n            firstDesc = track;\n          } else if (track.kind in modes && !firstCaptions) {\n            firstCaptions = track;\n          }\n        }\n      }\n\n      // The preferredTrack matches the user preference and takes\n      // precedence over all the other tracks.\n      // So, display the preferredTrack before the first default track\n      // and the subtitles/captions track before the descriptions track\n      if (preferredTrack) {\n        preferredTrack.mode = 'showing';\n      } else if (firstCaptions) {\n        firstCaptions.mode = 'showing';\n      } else if (firstDesc) {\n        firstDesc.mode = 'showing';\n      }\n    }\n\n    /**\n     * Turn display of {@link TextTrack}'s from the current state into the other state.\n     * There are only two states:\n     * - 'shown'\n     * - 'hidden'\n     *\n     * @listens Player#loadstart\n     */\n    toggleDisplay() {\n      if (this.player_.tech_ && this.player_.tech_.featuresNativeTextTracks) {\n        this.hide();\n      } else {\n        this.show();\n      }\n    }\n\n    /**\n     * Create the {@link Component}'s DOM element.\n     *\n     * @return {Element}\n     *         The element that was created.\n     */\n    createEl() {\n      return super.createEl('div', {\n        className: 'vjs-text-track-display'\n      }, {\n        'translate': 'yes',\n        'aria-live': 'off',\n        'aria-atomic': 'true'\n      });\n    }\n\n    /**\n     * Clear all displayed {@link TextTrack}s.\n     */\n    clearDisplay() {\n      if (typeof window.WebVTT === 'function') {\n        window.WebVTT.processCues(window, [], this.el_);\n      }\n    }\n\n    /**\n     * Update the displayed TextTrack when a either a {@link Player#texttrackchange} or\n     * a {@link Player#fullscreenchange} is fired.\n     *\n     * @listens Player#texttrackchange\n     * @listens Player#fullscreenchange\n     */\n    updateDisplay() {\n      const tracks = this.player_.textTracks();\n      const allowMultipleShowingTracks = this.options_.allowMultipleShowingTracks;\n      this.clearDisplay();\n      if (allowMultipleShowingTracks) {\n        const showingTracks = [];\n        for (let i = 0; i < tracks.length; ++i) {\n          const track = tracks[i];\n          if (track.mode !== 'showing') {\n            continue;\n          }\n          showingTracks.push(track);\n        }\n        this.updateForTrack(showingTracks);\n        return;\n      }\n\n      //  Track display prioritization model: if multiple tracks are 'showing',\n      //  display the first 'subtitles' or 'captions' track which is 'showing',\n      //  otherwise display the first 'descriptions' track which is 'showing'\n\n      let descriptionsTrack = null;\n      let captionsSubtitlesTrack = null;\n      let i = tracks.length;\n      while (i--) {\n        const track = tracks[i];\n        if (track.mode === 'showing') {\n          if (track.kind === 'descriptions') {\n            descriptionsTrack = track;\n          } else {\n            captionsSubtitlesTrack = track;\n          }\n        }\n      }\n      if (captionsSubtitlesTrack) {\n        if (this.getAttribute('aria-live') !== 'off') {\n          this.setAttribute('aria-live', 'off');\n        }\n        this.updateForTrack(captionsSubtitlesTrack);\n      } else if (descriptionsTrack) {\n        if (this.getAttribute('aria-live') !== 'assertive') {\n          this.setAttribute('aria-live', 'assertive');\n        }\n        this.updateForTrack(descriptionsTrack);\n      }\n      if (!window.CSS.supports('inset', '10px')) {\n        const textTrackDisplay = this.el_;\n        const vjsTextTrackCues = textTrackDisplay.querySelectorAll('.vjs-text-track-cue');\n        const controlBarHeight = this.player_.controlBar.el_.getBoundingClientRect().height;\n        const playerHeight = this.player_.el_.getBoundingClientRect().height;\n\n        // Clear inline style before getting actual height of textTrackDisplay\n        textTrackDisplay.style = '';\n\n        // textrack style updates, this styles are required to be inline\n        tryUpdateStyle(textTrackDisplay, 'position', 'relative');\n        tryUpdateStyle(textTrackDisplay, 'height', playerHeight - controlBarHeight + 'px');\n        tryUpdateStyle(textTrackDisplay, 'top', 'unset');\n        if (IS_SMART_TV) {\n          tryUpdateStyle(textTrackDisplay, 'bottom', playerHeight + 'px');\n        } else {\n          tryUpdateStyle(textTrackDisplay, 'bottom', '0px');\n        }\n\n        // vjsTextTrackCue style updates\n        if (vjsTextTrackCues.length > 0) {\n          vjsTextTrackCues.forEach(vjsTextTrackCue => {\n            // verify if inset styles are inline\n            if (vjsTextTrackCue.style.inset) {\n              const insetStyles = vjsTextTrackCue.style.inset.split(' ');\n\n              // expected value is always 3\n              if (insetStyles.length === 3) {\n                Object.assign(vjsTextTrackCue.style, {\n                  top: insetStyles[0],\n                  right: insetStyles[1],\n                  bottom: insetStyles[2],\n                  left: 'unset'\n                });\n              }\n            }\n          });\n        }\n      }\n    }\n\n    /**\n     * Updates the displayed TextTrack to be sure it overlays the video when a either\n     * a {@link Player#texttrackchange} or a {@link Player#fullscreenchange} is fired.\n     */\n    updateDisplayOverlay() {\n      // inset-inline and inset-block are not supprted on old chrome, but these are\n      // only likely to be used on TV devices\n      if (!this.player_.videoHeight() || !window.CSS.supports('inset-inline: 10px')) {\n        return;\n      }\n      const playerWidth = this.player_.currentWidth();\n      const playerHeight = this.player_.currentHeight();\n      const playerAspectRatio = playerWidth / playerHeight;\n      const videoAspectRatio = this.player_.videoWidth() / this.player_.videoHeight();\n      let insetInlineMatch = 0;\n      let insetBlockMatch = 0;\n      if (Math.abs(playerAspectRatio - videoAspectRatio) > 0.1) {\n        if (playerAspectRatio > videoAspectRatio) {\n          insetInlineMatch = Math.round((playerWidth - playerHeight * videoAspectRatio) / 2);\n        } else {\n          insetBlockMatch = Math.round((playerHeight - playerWidth / videoAspectRatio) / 2);\n        }\n      }\n      tryUpdateStyle(this.el_, 'insetInline', getCSSPositionValue(insetInlineMatch));\n      tryUpdateStyle(this.el_, 'insetBlock', getCSSPositionValue(insetBlockMatch));\n    }\n\n    /**\n     * Style {@Link TextTrack} activeCues according to {@Link TextTrackSettings}.\n     *\n     * @param {TextTrack} track\n     *        Text track object containing active cues to style.\n     */\n    updateDisplayState(track) {\n      const overrides = this.player_.textTrackSettings.getValues();\n      const cues = track.activeCues;\n      let i = cues.length;\n      while (i--) {\n        const cue = cues[i];\n        if (!cue) {\n          continue;\n        }\n        const cueDiv = cue.displayState;\n        if (overrides.color) {\n          cueDiv.firstChild.style.color = overrides.color;\n        }\n        if (overrides.textOpacity) {\n          tryUpdateStyle(cueDiv.firstChild, 'color', constructColor(overrides.color || '#fff', overrides.textOpacity));\n        }\n        if (overrides.backgroundColor) {\n          cueDiv.firstChild.style.backgroundColor = overrides.backgroundColor;\n        }\n        if (overrides.backgroundOpacity) {\n          tryUpdateStyle(cueDiv.firstChild, 'backgroundColor', constructColor(overrides.backgroundColor || '#000', overrides.backgroundOpacity));\n        }\n        if (overrides.windowColor) {\n          if (overrides.windowOpacity) {\n            tryUpdateStyle(cueDiv, 'backgroundColor', constructColor(overrides.windowColor, overrides.windowOpacity));\n          } else {\n            cueDiv.style.backgroundColor = overrides.windowColor;\n          }\n        }\n        if (overrides.edgeStyle) {\n          if (overrides.edgeStyle === 'dropshadow') {\n            cueDiv.firstChild.style.textShadow = `2px 2px 3px ${darkGray}, 2px 2px 4px ${darkGray}, 2px 2px 5px ${darkGray}`;\n          } else if (overrides.edgeStyle === 'raised') {\n            cueDiv.firstChild.style.textShadow = `1px 1px ${darkGray}, 2px 2px ${darkGray}, 3px 3px ${darkGray}`;\n          } else if (overrides.edgeStyle === 'depressed') {\n            cueDiv.firstChild.style.textShadow = `1px 1px ${lightGray}, 0 1px ${lightGray}, -1px -1px ${darkGray}, 0 -1px ${darkGray}`;\n          } else if (overrides.edgeStyle === 'uniform') {\n            cueDiv.firstChild.style.textShadow = `0 0 4px ${darkGray}, 0 0 4px ${darkGray}, 0 0 4px ${darkGray}, 0 0 4px ${darkGray}`;\n          }\n        }\n        if (overrides.fontPercent && overrides.fontPercent !== 1) {\n          const fontSize = window.parseFloat(cueDiv.style.fontSize);\n          cueDiv.style.fontSize = fontSize * overrides.fontPercent + 'px';\n          cueDiv.style.height = 'auto';\n          cueDiv.style.top = 'auto';\n        }\n        if (overrides.fontFamily && overrides.fontFamily !== 'default') {\n          if (overrides.fontFamily === 'small-caps') {\n            cueDiv.firstChild.style.fontVariant = 'small-caps';\n          } else {\n            cueDiv.firstChild.style.fontFamily = fontMap[overrides.fontFamily];\n          }\n        }\n      }\n    }\n\n    /**\n     * Add an {@link TextTrack} to to the {@link Tech}s {@link TextTrackList}.\n     *\n     * @param {TextTrack|TextTrack[]} tracks\n     *        Text track object or text track array to be added to the list.\n     */\n    updateForTrack(tracks) {\n      if (!Array.isArray(tracks)) {\n        tracks = [tracks];\n      }\n      if (typeof window.WebVTT !== 'function' || tracks.every(track => {\n        return !track.activeCues;\n      })) {\n        return;\n      }\n      const cues = [];\n\n      // push all active track cues\n      for (let i = 0; i < tracks.length; ++i) {\n        const track = tracks[i];\n        for (let j = 0; j < track.activeCues.length; ++j) {\n          cues.push(track.activeCues[j]);\n        }\n      }\n\n      // removes all cues before it processes new ones\n      window.WebVTT.processCues(window, cues, this.el_);\n\n      // add unique class to each language text track & add settings styling if necessary\n      for (let i = 0; i < tracks.length; ++i) {\n        const track = tracks[i];\n        for (let j = 0; j < track.activeCues.length; ++j) {\n          const cueEl = track.activeCues[j].displayState;\n          addClass(cueEl, 'vjs-text-track-cue', 'vjs-text-track-cue-' + (track.language ? track.language : i));\n          if (track.language) {\n            setAttribute(cueEl, 'lang', track.language);\n          }\n        }\n        if (this.player_.textTrackSettings) {\n          this.updateDisplayState(track);\n        }\n      }\n    }\n  }\n  Component$1.registerComponent('TextTrackDisplay', TextTrackDisplay);\n\n  /**\n   * @file loading-spinner.js\n   */\n\n  /**\n   * A loading spinner for use during waiting/loading events.\n   *\n   * @extends Component\n   */\n  class LoadingSpinner extends Component$1 {\n    /**\n     * Create the `LoadingSpinner`s DOM element.\n     *\n     * @return {Element}\n     *         The dom element that gets created.\n     */\n    createEl() {\n      const isAudio = this.player_.isAudio();\n      const playerType = this.localize(isAudio ? 'Audio Player' : 'Video Player');\n      const controlText = createEl('span', {\n        className: 'vjs-control-text',\n        textContent: this.localize('{1} is loading.', [playerType])\n      });\n      const el = super.createEl('div', {\n        className: 'vjs-loading-spinner',\n        dir: 'ltr'\n      });\n      el.appendChild(controlText);\n      return el;\n    }\n\n    /**\n     * Update control text on languagechange\n     */\n    handleLanguagechange() {\n      this.$('.vjs-control-text').textContent = this.localize('{1} is loading.', [this.player_.isAudio() ? 'Audio Player' : 'Video Player']);\n    }\n  }\n  Component$1.registerComponent('LoadingSpinner', LoadingSpinner);\n\n  /**\n   * @file button.js\n   */\n\n  /**\n   * Base class for all buttons.\n   *\n   * @extends ClickableComponent\n   */\n  class Button extends ClickableComponent {\n    /**\n     * Create the `Button`s DOM element.\n     *\n     * @param {string} [tag=\"button\"]\n     *        The element's node type. This argument is IGNORED: no matter what\n     *        is passed, it will always create a `button` element.\n     *\n     * @param {Object} [props={}]\n     *        An object of properties that should be set on the element.\n     *\n     * @param {Object} [attributes={}]\n     *        An object of attributes that should be set on the element.\n     *\n     * @return {Element}\n     *         The element that gets created.\n     */\n    createEl(tag, props = {}, attributes = {}) {\n      tag = 'button';\n      props = Object.assign({\n        className: this.buildCSSClass()\n      }, props);\n\n      // Add attributes for button element\n      attributes = Object.assign({\n        // Necessary since the default button type is \"submit\"\n        type: 'button'\n      }, attributes);\n      const el = createEl(tag, props, attributes);\n      if (!this.player_.options_.experimentalSvgIcons) {\n        el.appendChild(createEl('span', {\n          className: 'vjs-icon-placeholder'\n        }, {\n          'aria-hidden': true\n        }));\n      }\n      this.createControlTextEl(el);\n      return el;\n    }\n\n    /**\n     * Add a child `Component` inside of this `Button`.\n     *\n     * @param {string|Component} child\n     *        The name or instance of a child to add.\n     *\n     * @param {Object} [options={}]\n     *        The key/value store of options that will get passed to children of\n     *        the child.\n     *\n     * @return {Component}\n     *         The `Component` that gets added as a child. When using a string the\n     *         `Component` will get created by this process.\n     *\n     * @deprecated since version 5\n     */\n    addChild(child, options = {}) {\n      const className = this.constructor.name;\n      log$1.warn(`Adding an actionable (user controllable) child to a Button (${className}) is not supported; use a ClickableComponent instead.`);\n\n      // Avoid the error message generated by ClickableComponent's addChild method\n      return Component$1.prototype.addChild.call(this, child, options);\n    }\n\n    /**\n     * Enable the `Button` element so that it can be activated or clicked. Use this with\n     * {@link Button#disable}.\n     */\n    enable() {\n      super.enable();\n      this.el_.removeAttribute('disabled');\n    }\n\n    /**\n     * Disable the `Button` element so that it cannot be activated or clicked. Use this with\n     * {@link Button#enable}.\n     */\n    disable() {\n      super.disable();\n      this.el_.setAttribute('disabled', 'disabled');\n    }\n\n    /**\n     * This gets called when a `Button` has focus and `keydown` is triggered via a key\n     * press.\n     *\n     * @param {KeyboardEvent} event\n     *        The event that caused this function to get called.\n     *\n     * @listens keydown\n     */\n    handleKeyDown(event) {\n      // Ignore Space or Enter key operation, which is handled by the browser for\n      // a button - though not for its super class, ClickableComponent. Also,\n      // prevent the event from propagating through the DOM and triggering Player\n      // hotkeys. We do not preventDefault here because we _want_ the browser to\n      // handle it.\n      if (event.key === ' ' || event.key === 'Enter') {\n        event.stopPropagation();\n        return;\n      }\n\n      // Pass keypress handling up for unsupported keys\n      super.handleKeyDown(event);\n    }\n  }\n  Component$1.registerComponent('Button', Button);\n\n  /**\n   * @file big-play-button.js\n   */\n\n  /**\n   * The initial play button that shows before the video has played. The hiding of the\n   * `BigPlayButton` get done via CSS and `Player` states.\n   *\n   * @extends Button\n   */\n  class BigPlayButton extends Button {\n    constructor(player, options) {\n      super(player, options);\n      this.mouseused_ = false;\n      this.setIcon('play');\n      this.on('mousedown', e => this.handleMouseDown(e));\n    }\n\n    /**\n     * Builds the default DOM `className`.\n     *\n     * @return {string}\n     *         The DOM `className` for this object. Always returns 'vjs-big-play-button'.\n     */\n    buildCSSClass() {\n      return 'vjs-big-play-button';\n    }\n\n    /**\n     * This gets called when a `BigPlayButton` \"clicked\". See {@link ClickableComponent}\n     * for more detailed information on what a click can be.\n     *\n     * @param {KeyboardEvent|MouseEvent|TouchEvent} event\n     *        The `keydown`, `tap`, or `click` event that caused this function to be\n     *        called.\n     *\n     * @listens tap\n     * @listens click\n     */\n    handleClick(event) {\n      const playPromise = this.player_.play();\n\n      // exit early if clicked via the mouse\n      if (this.mouseused_ && 'clientX' in event && 'clientY' in event) {\n        silencePromise(playPromise);\n        if (this.player_.tech(true)) {\n          this.player_.tech(true).focus();\n        }\n        return;\n      }\n      const cb = this.player_.getChild('controlBar');\n      const playToggle = cb && cb.getChild('playToggle');\n      if (!playToggle) {\n        this.player_.tech(true).focus();\n        return;\n      }\n      const playFocus = () => playToggle.focus();\n      if (isPromise(playPromise)) {\n        playPromise.then(playFocus, () => {});\n      } else {\n        this.setTimeout(playFocus, 1);\n      }\n    }\n\n    /**\n     * Event handler that is called when a `BigPlayButton` receives a\n     * `keydown` event.\n     *\n     * @param {KeyboardEvent} event\n     *        The `keydown` event that caused this function to be called.\n     *\n     * @listens keydown\n     */\n    handleKeyDown(event) {\n      this.mouseused_ = false;\n      super.handleKeyDown(event);\n    }\n\n    /**\n     * Handle `mousedown` events on the `BigPlayButton`.\n     *\n     * @param {MouseEvent} event\n     *        `mousedown` or `touchstart` event that triggered this function\n     *\n     * @listens mousedown\n     */\n    handleMouseDown(event) {\n      this.mouseused_ = true;\n    }\n  }\n\n  /**\n   * The text that should display over the `BigPlayButton`s controls. Added to for localization.\n   *\n   * @type {string}\n   * @protected\n   */\n  BigPlayButton.prototype.controlText_ = 'Play Video';\n  Component$1.registerComponent('BigPlayButton', BigPlayButton);\n\n  /**\n   * @file close-button.js\n   */\n\n  /** @import Player from './player' */\n\n  /**\n   * The `CloseButton` is a `{@link Button}` that fires a `close` event when\n   * it gets clicked.\n   *\n   * @extends Button\n   */\n  class CloseButton extends Button {\n    /**\n    * Creates an instance of the this class.\n    *\n    * @param  {Player} player\n    *         The `Player` that this class should be attached to.\n    *\n    * @param  {Object} [options]\n    *         The key/value store of player options.\n    */\n    constructor(player, options) {\n      super(player, options);\n      this.setIcon('cancel');\n      this.controlText(options && options.controlText || this.localize('Close'));\n    }\n\n    /**\n    * Builds the default DOM `className`.\n    *\n    * @return {string}\n    *         The DOM `className` for this object.\n    */\n    buildCSSClass() {\n      return `vjs-close-button ${super.buildCSSClass()}`;\n    }\n\n    /**\n     * This gets called when a `CloseButton` gets clicked. See\n     * {@link ClickableComponent#handleClick} for more information on when\n     * this will be triggered\n     *\n     * @param {Event} event\n     *        The `keydown`, `tap`, or `click` event that caused this function to be\n     *        called.\n     *\n     * @listens tap\n     * @listens click\n     * @fires CloseButton#close\n     */\n    handleClick(event) {\n      /**\n       * Triggered when the a `CloseButton` is clicked.\n       *\n       * @event CloseButton#close\n       * @type {Event}\n       *\n       * @property {boolean} [bubbles=false]\n       *           set to false so that the close event does not\n       *           bubble up to parents if there is no listener\n       */\n      this.trigger({\n        type: 'close',\n        bubbles: false\n      });\n    }\n    /**\n     * Event handler that is called when a `CloseButton` receives a\n     * `keydown` event.\n     *\n     * By default, if the key is Esc, it will trigger a `click` event.\n     *\n     * @param {KeyboardEvent} event\n     *        The `keydown` event that caused this function to be called.\n     *\n     * @listens keydown\n     */\n    handleKeyDown(event) {\n      // Esc button will trigger `click` event\n      if (event.key === 'Escape') {\n        event.preventDefault();\n        event.stopPropagation();\n        this.trigger('click');\n      } else {\n        // Pass keypress handling up for unsupported keys\n        super.handleKeyDown(event);\n      }\n    }\n  }\n  Component$1.registerComponent('CloseButton', CloseButton);\n\n  /**\n   * @file play-toggle.js\n   */\n\n  /** @import Player from './player' */\n\n  /**\n   * Button to toggle between play and pause.\n   *\n   * @extends Button\n   */\n  class PlayToggle extends Button {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options={}]\n     *        The key/value store of player options.\n     */\n    constructor(player, options = {}) {\n      super(player, options);\n\n      // show or hide replay icon\n      options.replay = options.replay === undefined || options.replay;\n      this.setIcon('play');\n      this.on(player, 'play', e => this.handlePlay(e));\n      this.on(player, 'pause', e => this.handlePause(e));\n      if (options.replay) {\n        this.on(player, 'ended', e => this.handleEnded(e));\n      }\n    }\n\n    /**\n     * Builds the default DOM `className`.\n     *\n     * @return {string}\n     *         The DOM `className` for this object.\n     */\n    buildCSSClass() {\n      return `vjs-play-control ${super.buildCSSClass()}`;\n    }\n\n    /**\n     * This gets called when an `PlayToggle` is \"clicked\". See\n     * {@link ClickableComponent} for more detailed information on what a click can be.\n     *\n     * @param {Event} [event]\n     *        The `keydown`, `tap`, or `click` event that caused this function to be\n     *        called.\n     *\n     * @listens tap\n     * @listens click\n     */\n    handleClick(event) {\n      if (this.player_.paused()) {\n        silencePromise(this.player_.play());\n      } else {\n        this.player_.pause();\n      }\n    }\n\n    /**\n     * This gets called once after the video has ended and the user seeks so that\n     * we can change the replay button back to a play button.\n     *\n     * @param {Event} [event]\n     *        The event that caused this function to run.\n     *\n     * @listens Player#seeked\n     */\n    handleSeeked(event) {\n      this.removeClass('vjs-ended');\n      if (this.player_.paused()) {\n        this.handlePause(event);\n      } else {\n        this.handlePlay(event);\n      }\n    }\n\n    /**\n     * Add the vjs-playing class to the element so it can change appearance.\n     *\n     * @param {Event} [event]\n     *        The event that caused this function to run.\n     *\n     * @listens Player#play\n     */\n    handlePlay(event) {\n      this.removeClass('vjs-ended', 'vjs-paused');\n      this.addClass('vjs-playing');\n      // change the button text to \"Pause\"\n      this.setIcon('pause');\n      this.controlText('Pause');\n    }\n\n    /**\n     * Add the vjs-paused class to the element so it can change appearance.\n     *\n     * @param {Event} [event]\n     *        The event that caused this function to run.\n     *\n     * @listens Player#pause\n     */\n    handlePause(event) {\n      this.removeClass('vjs-playing');\n      this.addClass('vjs-paused');\n      // change the button text to \"Play\"\n      this.setIcon('play');\n      this.controlText('Play');\n    }\n\n    /**\n     * Add the vjs-ended class to the element so it can change appearance\n     *\n     * @param {Event} [event]\n     *        The event that caused this function to run.\n     *\n     * @listens Player#ended\n     */\n    handleEnded(event) {\n      this.removeClass('vjs-playing');\n      this.addClass('vjs-ended');\n      // change the button text to \"Replay\"\n      this.setIcon('replay');\n      this.controlText('Replay');\n\n      // on the next seek remove the replay button\n      this.one(this.player_, 'seeked', e => this.handleSeeked(e));\n    }\n  }\n\n  /**\n   * The text that should display over the `PlayToggle`s controls. Added for localization.\n   *\n   * @type {string}\n   * @protected\n   */\n  PlayToggle.prototype.controlText_ = 'Play';\n  Component$1.registerComponent('PlayToggle', PlayToggle);\n\n  /**\n   * @file time-display.js\n   */\n\n  /** @import Player from '../../player' */\n\n  /**\n   * Displays time information about the video\n   *\n   * @extends Component\n   */\n  class TimeDisplay extends Component$1 {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of player options.\n     */\n    constructor(player, options) {\n      super(player, options);\n      this.on(player, ['timeupdate', 'ended', 'seeking'], e => this.update(e));\n      this.updateTextNode_();\n    }\n\n    /**\n     * Create the `Component`'s DOM element\n     *\n     * @return {Element}\n     *         The element that was created.\n     */\n    createEl() {\n      const className = this.buildCSSClass();\n      const el = super.createEl('div', {\n        className: `${className} vjs-time-control vjs-control`\n      });\n      const span = createEl('span', {\n        className: 'vjs-control-text',\n        textContent: `${this.localize(this.labelText_)}\\u00a0`\n      }, {\n        role: 'presentation'\n      });\n      el.appendChild(span);\n      this.contentEl_ = createEl('span', {\n        className: `${className}-display`\n      }, {\n        // span elements have no implicit role, but some screen readers (notably VoiceOver)\n        // treat them as a break between items in the DOM when using arrow keys\n        // (or left-to-right swipes on iOS) to read contents of a page. Using\n        // role='presentation' causes VoiceOver to NOT treat this span as a break.\n        role: 'presentation'\n      });\n      el.appendChild(this.contentEl_);\n      return el;\n    }\n    dispose() {\n      this.contentEl_ = null;\n      this.textNode_ = null;\n      super.dispose();\n    }\n\n    /**\n     * Updates the displayed time according to the `updateContent` function which is defined in the child class.\n     *\n     * @param {Event} [event]\n     *          The `timeupdate`, `ended` or `seeking` (if enableSmoothSeeking is true) event that caused this function to be called.\n     */\n    update(event) {\n      if (!this.player_.options_.enableSmoothSeeking && event.type === 'seeking') {\n        return;\n      }\n      this.updateContent(event);\n    }\n\n    /**\n     * Updates the time display text node with a new time\n     *\n     * @param {number} [time=0] the time to update to\n     *\n     * @private\n     */\n    updateTextNode_(time = 0) {\n      time = formatTime(time);\n      if (this.formattedTime_ === time) {\n        return;\n      }\n      this.formattedTime_ = time;\n      this.requestNamedAnimationFrame('TimeDisplay#updateTextNode_', () => {\n        if (!this.contentEl_) {\n          return;\n        }\n        let oldNode = this.textNode_;\n        if (oldNode && this.contentEl_.firstChild !== oldNode) {\n          oldNode = null;\n          log$1.warn('TimeDisplay#updateTextnode_: Prevented replacement of text node element since it was no longer a child of this node. Appending a new node instead.');\n        }\n        this.textNode_ = document.createTextNode(this.formattedTime_);\n        if (!this.textNode_) {\n          return;\n        }\n        if (oldNode) {\n          this.contentEl_.replaceChild(this.textNode_, oldNode);\n        } else {\n          this.contentEl_.appendChild(this.textNode_);\n        }\n      });\n    }\n\n    /**\n     * To be filled out in the child class, should update the displayed time\n     * in accordance with the fact that the current time has changed.\n     *\n     * @param {Event} [event]\n     *        The `timeupdate`  event that caused this to run.\n     *\n     * @listens Player#timeupdate\n     */\n    updateContent(event) {}\n  }\n\n  /**\n   * The text that is added to the `TimeDisplay` for screen reader users.\n   *\n   * @type {string}\n   * @private\n   */\n  TimeDisplay.prototype.labelText_ = 'Time';\n\n  /**\n   * The text that should display over the `TimeDisplay`s controls. Added to for localization.\n   *\n   * @type {string}\n   * @protected\n   *\n   * @deprecated in v7; controlText_ is not used in non-active display Components\n   */\n  TimeDisplay.prototype.controlText_ = 'Time';\n  Component$1.registerComponent('TimeDisplay', TimeDisplay);\n\n  /**\n   * @file current-time-display.js\n   */\n\n  /**\n   * Displays the current time\n   *\n   * @extends Component\n   */\n  class CurrentTimeDisplay extends TimeDisplay {\n    /**\n     * Builds the default DOM `className`.\n     *\n     * @return {string}\n     *         The DOM `className` for this object.\n     */\n    buildCSSClass() {\n      return 'vjs-current-time';\n    }\n\n    /**\n     * Update current time display\n     *\n     * @param {Event} [event]\n     *        The `timeupdate` event that caused this function to run.\n     *\n     * @listens Player#timeupdate\n     */\n    updateContent(event) {\n      // Allows for smooth scrubbing, when player can't keep up.\n      let time;\n      if (this.player_.ended()) {\n        time = this.player_.duration();\n      } else {\n        time = this.player_.scrubbing() ? this.player_.getCache().currentTime : this.player_.currentTime();\n      }\n      this.updateTextNode_(time);\n    }\n  }\n\n  /**\n   * The text that is added to the `CurrentTimeDisplay` for screen reader users.\n   *\n   * @type {string}\n   * @private\n   */\n  CurrentTimeDisplay.prototype.labelText_ = 'Current Time';\n\n  /**\n   * The text that should display over the `CurrentTimeDisplay`s controls. Added to for localization.\n   *\n   * @type {string}\n   * @protected\n   *\n   * @deprecated in v7; controlText_ is not used in non-active display Components\n   */\n  CurrentTimeDisplay.prototype.controlText_ = 'Current Time';\n  Component$1.registerComponent('CurrentTimeDisplay', CurrentTimeDisplay);\n\n  /**\n   * @file duration-display.js\n   */\n\n  /** @import Player from '../../player' */\n\n  /**\n   * Displays the duration\n   *\n   * @extends Component\n   */\n  class DurationDisplay extends TimeDisplay {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of player options.\n     */\n    constructor(player, options) {\n      super(player, options);\n      const updateContent = e => this.updateContent(e);\n\n      // we do not want to/need to throttle duration changes,\n      // as they should always display the changed duration as\n      // it has changed\n      this.on(player, 'durationchange', updateContent);\n\n      // Listen to loadstart because the player duration is reset when a new media element is loaded,\n      // but the durationchange on the user agent will not fire.\n      // @see [Spec]{@link https://www.w3.org/TR/2011/WD-html5-20110113/video.html#media-element-load-algorithm}\n      this.on(player, 'loadstart', updateContent);\n\n      // Also listen for timeupdate (in the parent) and loadedmetadata because removing those\n      // listeners could have broken dependent applications/libraries. These\n      // can likely be removed for 7.0.\n      this.on(player, 'loadedmetadata', updateContent);\n    }\n\n    /**\n     * Builds the default DOM `className`.\n     *\n     * @return {string}\n     *         The DOM `className` for this object.\n     */\n    buildCSSClass() {\n      return 'vjs-duration';\n    }\n\n    /**\n     * Update duration time display.\n     *\n     * @param {Event} [event]\n     *        The `durationchange`, `timeupdate`, or `loadedmetadata` event that caused\n     *        this function to be called.\n     *\n     * @listens Player#durationchange\n     * @listens Player#timeupdate\n     * @listens Player#loadedmetadata\n     */\n    updateContent(event) {\n      const duration = this.player_.duration();\n      this.updateTextNode_(duration);\n    }\n  }\n\n  /**\n   * The text that is added to the `DurationDisplay` for screen reader users.\n   *\n   * @type {string}\n   * @private\n   */\n  DurationDisplay.prototype.labelText_ = 'Duration';\n\n  /**\n   * The text that should display over the `DurationDisplay`s controls. Added to for localization.\n   *\n   * @type {string}\n   * @protected\n   *\n   * @deprecated in v7; controlText_ is not used in non-active display Components\n   */\n  DurationDisplay.prototype.controlText_ = 'Duration';\n  Component$1.registerComponent('DurationDisplay', DurationDisplay);\n\n  /**\n   * @file time-divider.js\n   */\n\n  /**\n   * The separator between the current time and duration.\n   * Can be hidden if it's not needed in the design.\n   *\n   * @extends Component\n   */\n  class TimeDivider extends Component$1 {\n    /**\n     * Create the component's DOM element\n     *\n     * @return {Element}\n     *         The element that was created.\n     */\n    createEl() {\n      const el = super.createEl('div', {\n        className: 'vjs-time-control vjs-time-divider'\n      }, {\n        // this element and its contents can be hidden from assistive techs since\n        // it is made extraneous by the announcement of the control text\n        // for the current time and duration displays\n        'aria-hidden': true\n      });\n      const div = super.createEl('div');\n      const span = super.createEl('span', {\n        textContent: '/'\n      });\n      div.appendChild(span);\n      el.appendChild(div);\n      return el;\n    }\n  }\n  Component$1.registerComponent('TimeDivider', TimeDivider);\n\n  /**\n   * @file remaining-time-display.js\n   */\n\n  /** @import Player from '../../player' */\n\n  /**\n   * Displays the time left in the video\n   *\n   * @extends Component\n   */\n  class RemainingTimeDisplay extends TimeDisplay {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of player options.\n     */\n    constructor(player, options) {\n      super(player, options);\n      this.on(player, 'durationchange', e => this.updateContent(e));\n    }\n\n    /**\n     * Builds the default DOM `className`.\n     *\n     * @return {string}\n     *         The DOM `className` for this object.\n     */\n    buildCSSClass() {\n      return 'vjs-remaining-time';\n    }\n\n    /**\n     * Create the `Component`'s DOM element with the \"minus\" character prepend to the time\n     *\n     * @return {Element}\n     *         The element that was created.\n     */\n    createEl() {\n      const el = super.createEl();\n      if (this.options_.displayNegative !== false) {\n        el.insertBefore(createEl('span', {}, {\n          'aria-hidden': true\n        }, '-'), this.contentEl_);\n      }\n      return el;\n    }\n\n    /**\n     * Update remaining time display.\n     *\n     * @param {Event} [event]\n     *        The `timeupdate` or `durationchange` event that caused this to run.\n     *\n     * @listens Player#timeupdate\n     * @listens Player#durationchange\n     */\n    updateContent(event) {\n      if (typeof this.player_.duration() !== 'number') {\n        return;\n      }\n      let time;\n\n      // @deprecated We should only use remainingTimeDisplay\n      // as of video.js 7\n      if (this.player_.ended()) {\n        time = 0;\n      } else if (this.player_.remainingTimeDisplay) {\n        time = this.player_.remainingTimeDisplay();\n      } else {\n        time = this.player_.remainingTime();\n      }\n      this.updateTextNode_(time);\n    }\n  }\n\n  /**\n   * The text that is added to the `RemainingTimeDisplay` for screen reader users.\n   *\n   * @type {string}\n   * @private\n   */\n  RemainingTimeDisplay.prototype.labelText_ = 'Remaining Time';\n\n  /**\n   * The text that should display over the `RemainingTimeDisplay`s controls. Added to for localization.\n   *\n   * @type {string}\n   * @protected\n   *\n   * @deprecated in v7; controlText_ is not used in non-active display Components\n   */\n  RemainingTimeDisplay.prototype.controlText_ = 'Remaining Time';\n  Component$1.registerComponent('RemainingTimeDisplay', RemainingTimeDisplay);\n\n  /**\n   * @file live-display.js\n   */\n\n  /** @import Player from './player' */\n\n  // TODO - Future make it click to snap to live\n\n  /**\n   * Displays the live indicator when duration is Infinity.\n   *\n   * @extends Component\n   */\n  class LiveDisplay extends Component$1 {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of player options.\n     */\n    constructor(player, options) {\n      super(player, options);\n      this.updateShowing();\n      this.on(this.player(), 'durationchange', e => this.updateShowing(e));\n    }\n\n    /**\n     * Create the `Component`'s DOM element\n     *\n     * @return {Element}\n     *         The element that was created.\n     */\n    createEl() {\n      const el = super.createEl('div', {\n        className: 'vjs-live-control vjs-control'\n      });\n      this.contentEl_ = createEl('div', {\n        className: 'vjs-live-display'\n      }, {\n        'aria-live': 'off'\n      });\n      this.contentEl_.appendChild(createEl('span', {\n        className: 'vjs-control-text',\n        textContent: `${this.localize('Stream Type')}\\u00a0`\n      }));\n      this.contentEl_.appendChild(document.createTextNode(this.localize('LIVE')));\n      el.appendChild(this.contentEl_);\n      return el;\n    }\n    dispose() {\n      this.contentEl_ = null;\n      super.dispose();\n    }\n\n    /**\n     * Check the duration to see if the LiveDisplay should be showing or not. Then show/hide\n     * it accordingly\n     *\n     * @param {Event} [event]\n     *        The {@link Player#durationchange} event that caused this function to run.\n     *\n     * @listens Player#durationchange\n     */\n    updateShowing(event) {\n      if (this.player().duration() === Infinity) {\n        this.show();\n      } else {\n        this.hide();\n      }\n    }\n  }\n  Component$1.registerComponent('LiveDisplay', LiveDisplay);\n\n  /**\n   * @file seek-to-live.js\n   */\n\n  /** @import Player from './player' */\n\n  /**\n   * Displays the live indicator when duration is Infinity.\n   *\n   * @extends Component\n   */\n  class SeekToLive extends Button {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of player options.\n     */\n    constructor(player, options) {\n      super(player, options);\n      this.updateLiveEdgeStatus();\n      if (this.player_.liveTracker) {\n        this.updateLiveEdgeStatusHandler_ = e => this.updateLiveEdgeStatus(e);\n        this.on(this.player_.liveTracker, 'liveedgechange', this.updateLiveEdgeStatusHandler_);\n      }\n    }\n\n    /**\n     * Create the `Component`'s DOM element\n     *\n     * @return {Element}\n     *         The element that was created.\n     */\n    createEl() {\n      const el = super.createEl('button', {\n        className: 'vjs-seek-to-live-control vjs-control'\n      });\n      this.setIcon('circle', el);\n      this.textEl_ = createEl('span', {\n        className: 'vjs-seek-to-live-text',\n        textContent: this.localize('LIVE')\n      }, {\n        'aria-hidden': 'true'\n      });\n      el.appendChild(this.textEl_);\n      return el;\n    }\n\n    /**\n     * Update the state of this button if we are at the live edge\n     * or not\n     */\n    updateLiveEdgeStatus() {\n      // default to live edge\n      if (!this.player_.liveTracker || this.player_.liveTracker.atLiveEdge()) {\n        this.setAttribute('aria-disabled', true);\n        this.addClass('vjs-at-live-edge');\n        this.controlText('Seek to live, currently playing live');\n      } else {\n        this.setAttribute('aria-disabled', false);\n        this.removeClass('vjs-at-live-edge');\n        this.controlText('Seek to live, currently behind live');\n      }\n    }\n\n    /**\n     * On click bring us as near to the live point as possible.\n     * This requires that we wait for the next `live-seekable-change`\n     * event which will happen every segment length seconds.\n     */\n    handleClick() {\n      this.player_.liveTracker.seekToLiveEdge();\n    }\n\n    /**\n     * Dispose of the element and stop tracking\n     */\n    dispose() {\n      if (this.player_.liveTracker) {\n        this.off(this.player_.liveTracker, 'liveedgechange', this.updateLiveEdgeStatusHandler_);\n      }\n      this.textEl_ = null;\n      super.dispose();\n    }\n  }\n  /**\n   * The text that should display over the `SeekToLive`s control. Added for localization.\n   *\n   * @type {string}\n   * @protected\n   */\n  SeekToLive.prototype.controlText_ = 'Seek to live, currently playing live';\n  Component$1.registerComponent('SeekToLive', SeekToLive);\n\n  /**\n   * @file num.js\n   * @module num\n   */\n\n  /**\n   * Keep a number between a min and a max value\n   *\n   * @param {number} number\n   *        The number to clamp\n   *\n   * @param {number} min\n   *        The minimum value\n   * @param {number} max\n   *        The maximum value\n   *\n   * @return {number}\n   *         the clamped number\n   */\n  function clamp(number, min, max) {\n    number = Number(number);\n    return Math.min(max, Math.max(min, isNaN(number) ? min : number));\n  }\n\n  var Num = /*#__PURE__*/Object.freeze({\n    __proto__: null,\n    clamp: clamp\n  });\n\n  /**\n   * @file slider.js\n   */\n\n  /** @import Player from '../player' */\n\n  /**\n   * The base functionality for a slider. Can be vertical or horizontal.\n   * For instance the volume bar or the seek bar on a video is a slider.\n   *\n   * @extends Component\n   */\n  class Slider extends Component$1 {\n    /**\n    * Create an instance of this class\n    *\n    * @param {Player} player\n    *        The `Player` that this class should be attached to.\n    *\n    * @param {Object} [options]\n    *        The key/value store of player options.\n    */\n    constructor(player, options) {\n      super(player, options);\n      this.handleMouseDown_ = e => this.handleMouseDown(e);\n      this.handleMouseUp_ = e => this.handleMouseUp(e);\n      this.handleKeyDown_ = e => this.handleKeyDown(e);\n      this.handleClick_ = e => this.handleClick(e);\n      this.handleMouseMove_ = e => this.handleMouseMove(e);\n      this.update_ = e => this.update(e);\n\n      // Set property names to bar to match with the child Slider class is looking for\n      this.bar = this.getChild(this.options_.barName);\n\n      // Set a horizontal or vertical class on the slider depending on the slider type\n      this.vertical(!!this.options_.vertical);\n      this.enable();\n    }\n\n    /**\n     * Are controls are currently enabled for this slider or not.\n     *\n     * @return {boolean}\n     *         true if controls are enabled, false otherwise\n     */\n    enabled() {\n      return this.enabled_;\n    }\n\n    /**\n     * Enable controls for this slider if they are disabled\n     */\n    enable() {\n      if (this.enabled()) {\n        return;\n      }\n      this.on('mousedown', this.handleMouseDown_);\n      this.on('touchstart', this.handleMouseDown_);\n      this.on('keydown', this.handleKeyDown_);\n      this.on('click', this.handleClick_);\n\n      // TODO: deprecated, controlsvisible does not seem to be fired\n      this.on(this.player_, 'controlsvisible', this.update);\n      if (this.playerEvent) {\n        this.on(this.player_, this.playerEvent, this.update);\n      }\n      this.removeClass('disabled');\n      this.setAttribute('tabindex', 0);\n      this.enabled_ = true;\n    }\n\n    /**\n     * Disable controls for this slider if they are enabled\n     */\n    disable() {\n      if (!this.enabled()) {\n        return;\n      }\n      const doc = this.bar.el_.ownerDocument;\n      this.off('mousedown', this.handleMouseDown_);\n      this.off('touchstart', this.handleMouseDown_);\n      this.off('keydown', this.handleKeyDown_);\n      this.off('click', this.handleClick_);\n      this.off(this.player_, 'controlsvisible', this.update_);\n      this.off(doc, 'mousemove', this.handleMouseMove_);\n      this.off(doc, 'mouseup', this.handleMouseUp_);\n      this.off(doc, 'touchmove', this.handleMouseMove_);\n      this.off(doc, 'touchend', this.handleMouseUp_);\n      this.removeAttribute('tabindex');\n      this.addClass('disabled');\n      if (this.playerEvent) {\n        this.off(this.player_, this.playerEvent, this.update);\n      }\n      this.enabled_ = false;\n    }\n\n    /**\n     * Create the `Slider`s DOM element.\n     *\n     * @param {string} type\n     *        Type of element to create.\n     *\n     * @param {Object} [props={}]\n     *        List of properties in Object form.\n     *\n     * @param {Object} [attributes={}]\n     *        list of attributes in Object form.\n     *\n     * @return {Element}\n     *         The element that gets created.\n     */\n    createEl(type, props = {}, attributes = {}) {\n      // Add the slider element class to all sub classes\n      props.className = props.className + ' vjs-slider';\n      props = Object.assign({\n        tabIndex: 0\n      }, props);\n      attributes = Object.assign({\n        'role': 'slider',\n        'aria-valuenow': 0,\n        'aria-valuemin': 0,\n        'aria-valuemax': 100\n      }, attributes);\n      return super.createEl(type, props, attributes);\n    }\n\n    /**\n     * Handle `mousedown` or `touchstart` events on the `Slider`.\n     *\n     * @param {MouseEvent} event\n     *        `mousedown` or `touchstart` event that triggered this function\n     *\n     * @listens mousedown\n     * @listens touchstart\n     * @fires Slider#slideractive\n     */\n    handleMouseDown(event) {\n      const doc = this.bar.el_.ownerDocument;\n      if (event.type === 'mousedown') {\n        event.preventDefault();\n      }\n      // Do not call preventDefault() on touchstart in Chrome\n      // to avoid console warnings. Use a 'touch-action: none' style\n      // instead to prevent unintended scrolling.\n      // https://developers.google.com/web/updates/2017/01/scrolling-intervention\n      if (event.type === 'touchstart' && !IS_CHROME) {\n        event.preventDefault();\n      }\n      blockTextSelection();\n      this.addClass('vjs-sliding');\n      /**\n       * Triggered when the slider is in an active state\n       *\n       * @event Slider#slideractive\n       * @type {MouseEvent}\n       */\n      this.trigger('slideractive');\n      this.on(doc, 'mousemove', this.handleMouseMove_);\n      this.on(doc, 'mouseup', this.handleMouseUp_);\n      this.on(doc, 'touchmove', this.handleMouseMove_);\n      this.on(doc, 'touchend', this.handleMouseUp_);\n      this.handleMouseMove(event, true);\n    }\n\n    /**\n     * Handle the `mousemove`, `touchmove`, and `mousedown` events on this `Slider`.\n     * The `mousemove` and `touchmove` events will only only trigger this function during\n     * `mousedown` and `touchstart`. This is due to {@link Slider#handleMouseDown} and\n     * {@link Slider#handleMouseUp}.\n     *\n     * @param {MouseEvent} event\n     *        `mousedown`, `mousemove`, `touchstart`, or `touchmove` event that triggered\n     *        this function\n     * @param {boolean} mouseDown this is a flag that should be set to true if `handleMouseMove` is called directly. It allows us to skip things that should not happen if coming from mouse down but should happen on regular mouse move handler. Defaults to false.\n     *\n     * @listens mousemove\n     * @listens touchmove\n     */\n    handleMouseMove(event) {}\n\n    /**\n     * Handle `mouseup` or `touchend` events on the `Slider`.\n     *\n     * @param {MouseEvent} event\n     *        `mouseup` or `touchend` event that triggered this function.\n     *\n     * @listens touchend\n     * @listens mouseup\n     * @fires Slider#sliderinactive\n     */\n    handleMouseUp(event) {\n      const doc = this.bar.el_.ownerDocument;\n      unblockTextSelection();\n      this.removeClass('vjs-sliding');\n      /**\n       * Triggered when the slider is no longer in an active state.\n       *\n       * @event Slider#sliderinactive\n       * @type {Event}\n       */\n      this.trigger('sliderinactive');\n      this.off(doc, 'mousemove', this.handleMouseMove_);\n      this.off(doc, 'mouseup', this.handleMouseUp_);\n      this.off(doc, 'touchmove', this.handleMouseMove_);\n      this.off(doc, 'touchend', this.handleMouseUp_);\n      this.update();\n    }\n\n    /**\n     * Update the progress bar of the `Slider`.\n     *\n     * @return {number}\n     *          The percentage of progress the progress bar represents as a\n     *          number from 0 to 1.\n     */\n    update() {\n      // In VolumeBar init we have a setTimeout for update that pops and update\n      // to the end of the execution stack. The player is destroyed before then\n      // update will cause an error\n      // If there's no bar...\n      if (!this.el_ || !this.bar) {\n        return;\n      }\n\n      // clamp progress between 0 and 1\n      // and only round to four decimal places, as we round to two below\n      const progress = this.getProgress();\n      if (progress === this.progress_) {\n        return progress;\n      }\n      this.progress_ = progress;\n      this.requestNamedAnimationFrame('Slider#update', () => {\n        // Set the new bar width or height\n        const sizeKey = this.vertical() ? 'height' : 'width';\n\n        // Convert to a percentage for css value\n        this.bar.el().style[sizeKey] = (progress * 100).toFixed(2) + '%';\n      });\n      return progress;\n    }\n\n    /**\n     * Get the percentage of the bar that should be filled\n     * but clamped and rounded.\n     *\n     * @return {number}\n     *         percentage filled that the slider is\n     */\n    getProgress() {\n      return Number(clamp(this.getPercent(), 0, 1).toFixed(4));\n    }\n\n    /**\n     * Calculate distance for slider\n     *\n     * @param {Event} event\n     *        The event that caused this function to run.\n     *\n     * @return {number}\n     *         The current position of the Slider.\n     *         - position.x for vertical `Slider`s\n     *         - position.y for horizontal `Slider`s\n     */\n    calculateDistance(event) {\n      const position = getPointerPosition(this.el_, event);\n      if (this.vertical()) {\n        return position.y;\n      }\n      return position.x;\n    }\n\n    /**\n     * Handle a `keydown` event on the `Slider`. Watches for left, right, up, and down\n     * arrow keys. This function will only be called when the slider has focus. See\n     * {@link Slider#handleFocus} and {@link Slider#handleBlur}.\n     *\n     * @param {KeyboardEvent} event\n     *        the `keydown` event that caused this function to run.\n     *\n     * @listens keydown\n     */\n    handleKeyDown(event) {\n      const spatialNavOptions = this.options_.playerOptions.spatialNavigation;\n      const spatialNavEnabled = spatialNavOptions && spatialNavOptions.enabled;\n      const horizontalSeek = spatialNavOptions && spatialNavOptions.horizontalSeek;\n      if (spatialNavEnabled) {\n        if (horizontalSeek && event.key === 'ArrowLeft' || !horizontalSeek && event.key === 'ArrowDown') {\n          event.preventDefault();\n          event.stopPropagation();\n          this.stepBack();\n        } else if (horizontalSeek && event.key === 'ArrowRight' || !horizontalSeek && event.key === 'ArrowUp') {\n          event.preventDefault();\n          event.stopPropagation();\n          this.stepForward();\n        } else {\n          super.handleKeyDown(event);\n        }\n\n        // Left and Down Arrows\n      } else if (event.key === 'ArrowLeft' || event.key === 'ArrowDown') {\n        event.preventDefault();\n        event.stopPropagation();\n        this.stepBack();\n\n        // Up and Right Arrows\n      } else if (event.key === 'ArrowUp' || event.key === 'ArrowRight') {\n        event.preventDefault();\n        event.stopPropagation();\n        this.stepForward();\n      } else {\n        // Pass keydown handling up for unsupported keys\n        super.handleKeyDown(event);\n      }\n    }\n\n    /**\n     * Listener for click events on slider, used to prevent clicks\n     *   from bubbling up to parent elements like button menus.\n     *\n     * @param {Object} event\n     *        Event that caused this object to run\n     */\n    handleClick(event) {\n      event.stopPropagation();\n      event.preventDefault();\n    }\n\n    /**\n     * Get/set if slider is horizontal for vertical\n     *\n     * @param {boolean} [bool]\n     *        - true if slider is vertical,\n     *        - false is horizontal\n     *\n     * @return {boolean}\n     *         - true if slider is vertical, and getting\n     *         - false if the slider is horizontal, and getting\n     */\n    vertical(bool) {\n      if (bool === undefined) {\n        return this.vertical_ || false;\n      }\n      this.vertical_ = !!bool;\n      if (this.vertical_) {\n        this.addClass('vjs-slider-vertical');\n      } else {\n        this.addClass('vjs-slider-horizontal');\n      }\n    }\n  }\n  Component$1.registerComponent('Slider', Slider);\n\n  /**\n   * @file load-progress-bar.js\n   */\n\n  /** @import Player from '../../player' */\n\n  // get the percent width of a time compared to the total end\n  const percentify = (time, end) => clamp(time / end * 100, 0, 100).toFixed(2) + '%';\n\n  /**\n   * Shows loading progress\n   *\n   * @extends Component\n   */\n  class LoadProgressBar extends Component$1 {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of player options.\n     */\n    constructor(player, options) {\n      super(player, options);\n      this.partEls_ = [];\n      this.on(player, 'progress', e => this.update(e));\n    }\n\n    /**\n     * Create the `Component`'s DOM element\n     *\n     * @return {Element}\n     *         The element that was created.\n     */\n    createEl() {\n      const el = super.createEl('div', {\n        className: 'vjs-load-progress'\n      });\n      const wrapper = createEl('span', {\n        className: 'vjs-control-text'\n      });\n      const loadedText = createEl('span', {\n        textContent: this.localize('Loaded')\n      });\n      const separator = document.createTextNode(': ');\n      this.percentageEl_ = createEl('span', {\n        className: 'vjs-control-text-loaded-percentage',\n        textContent: '0%'\n      });\n      el.appendChild(wrapper);\n      wrapper.appendChild(loadedText);\n      wrapper.appendChild(separator);\n      wrapper.appendChild(this.percentageEl_);\n      return el;\n    }\n    dispose() {\n      this.partEls_ = null;\n      this.percentageEl_ = null;\n      super.dispose();\n    }\n\n    /**\n     * Update progress bar\n     *\n     * @param {Event} [event]\n     *        The `progress` event that caused this function to run.\n     *\n     * @listens Player#progress\n     */\n    update(event) {\n      this.requestNamedAnimationFrame('LoadProgressBar#update', () => {\n        const liveTracker = this.player_.liveTracker;\n        const buffered = this.player_.buffered();\n        const duration = liveTracker && liveTracker.isLive() ? liveTracker.seekableEnd() : this.player_.duration();\n        const bufferedEnd = this.player_.bufferedEnd();\n        const children = this.partEls_;\n        const percent = percentify(bufferedEnd, duration);\n        if (this.percent_ !== percent) {\n          // update the width of the progress bar\n          this.el_.style.width = percent;\n          // update the control-text\n          textContent(this.percentageEl_, percent);\n          this.percent_ = percent;\n        }\n\n        // add child elements to represent the individual buffered time ranges\n        for (let i = 0; i < buffered.length; i++) {\n          const start = buffered.start(i);\n          const end = buffered.end(i);\n          let part = children[i];\n          if (!part) {\n            part = this.el_.appendChild(createEl());\n            children[i] = part;\n          }\n\n          //  only update if changed\n          if (part.dataset.start === start && part.dataset.end === end) {\n            continue;\n          }\n          part.dataset.start = start;\n          part.dataset.end = end;\n\n          // set the percent based on the width of the progress bar (bufferedEnd)\n          part.style.left = percentify(start, bufferedEnd);\n          part.style.width = percentify(end - start, bufferedEnd);\n        }\n\n        // remove unused buffered range elements\n        for (let i = children.length; i > buffered.length; i--) {\n          this.el_.removeChild(children[i - 1]);\n        }\n        children.length = buffered.length;\n      });\n    }\n  }\n  Component$1.registerComponent('LoadProgressBar', LoadProgressBar);\n\n  /**\n   * @file time-tooltip.js\n   */\n\n  /** @import Player from '../../player' */\n\n  /**\n   * Time tooltips display a time above the progress bar.\n   *\n   * @extends Component\n   */\n  class TimeTooltip extends Component$1 {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The {@link Player} that this class should be attached to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of player options.\n     */\n    constructor(player, options) {\n      super(player, options);\n      this.update = throttle(bind_(this, this.update), UPDATE_REFRESH_INTERVAL);\n    }\n\n    /**\n     * Create the time tooltip DOM element\n     *\n     * @return {Element}\n     *         The element that was created.\n     */\n    createEl() {\n      return super.createEl('div', {\n        className: 'vjs-time-tooltip'\n      }, {\n        'aria-hidden': 'true'\n      });\n    }\n\n    /**\n     * Updates the position of the time tooltip relative to the `SeekBar`.\n     *\n     * @param {Object} seekBarRect\n     *        The `ClientRect` for the {@link SeekBar} element.\n     *\n     * @param {number} seekBarPoint\n     *        A number from 0 to 1, representing a horizontal reference point\n     *        from the left edge of the {@link SeekBar}\n     */\n    update(seekBarRect, seekBarPoint, content) {\n      const tooltipRect = findPosition(this.el_);\n      const playerRect = getBoundingClientRect(this.player_.el());\n      const seekBarPointPx = seekBarRect.width * seekBarPoint;\n\n      // do nothing if either rect isn't available\n      // for example, if the player isn't in the DOM for testing\n      if (!playerRect || !tooltipRect) {\n        return;\n      }\n\n      // This is the space left of the `seekBarPoint` available within the bounds\n      // of the player. We calculate any gap between the left edge of the player\n      // and the left edge of the `SeekBar` and add the number of pixels in the\n      // `SeekBar` before hitting the `seekBarPoint`\n      let spaceLeftOfPoint = seekBarRect.left - playerRect.left + seekBarPointPx;\n\n      // This is the space right of the `seekBarPoint` available within the bounds\n      // of the player. We calculate the number of pixels from the `seekBarPoint`\n      // to the right edge of the `SeekBar` and add to that any gap between the\n      // right edge of the `SeekBar` and the player.\n      let spaceRightOfPoint = seekBarRect.width - seekBarPointPx + (playerRect.right - seekBarRect.right);\n\n      // spaceRightOfPoint is always NaN for mouse time display\n      // because the seekbarRect does not have a right property. This causes\n      // the mouse tool tip to be truncated when it's close to the right edge of the player.\n      // In such cases, we ignore the `playerRect.right - seekBarRect.right` value when calculating.\n      // For the sake of consistency, we ignore seekBarRect.left - playerRect.left for the left edge.\n      if (!spaceRightOfPoint) {\n        spaceRightOfPoint = seekBarRect.width - seekBarPointPx;\n        spaceLeftOfPoint = seekBarPointPx;\n      }\n      // This is the number of pixels by which the tooltip will need to be pulled\n      // further to the right to center it over the `seekBarPoint`.\n      let pullTooltipBy = tooltipRect.width / 2;\n\n      // Adjust the `pullTooltipBy` distance to the left or right depending on\n      // the results of the space calculations above.\n      if (spaceLeftOfPoint < pullTooltipBy) {\n        pullTooltipBy += pullTooltipBy - spaceLeftOfPoint;\n      } else if (spaceRightOfPoint < pullTooltipBy) {\n        pullTooltipBy = spaceRightOfPoint;\n      }\n\n      // Due to the imprecision of decimal/ratio based calculations and varying\n      // rounding behaviors, there are cases where the spacing adjustment is off\n      // by a pixel or two. This adds insurance to these calculations.\n      if (pullTooltipBy < 0) {\n        pullTooltipBy = 0;\n      } else if (pullTooltipBy > tooltipRect.width) {\n        pullTooltipBy = tooltipRect.width;\n      }\n\n      // prevent small width fluctuations within 0.4px from\n      // changing the value below.\n      // This really helps for live to prevent the play\n      // progress time tooltip from jittering\n      pullTooltipBy = Math.round(pullTooltipBy);\n      this.el_.style.right = `-${pullTooltipBy}px`;\n      this.write(content);\n    }\n\n    /**\n     * Write the time to the tooltip DOM element.\n     *\n     * @param {string} content\n     *        The formatted time for the tooltip.\n     */\n    write(content) {\n      textContent(this.el_, content);\n    }\n\n    /**\n     * Updates the position of the time tooltip relative to the `SeekBar`.\n     *\n     * @param {Object} seekBarRect\n     *        The `ClientRect` for the {@link SeekBar} element.\n     *\n     * @param {number} seekBarPoint\n     *        A number from 0 to 1, representing a horizontal reference point\n     *        from the left edge of the {@link SeekBar}\n     *\n     * @param {number} time\n     *        The time to update the tooltip to, not used during live playback\n     *\n     * @param {Function} cb\n     *        A function that will be called during the request animation frame\n     *        for tooltips that need to do additional animations from the default\n     */\n    updateTime(seekBarRect, seekBarPoint, time, cb) {\n      this.requestNamedAnimationFrame('TimeTooltip#updateTime', () => {\n        let content;\n        const duration = this.player_.duration();\n        if (this.player_.liveTracker && this.player_.liveTracker.isLive()) {\n          const liveWindow = this.player_.liveTracker.liveWindow();\n          const secondsBehind = liveWindow - seekBarPoint * liveWindow;\n          content = (secondsBehind < 1 ? '' : '-') + formatTime(secondsBehind, liveWindow);\n        } else {\n          content = formatTime(time, duration);\n        }\n        this.update(seekBarRect, seekBarPoint, content);\n        if (cb) {\n          cb();\n        }\n      });\n    }\n  }\n  Component$1.registerComponent('TimeTooltip', TimeTooltip);\n\n  /**\n   * @file play-progress-bar.js\n   */\n\n  /**\n   * Used by {@link SeekBar} to display media playback progress as part of the\n   * {@link ProgressControl}.\n   *\n   * @extends Component\n   */\n  class PlayProgressBar extends Component$1 {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The {@link Player} that this class should be attached to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of player options.\n     */\n    constructor(player, options) {\n      super(player, options);\n      this.setIcon('circle');\n      this.update = throttle(bind_(this, this.update), UPDATE_REFRESH_INTERVAL);\n    }\n\n    /**\n     * Create the the DOM element for this class.\n     *\n     * @return {Element}\n     *         The element that was created.\n     */\n    createEl() {\n      return super.createEl('div', {\n        className: 'vjs-play-progress vjs-slider-bar'\n      }, {\n        'aria-hidden': 'true'\n      });\n    }\n\n    /**\n     * Enqueues updates to its own DOM as well as the DOM of its\n     * {@link TimeTooltip} child.\n     *\n     * @param {Object} seekBarRect\n     *        The `ClientRect` for the {@link SeekBar} element.\n     *\n     * @param {number} seekBarPoint\n     *        A number from 0 to 1, representing a horizontal reference point\n     *        from the left edge of the {@link SeekBar}\n     */\n    update(seekBarRect, seekBarPoint) {\n      const timeTooltip = this.getChild('timeTooltip');\n      if (!timeTooltip) {\n        return;\n      }\n      const time = this.player_.scrubbing() ? this.player_.getCache().currentTime : this.player_.currentTime();\n      timeTooltip.updateTime(seekBarRect, seekBarPoint, time);\n    }\n  }\n\n  /**\n   * Default options for {@link PlayProgressBar}.\n   *\n   * @type {Object}\n   * @private\n   */\n  PlayProgressBar.prototype.options_ = {\n    children: []\n  };\n\n  // Time tooltips should not be added to a player on mobile devices\n  if (!IS_IOS && !IS_ANDROID) {\n    PlayProgressBar.prototype.options_.children.push('timeTooltip');\n  }\n  Component$1.registerComponent('PlayProgressBar', PlayProgressBar);\n\n  /**\n   * @file mouse-time-display.js\n   */\n\n  /**\n   * The {@link MouseTimeDisplay} component tracks mouse movement over the\n   * {@link ProgressControl}. It displays an indicator and a {@link TimeTooltip}\n   * indicating the time which is represented by a given point in the\n   * {@link ProgressControl}.\n   *\n   * @extends Component\n   */\n  class MouseTimeDisplay extends Component$1 {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The {@link Player} that this class should be attached to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of player options.\n     */\n    constructor(player, options) {\n      super(player, options);\n      this.update = throttle(bind_(this, this.update), UPDATE_REFRESH_INTERVAL);\n    }\n\n    /**\n     * Create the DOM element for this class.\n     *\n     * @return {Element}\n     *         The element that was created.\n     */\n    createEl() {\n      return super.createEl('div', {\n        className: 'vjs-mouse-display'\n      });\n    }\n\n    /**\n     * Enqueues updates to its own DOM as well as the DOM of its\n     * {@link TimeTooltip} child.\n     *\n     * @param {Object} seekBarRect\n     *        The `ClientRect` for the {@link SeekBar} element.\n     *\n     * @param {number} seekBarPoint\n     *        A number from 0 to 1, representing a horizontal reference point\n     *        from the left edge of the {@link SeekBar}\n     */\n    update(seekBarRect, seekBarPoint) {\n      const time = seekBarPoint * this.player_.duration();\n      this.getChild('timeTooltip').updateTime(seekBarRect, seekBarPoint, time, () => {\n        this.el_.style.left = `${seekBarRect.width * seekBarPoint}px`;\n      });\n    }\n  }\n\n  /**\n   * Default options for `MouseTimeDisplay`\n   *\n   * @type {Object}\n   * @private\n   */\n  MouseTimeDisplay.prototype.options_ = {\n    children: ['timeTooltip']\n  };\n  Component$1.registerComponent('MouseTimeDisplay', MouseTimeDisplay);\n\n  /**\n   * @file seek-bar.js\n   */\n\n  // The number of seconds the `step*` functions move the timeline.\n  const STEP_SECONDS = 5;\n\n  // The multiplier of STEP_SECONDS that PgUp/PgDown move the timeline.\n  const PAGE_KEY_MULTIPLIER = 12;\n\n  /**\n   * Seek bar and container for the progress bars. Uses {@link PlayProgressBar}\n   * as its `bar`.\n   *\n   * @extends Slider\n   */\n  class SeekBar extends Slider {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of player options.\n     */\n    constructor(player, options) {\n      options = merge$2(SeekBar.prototype.options_, options);\n\n      // Avoid mutating the prototype's `children` array by creating a copy\n      options.children = [...options.children];\n      const shouldDisableSeekWhileScrubbingOnMobile = player.options_.disableSeekWhileScrubbingOnMobile && (IS_IOS || IS_ANDROID);\n\n      // Add the TimeTooltip as a child if we are on desktop, or on mobile with `disableSeekWhileScrubbingOnMobile: true`\n      if (!IS_IOS && !IS_ANDROID || shouldDisableSeekWhileScrubbingOnMobile) {\n        options.children.splice(1, 0, 'mouseTimeDisplay');\n      }\n      super(player, options);\n      this.shouldDisableSeekWhileScrubbingOnMobile_ = shouldDisableSeekWhileScrubbingOnMobile;\n      this.pendingSeekTime_ = null;\n      this.setEventHandlers_();\n    }\n\n    /**\n     * Sets the event handlers\n     *\n     * @private\n     */\n    setEventHandlers_() {\n      this.update_ = bind_(this, this.update);\n      this.update = throttle(this.update_, UPDATE_REFRESH_INTERVAL);\n      this.on(this.player_, ['durationchange', 'timeupdate'], this.update);\n      this.on(this.player_, ['ended'], this.update_);\n      if (this.player_.liveTracker) {\n        this.on(this.player_.liveTracker, 'liveedgechange', this.update);\n      }\n\n      // when playing, let's ensure we smoothly update the play progress bar\n      // via an interval\n      this.updateInterval = null;\n      this.enableIntervalHandler_ = e => this.enableInterval_(e);\n      this.disableIntervalHandler_ = e => this.disableInterval_(e);\n      this.on(this.player_, ['playing'], this.enableIntervalHandler_);\n      this.on(this.player_, ['ended', 'pause', 'waiting'], this.disableIntervalHandler_);\n\n      // we don't need to update the play progress if the document is hidden,\n      // also, this causes the CPU to spike and eventually crash the page on IE11.\n      if ('hidden' in document && 'visibilityState' in document) {\n        this.on(document, 'visibilitychange', this.toggleVisibility_);\n      }\n    }\n    toggleVisibility_(e) {\n      if (document.visibilityState === 'hidden') {\n        this.cancelNamedAnimationFrame('SeekBar#update');\n        this.cancelNamedAnimationFrame('Slider#update');\n        this.disableInterval_(e);\n      } else {\n        if (!this.player_.ended() && !this.player_.paused()) {\n          this.enableInterval_();\n        }\n\n        // we just switched back to the page and someone may be looking, so, update ASAP\n        this.update();\n      }\n    }\n    enableInterval_() {\n      if (this.updateInterval) {\n        return;\n      }\n      this.updateInterval = this.setInterval(this.update, UPDATE_REFRESH_INTERVAL);\n    }\n    disableInterval_(e) {\n      if (this.player_.liveTracker && this.player_.liveTracker.isLive() && e && e.type !== 'ended') {\n        return;\n      }\n      if (!this.updateInterval) {\n        return;\n      }\n      this.clearInterval(this.updateInterval);\n      this.updateInterval = null;\n    }\n\n    /**\n     * Create the `Component`'s DOM element\n     *\n     * @return {Element}\n     *         The element that was created.\n     */\n    createEl() {\n      return super.createEl('div', {\n        className: 'vjs-progress-holder'\n      }, {\n        'aria-label': this.localize('Progress Bar')\n      });\n    }\n\n    /**\n     * This function updates the play progress bar and accessibility\n     * attributes to whatever is passed in.\n     *\n     * @param {Event} [event]\n     *        The `timeupdate` or `ended` event that caused this to run.\n     *\n     * @listens Player#timeupdate\n     *\n     * @return {number}\n     *          The current percent at a number from 0-1\n     */\n    update(event) {\n      // ignore updates while the tab is hidden\n      if (document.visibilityState === 'hidden') {\n        return;\n      }\n      const percent = super.update();\n      this.requestNamedAnimationFrame('SeekBar#update', () => {\n        const currentTime = this.player_.ended() ? this.player_.duration() : this.getCurrentTime_();\n        const liveTracker = this.player_.liveTracker;\n        let duration = this.player_.duration();\n        if (liveTracker && liveTracker.isLive()) {\n          duration = this.player_.liveTracker.liveCurrentTime();\n        }\n        if (this.percent_ !== percent) {\n          // machine readable value of progress bar (percentage complete)\n          this.el_.setAttribute('aria-valuenow', (percent * 100).toFixed(2));\n          this.percent_ = percent;\n        }\n        if (this.currentTime_ !== currentTime || this.duration_ !== duration) {\n          // human readable value of progress bar (time complete)\n          this.el_.setAttribute('aria-valuetext', this.localize('progress bar timing: currentTime={1} duration={2}', [formatTime(currentTime, duration), formatTime(duration, duration)], '{1} of {2}'));\n          this.currentTime_ = currentTime;\n          this.duration_ = duration;\n        }\n\n        // update the progress bar time tooltip with the current time\n        if (this.bar) {\n          this.bar.update(getBoundingClientRect(this.el()), this.getProgress());\n        }\n      });\n      return percent;\n    }\n\n    /**\n     * Prevent liveThreshold from causing seeks to seem like they\n     * are not happening from a user perspective.\n     *\n     * @param {number} ct\n     *        current time to seek to\n     */\n    userSeek_(ct) {\n      if (this.player_.liveTracker && this.player_.liveTracker.isLive()) {\n        this.player_.liveTracker.nextSeekedFromUser();\n      }\n      this.player_.currentTime(ct);\n    }\n\n    /**\n     * Get the value of current time but allows for smooth scrubbing,\n     * when player can't keep up.\n     *\n     * @return {number}\n     *         The current time value to display\n     *\n     * @private\n     */\n    getCurrentTime_() {\n      return this.player_.scrubbing() ? this.player_.getCache().currentTime : this.player_.currentTime();\n    }\n\n    /**\n     * Get the percentage of media played so far.\n     *\n     * @return {number}\n     *         The percentage of media played so far (0 to 1).\n     */\n    getPercent() {\n      // If we have a pending seek time, we are scrubbing on mobile and should set the slider percent\n      // to reflect the current scrub location.\n      if (this.pendingSeekTime_) {\n        return this.pendingSeekTime_ / this.player_.duration();\n      }\n      const currentTime = this.getCurrentTime_();\n      let percent;\n      const liveTracker = this.player_.liveTracker;\n      if (liveTracker && liveTracker.isLive()) {\n        percent = (currentTime - liveTracker.seekableStart()) / liveTracker.liveWindow();\n\n        // prevent the percent from changing at the live edge\n        if (liveTracker.atLiveEdge()) {\n          percent = 1;\n        }\n      } else {\n        percent = currentTime / this.player_.duration();\n      }\n      return percent;\n    }\n\n    /**\n     * Handle mouse down on seek bar\n     *\n     * @param {MouseEvent} event\n     *        The `mousedown` event that caused this to run.\n     *\n     * @listens mousedown\n     */\n    handleMouseDown(event) {\n      if (!isSingleLeftClick(event)) {\n        return;\n      }\n\n      // Stop event propagation to prevent double fire in progress-control.js\n      event.stopPropagation();\n      this.videoWasPlaying = !this.player_.paused();\n\n      // Don't pause if we are on mobile and `disableSeekWhileScrubbingOnMobile: true`.\n      // In that case, playback should continue while the player scrubs to a new location.\n      if (!this.shouldDisableSeekWhileScrubbingOnMobile_) {\n        this.player_.pause();\n      }\n      super.handleMouseDown(event);\n    }\n\n    /**\n     * Handle mouse move on seek bar\n     *\n     * @param {MouseEvent} event\n     *        The `mousemove` event that caused this to run.\n     * @param {boolean} mouseDown this is a flag that should be set to true if `handleMouseMove` is called directly. It allows us to skip things that should not happen if coming from mouse down but should happen on regular mouse move handler. Defaults to false\n     *\n     * @listens mousemove\n     */\n    handleMouseMove(event, mouseDown = false) {\n      if (!isSingleLeftClick(event) || isNaN(this.player_.duration())) {\n        return;\n      }\n      if (!mouseDown && !this.player_.scrubbing()) {\n        this.player_.scrubbing(true);\n      }\n      let newTime;\n      const distance = this.calculateDistance(event);\n      const liveTracker = this.player_.liveTracker;\n      if (!liveTracker || !liveTracker.isLive()) {\n        newTime = distance * this.player_.duration();\n\n        // Don't let video end while scrubbing.\n        if (newTime === this.player_.duration()) {\n          newTime = newTime - 0.1;\n        }\n      } else {\n        if (distance >= 0.99) {\n          liveTracker.seekToLiveEdge();\n          return;\n        }\n        const seekableStart = liveTracker.seekableStart();\n        const seekableEnd = liveTracker.liveCurrentTime();\n        newTime = seekableStart + distance * liveTracker.liveWindow();\n\n        // Don't let video end while scrubbing.\n        if (newTime >= seekableEnd) {\n          newTime = seekableEnd;\n        }\n\n        // Compensate for precision differences so that currentTime is not less\n        // than seekable start\n        if (newTime <= seekableStart) {\n          newTime = seekableStart + 0.1;\n        }\n\n        // On android seekableEnd can be Infinity sometimes,\n        // this will cause newTime to be Infinity, which is\n        // not a valid currentTime.\n        if (newTime === Infinity) {\n          return;\n        }\n      }\n\n      // if on mobile and `disableSeekWhileScrubbingOnMobile: true`, keep track of the desired seek point but we won't initiate the seek until 'touchend'\n      if (this.shouldDisableSeekWhileScrubbingOnMobile_) {\n        this.pendingSeekTime_ = newTime;\n      } else {\n        this.userSeek_(newTime);\n      }\n      if (this.player_.options_.enableSmoothSeeking) {\n        this.update();\n      }\n    }\n    enable() {\n      super.enable();\n      const mouseTimeDisplay = this.getChild('mouseTimeDisplay');\n      if (!mouseTimeDisplay) {\n        return;\n      }\n      mouseTimeDisplay.show();\n    }\n    disable() {\n      super.disable();\n      const mouseTimeDisplay = this.getChild('mouseTimeDisplay');\n      if (!mouseTimeDisplay) {\n        return;\n      }\n      mouseTimeDisplay.hide();\n    }\n\n    /**\n     * Handle mouse up on seek bar\n     *\n     * @param {MouseEvent} event\n     *        The `mouseup` event that caused this to run.\n     *\n     * @listens mouseup\n     */\n    handleMouseUp(event) {\n      super.handleMouseUp(event);\n\n      // Stop event propagation to prevent double fire in progress-control.js\n      if (event) {\n        event.stopPropagation();\n      }\n      this.player_.scrubbing(false);\n\n      // If we have a pending seek time, then we have finished scrubbing on mobile and should initiate a seek.\n      if (this.pendingSeekTime_) {\n        this.userSeek_(this.pendingSeekTime_);\n        this.pendingSeekTime_ = null;\n      }\n\n      /**\n       * Trigger timeupdate because we're done seeking and the time has changed.\n       * This is particularly useful for if the player is paused to time the time displays.\n       *\n       * @event Tech#timeupdate\n       * @type {Event}\n       */\n      this.player_.trigger({\n        type: 'timeupdate',\n        target: this,\n        manuallyTriggered: true\n      });\n      if (this.videoWasPlaying) {\n        silencePromise(this.player_.play());\n      } else {\n        // We're done seeking and the time has changed.\n        // If the player is paused, make sure we display the correct time on the seek bar.\n        this.update_();\n      }\n    }\n\n    /**\n     * Move more quickly fast forward for keyboard-only users\n     */\n    stepForward() {\n      this.userSeek_(this.player_.currentTime() + STEP_SECONDS);\n    }\n\n    /**\n     * Move more quickly rewind for keyboard-only users\n     */\n    stepBack() {\n      this.userSeek_(this.player_.currentTime() - STEP_SECONDS);\n    }\n\n    /**\n     * Toggles the playback state of the player\n     * This gets called when enter or space is used on the seekbar\n     *\n     * @param {KeyboardEvent} event\n     *        The `keydown` event that caused this function to be called\n     *\n     */\n    handleAction(event) {\n      if (this.player_.paused()) {\n        this.player_.play();\n      } else {\n        this.player_.pause();\n      }\n    }\n\n    /**\n     * Called when this SeekBar has focus and a key gets pressed down.\n     * Supports the following keys:\n     *\n     *   Space or Enter key fire a click event\n     *   Home key moves to start of the timeline\n     *   End key moves to end of the timeline\n     *   Digit \"0\" through \"9\" keys move to 0%, 10% ... 80%, 90% of the timeline\n     *   PageDown key moves back a larger step than ArrowDown\n     *   PageUp key moves forward a large step\n     *\n     * @param {KeyboardEvent} event\n     *        The `keydown` event that caused this function to be called.\n     *\n     * @listens keydown\n     */\n    handleKeyDown(event) {\n      const liveTracker = this.player_.liveTracker;\n      if (event.key === ' ' || event.key === 'Enter') {\n        event.preventDefault();\n        event.stopPropagation();\n        this.handleAction(event);\n      } else if (event.key === 'Home') {\n        event.preventDefault();\n        event.stopPropagation();\n        this.userSeek_(0);\n      } else if (event.key === 'End') {\n        event.preventDefault();\n        event.stopPropagation();\n        if (liveTracker && liveTracker.isLive()) {\n          this.userSeek_(liveTracker.liveCurrentTime());\n        } else {\n          this.userSeek_(this.player_.duration());\n        }\n      } else if (/^[0-9]$/.test(event.key)) {\n        event.preventDefault();\n        event.stopPropagation();\n        const gotoFraction = parseInt(event.key, 10) * 0.1;\n        if (liveTracker && liveTracker.isLive()) {\n          this.userSeek_(liveTracker.seekableStart() + liveTracker.liveWindow() * gotoFraction);\n        } else {\n          this.userSeek_(this.player_.duration() * gotoFraction);\n        }\n      } else if (event.key === 'PageDown') {\n        event.preventDefault();\n        event.stopPropagation();\n        this.userSeek_(this.player_.currentTime() - STEP_SECONDS * PAGE_KEY_MULTIPLIER);\n      } else if (event.key === 'PageUp') {\n        event.preventDefault();\n        event.stopPropagation();\n        this.userSeek_(this.player_.currentTime() + STEP_SECONDS * PAGE_KEY_MULTIPLIER);\n      } else {\n        // Pass keydown handling up for unsupported keys\n        super.handleKeyDown(event);\n      }\n    }\n    dispose() {\n      this.disableInterval_();\n      this.off(this.player_, ['durationchange', 'timeupdate'], this.update);\n      this.off(this.player_, ['ended'], this.update_);\n      if (this.player_.liveTracker) {\n        this.off(this.player_.liveTracker, 'liveedgechange', this.update);\n      }\n      this.off(this.player_, ['playing'], this.enableIntervalHandler_);\n      this.off(this.player_, ['ended', 'pause', 'waiting'], this.disableIntervalHandler_);\n\n      // we don't need to update the play progress if the document is hidden,\n      // also, this causes the CPU to spike and eventually crash the page on IE11.\n      if ('hidden' in document && 'visibilityState' in document) {\n        this.off(document, 'visibilitychange', this.toggleVisibility_);\n      }\n      super.dispose();\n    }\n  }\n\n  /**\n   * Default options for the `SeekBar`\n   *\n   * @type {Object}\n   * @private\n   */\n  SeekBar.prototype.options_ = {\n    children: ['loadProgressBar', 'playProgressBar'],\n    barName: 'playProgressBar'\n  };\n  Component$1.registerComponent('SeekBar', SeekBar);\n\n  /**\n   * @file progress-control.js\n   */\n\n  /**\n   * The Progress Control component contains the seek bar, load progress,\n   * and play progress.\n   *\n   * @extends Component\n   */\n  class ProgressControl extends Component$1 {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of player options.\n     */\n    constructor(player, options) {\n      super(player, options);\n      this.handleMouseMove = throttle(bind_(this, this.handleMouseMove), UPDATE_REFRESH_INTERVAL);\n      this.throttledHandleMouseSeek = throttle(bind_(this, this.handleMouseSeek), UPDATE_REFRESH_INTERVAL);\n      this.handleMouseUpHandler_ = e => this.handleMouseUp(e);\n      this.handleMouseDownHandler_ = e => this.handleMouseDown(e);\n      this.enable();\n    }\n\n    /**\n     * Create the `Component`'s DOM element\n     *\n     * @return {Element}\n     *         The element that was created.\n     */\n    createEl() {\n      return super.createEl('div', {\n        className: 'vjs-progress-control vjs-control'\n      });\n    }\n\n    /**\n     * When the mouse moves over the `ProgressControl`, the pointer position\n     * gets passed down to the `MouseTimeDisplay` component.\n     *\n     * @param {Event} event\n     *        The `mousemove` event that caused this function to run.\n     *\n     * @listen mousemove\n     */\n    handleMouseMove(event) {\n      const seekBar = this.getChild('seekBar');\n      if (!seekBar) {\n        return;\n      }\n      const playProgressBar = seekBar.getChild('playProgressBar');\n      const mouseTimeDisplay = seekBar.getChild('mouseTimeDisplay');\n      if (!playProgressBar && !mouseTimeDisplay) {\n        return;\n      }\n      const seekBarEl = seekBar.el();\n      const seekBarRect = findPosition(seekBarEl);\n      let seekBarPoint = getPointerPosition(seekBarEl, event).x;\n\n      // The default skin has a gap on either side of the `SeekBar`. This means\n      // that it's possible to trigger this behavior outside the boundaries of\n      // the `SeekBar`. This ensures we stay within it at all times.\n      seekBarPoint = clamp(seekBarPoint, 0, 1);\n      if (mouseTimeDisplay) {\n        mouseTimeDisplay.update(seekBarRect, seekBarPoint);\n      }\n      if (playProgressBar) {\n        playProgressBar.update(seekBarRect, seekBar.getProgress());\n      }\n    }\n\n    /**\n     * A throttled version of the {@link ProgressControl#handleMouseSeek} listener.\n     *\n     * @method ProgressControl#throttledHandleMouseSeek\n     * @param {Event} event\n     *        The `mousemove` event that caused this function to run.\n     *\n     * @listen mousemove\n     * @listen touchmove\n     */\n\n    /**\n     * Handle `mousemove` or `touchmove` events on the `ProgressControl`.\n     *\n     * @param {Event} event\n     *        `mousedown` or `touchstart` event that triggered this function\n     *\n     * @listens mousemove\n     * @listens touchmove\n     */\n    handleMouseSeek(event) {\n      const seekBar = this.getChild('seekBar');\n      if (seekBar) {\n        seekBar.handleMouseMove(event);\n      }\n    }\n\n    /**\n     * Are controls are currently enabled for this progress control.\n     *\n     * @return {boolean}\n     *         true if controls are enabled, false otherwise\n     */\n    enabled() {\n      return this.enabled_;\n    }\n\n    /**\n     * Disable all controls on the progress control and its children\n     */\n    disable() {\n      this.children().forEach(child => child.disable && child.disable());\n      if (!this.enabled()) {\n        return;\n      }\n      this.off(['mousedown', 'touchstart'], this.handleMouseDownHandler_);\n      this.off(this.el_, ['mousemove', 'touchmove'], this.handleMouseMove);\n      this.removeListenersAddedOnMousedownAndTouchstart();\n      this.addClass('disabled');\n      this.enabled_ = false;\n\n      // Restore normal playback state if controls are disabled while scrubbing\n      if (this.player_.scrubbing()) {\n        const seekBar = this.getChild('seekBar');\n        this.player_.scrubbing(false);\n        if (seekBar.videoWasPlaying) {\n          silencePromise(this.player_.play());\n        }\n      }\n    }\n\n    /**\n     * Enable all controls on the progress control and its children\n     */\n    enable() {\n      this.children().forEach(child => child.enable && child.enable());\n      if (this.enabled()) {\n        return;\n      }\n      this.on(['mousedown', 'touchstart'], this.handleMouseDownHandler_);\n      this.on(this.el_, ['mousemove', 'touchmove'], this.handleMouseMove);\n      this.removeClass('disabled');\n      this.enabled_ = true;\n    }\n\n    /**\n     * Cleanup listeners after the user finishes interacting with the progress controls\n     */\n    removeListenersAddedOnMousedownAndTouchstart() {\n      const doc = this.el_.ownerDocument;\n      this.off(doc, 'mousemove', this.throttledHandleMouseSeek);\n      this.off(doc, 'touchmove', this.throttledHandleMouseSeek);\n      this.off(doc, 'mouseup', this.handleMouseUpHandler_);\n      this.off(doc, 'touchend', this.handleMouseUpHandler_);\n    }\n\n    /**\n     * Handle `mousedown` or `touchstart` events on the `ProgressControl`.\n     *\n     * @param {Event} event\n     *        `mousedown` or `touchstart` event that triggered this function\n     *\n     * @listens mousedown\n     * @listens touchstart\n     */\n    handleMouseDown(event) {\n      const doc = this.el_.ownerDocument;\n      const seekBar = this.getChild('seekBar');\n      if (seekBar) {\n        seekBar.handleMouseDown(event);\n      }\n      this.on(doc, 'mousemove', this.throttledHandleMouseSeek);\n      this.on(doc, 'touchmove', this.throttledHandleMouseSeek);\n      this.on(doc, 'mouseup', this.handleMouseUpHandler_);\n      this.on(doc, 'touchend', this.handleMouseUpHandler_);\n    }\n\n    /**\n     * Handle `mouseup` or `touchend` events on the `ProgressControl`.\n     *\n     * @param {Event} event\n     *        `mouseup` or `touchend` event that triggered this function.\n     *\n     * @listens touchend\n     * @listens mouseup\n     */\n    handleMouseUp(event) {\n      const seekBar = this.getChild('seekBar');\n      if (seekBar) {\n        seekBar.handleMouseUp(event);\n      }\n      this.removeListenersAddedOnMousedownAndTouchstart();\n    }\n  }\n\n  /**\n   * Default options for `ProgressControl`\n   *\n   * @type {Object}\n   * @private\n   */\n  ProgressControl.prototype.options_ = {\n    children: ['seekBar']\n  };\n  Component$1.registerComponent('ProgressControl', ProgressControl);\n\n  /**\n   * @file picture-in-picture-toggle.js\n   */\n\n  /** @import Player from './player' */\n\n  /**\n   * Toggle Picture-in-Picture mode\n   *\n   * @extends Button\n   */\n  class PictureInPictureToggle extends Button {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of player options.\n     *\n     * @listens Player#enterpictureinpicture\n     * @listens Player#leavepictureinpicture\n     */\n    constructor(player, options) {\n      super(player, options);\n      this.setIcon('picture-in-picture-enter');\n      this.on(player, ['enterpictureinpicture', 'leavepictureinpicture'], e => this.handlePictureInPictureChange(e));\n      this.on(player, ['disablepictureinpicturechanged', 'loadedmetadata'], e => this.handlePictureInPictureEnabledChange(e));\n      this.on(player, ['loadedmetadata', 'audioonlymodechange', 'audiopostermodechange'], () => this.handlePictureInPictureAudioModeChange());\n\n      // TODO: Deactivate button on player emptied event.\n      this.disable();\n    }\n\n    /**\n     * Builds the default DOM `className`.\n     *\n     * @return {string}\n     *         The DOM `className` for this object.\n     */\n    buildCSSClass() {\n      return `vjs-picture-in-picture-control vjs-hidden ${super.buildCSSClass()}`;\n    }\n\n    /**\n     * Displays or hides the button depending on the audio mode detection.\n     * Exits picture-in-picture if it is enabled when switching to audio mode.\n     */\n    handlePictureInPictureAudioModeChange() {\n      // This audio detection will not detect HLS or DASH audio-only streams because there was no reliable way to detect them at the time\n      const isSourceAudio = this.player_.currentType().substring(0, 5) === 'audio';\n      const isAudioMode = isSourceAudio || this.player_.audioPosterMode() || this.player_.audioOnlyMode();\n      if (!isAudioMode) {\n        this.show();\n        return;\n      }\n      if (this.player_.isInPictureInPicture()) {\n        this.player_.exitPictureInPicture();\n      }\n      this.hide();\n    }\n\n    /**\n     * Enables or disables button based on availability of a Picture-In-Picture mode.\n     *\n     * Enabled if\n     * - `player.options().enableDocumentPictureInPicture` is true and\n     *   window.documentPictureInPicture is available; or\n     * - `player.disablePictureInPicture()` is false and\n     *   element.requestPictureInPicture is available\n     */\n    handlePictureInPictureEnabledChange() {\n      if (document.pictureInPictureEnabled && this.player_.disablePictureInPicture() === false || this.player_.options_.enableDocumentPictureInPicture && 'documentPictureInPicture' in window) {\n        this.enable();\n      } else {\n        this.disable();\n      }\n    }\n\n    /**\n     * Handles enterpictureinpicture and leavepictureinpicture on the player and change control text accordingly.\n     *\n     * @param {Event} [event]\n     *        The {@link Player#enterpictureinpicture} or {@link Player#leavepictureinpicture} event that caused this function to be\n     *        called.\n     *\n     * @listens Player#enterpictureinpicture\n     * @listens Player#leavepictureinpicture\n     */\n    handlePictureInPictureChange(event) {\n      if (this.player_.isInPictureInPicture()) {\n        this.setIcon('picture-in-picture-exit');\n        this.controlText('Exit Picture-in-Picture');\n      } else {\n        this.setIcon('picture-in-picture-enter');\n        this.controlText('Picture-in-Picture');\n      }\n      this.handlePictureInPictureEnabledChange();\n    }\n\n    /**\n     * This gets called when an `PictureInPictureToggle` is \"clicked\". See\n     * {@link ClickableComponent} for more detailed information on what a click can be.\n     *\n     * @param {Event} [event]\n     *        The `keydown`, `tap`, or `click` event that caused this function to be\n     *        called.\n     *\n     * @listens tap\n     * @listens click\n     */\n    handleClick(event) {\n      if (!this.player_.isInPictureInPicture()) {\n        this.player_.requestPictureInPicture();\n      } else {\n        this.player_.exitPictureInPicture();\n      }\n    }\n\n    /**\n     * Show the `Component`s element if it is hidden by removing the\n     * 'vjs-hidden' class name from it only in browsers that support the Picture-in-Picture API.\n     */\n    show() {\n      // Does not allow to display the pictureInPictureToggle in browsers that do not support the Picture-in-Picture API, e.g. Firefox.\n      if (typeof document.exitPictureInPicture !== 'function') {\n        return;\n      }\n      super.show();\n    }\n  }\n\n  /**\n   * The text that should display over the `PictureInPictureToggle`s controls. Added for localization.\n   *\n   * @type {string}\n   * @protected\n   */\n  PictureInPictureToggle.prototype.controlText_ = 'Picture-in-Picture';\n  Component$1.registerComponent('PictureInPictureToggle', PictureInPictureToggle);\n\n  /**\n   * @file fullscreen-toggle.js\n   */\n\n  /** @import Player from './player' */\n\n  /**\n   * Toggle fullscreen video\n   *\n   * @extends Button\n   */\n  class FullscreenToggle extends Button {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of player options.\n     */\n    constructor(player, options) {\n      super(player, options);\n      this.setIcon('fullscreen-enter');\n      this.on(player, 'fullscreenchange', e => this.handleFullscreenChange(e));\n      if (document[player.fsApi_.fullscreenEnabled] === false) {\n        this.disable();\n      }\n    }\n\n    /**\n     * Builds the default DOM `className`.\n     *\n     * @return {string}\n     *         The DOM `className` for this object.\n     */\n    buildCSSClass() {\n      return `vjs-fullscreen-control ${super.buildCSSClass()}`;\n    }\n\n    /**\n     * Handles fullscreenchange on the player and change control text accordingly.\n     *\n     * @param {Event} [event]\n     *        The {@link Player#fullscreenchange} event that caused this function to be\n     *        called.\n     *\n     * @listens Player#fullscreenchange\n     */\n    handleFullscreenChange(event) {\n      if (this.player_.isFullscreen()) {\n        this.controlText('Exit Fullscreen');\n        this.setIcon('fullscreen-exit');\n      } else {\n        this.controlText('Fullscreen');\n        this.setIcon('fullscreen-enter');\n      }\n    }\n\n    /**\n     * This gets called when an `FullscreenToggle` is \"clicked\". See\n     * {@link ClickableComponent} for more detailed information on what a click can be.\n     *\n     * @param {Event} [event]\n     *        The `keydown`, `tap`, or `click` event that caused this function to be\n     *        called.\n     *\n     * @listens tap\n     * @listens click\n     */\n    handleClick(event) {\n      if (!this.player_.isFullscreen()) {\n        this.player_.requestFullscreen();\n      } else {\n        this.player_.exitFullscreen();\n      }\n    }\n  }\n\n  /**\n   * The text that should display over the `FullscreenToggle`s controls. Added for localization.\n   *\n   * @type {string}\n   * @protected\n   */\n  FullscreenToggle.prototype.controlText_ = 'Fullscreen';\n  Component$1.registerComponent('FullscreenToggle', FullscreenToggle);\n\n  /** @import Component from '../../component' */\n  /** @import Player from '../../player' */\n\n  /**\n   * Check if volume control is supported and if it isn't hide the\n   * `Component` that was passed  using the `vjs-hidden` class.\n   *\n   * @param {Component} self\n   *        The component that should be hidden if volume is unsupported\n   *\n   * @param {Player} player\n   *        A reference to the player\n   *\n   * @private\n   */\n  const checkVolumeSupport = function (self, player) {\n    // hide volume controls when they're not supported by the current tech\n    if (player.tech_ && !player.tech_.featuresVolumeControl) {\n      self.addClass('vjs-hidden');\n    }\n    self.on(player, 'loadstart', function () {\n      if (!player.tech_.featuresVolumeControl) {\n        self.addClass('vjs-hidden');\n      } else {\n        self.removeClass('vjs-hidden');\n      }\n    });\n  };\n\n  /**\n   * @file volume-level.js\n   */\n\n  /**\n   * Shows volume level\n   *\n   * @extends Component\n   */\n  class VolumeLevel extends Component$1 {\n    /**\n     * Create the `Component`'s DOM element\n     *\n     * @return {Element}\n     *         The element that was created.\n     */\n    createEl() {\n      const el = super.createEl('div', {\n        className: 'vjs-volume-level'\n      });\n      this.setIcon('circle', el);\n      el.appendChild(super.createEl('span', {\n        className: 'vjs-control-text'\n      }));\n      return el;\n    }\n  }\n  Component$1.registerComponent('VolumeLevel', VolumeLevel);\n\n  /**\n   * @file volume-level-tooltip.js\n   */\n\n  /** @import Player from '../../player' */\n\n  /**\n   * Volume level tooltips display a volume above or side by side the volume bar.\n   *\n   * @extends Component\n   */\n  class VolumeLevelTooltip extends Component$1 {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The {@link Player} that this class should be attached to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of player options.\n     */\n    constructor(player, options) {\n      super(player, options);\n      this.update = throttle(bind_(this, this.update), UPDATE_REFRESH_INTERVAL);\n    }\n\n    /**\n     * Create the volume tooltip DOM element\n     *\n     * @return {Element}\n     *         The element that was created.\n     */\n    createEl() {\n      return super.createEl('div', {\n        className: 'vjs-volume-tooltip'\n      }, {\n        'aria-hidden': 'true'\n      });\n    }\n\n    /**\n     * Updates the position of the tooltip relative to the `VolumeBar` and\n     * its content text.\n     *\n     * @param {Object} rangeBarRect\n     *        The `ClientRect` for the {@link VolumeBar} element.\n     *\n     * @param {number} rangeBarPoint\n     *        A number from 0 to 1, representing a horizontal/vertical reference point\n     *        from the left edge of the {@link VolumeBar}\n     *\n     * @param {boolean} vertical\n     *        Referees to the Volume control position\n     *        in the control bar{@link VolumeControl}\n     *\n     */\n    update(rangeBarRect, rangeBarPoint, vertical, content) {\n      if (!vertical) {\n        const tooltipRect = getBoundingClientRect(this.el_);\n        const playerRect = getBoundingClientRect(this.player_.el());\n        const volumeBarPointPx = rangeBarRect.width * rangeBarPoint;\n        if (!playerRect || !tooltipRect) {\n          return;\n        }\n        const spaceLeftOfPoint = rangeBarRect.left - playerRect.left + volumeBarPointPx;\n        const spaceRightOfPoint = rangeBarRect.width - volumeBarPointPx + (playerRect.right - rangeBarRect.right);\n        let pullTooltipBy = tooltipRect.width / 2;\n        if (spaceLeftOfPoint < pullTooltipBy) {\n          pullTooltipBy += pullTooltipBy - spaceLeftOfPoint;\n        } else if (spaceRightOfPoint < pullTooltipBy) {\n          pullTooltipBy = spaceRightOfPoint;\n        }\n        if (pullTooltipBy < 0) {\n          pullTooltipBy = 0;\n        } else if (pullTooltipBy > tooltipRect.width) {\n          pullTooltipBy = tooltipRect.width;\n        }\n        this.el_.style.right = `-${pullTooltipBy}px`;\n      }\n      this.write(`${content}%`);\n    }\n\n    /**\n     * Write the volume to the tooltip DOM element.\n     *\n     * @param {string} content\n     *        The formatted volume for the tooltip.\n     */\n    write(content) {\n      textContent(this.el_, content);\n    }\n\n    /**\n     * Updates the position of the volume tooltip relative to the `VolumeBar`.\n     *\n     * @param {Object} rangeBarRect\n     *        The `ClientRect` for the {@link VolumeBar} element.\n     *\n     * @param {number} rangeBarPoint\n     *        A number from 0 to 1, representing a horizontal/vertical reference point\n     *        from the left edge of the {@link VolumeBar}\n     *\n     * @param {boolean} vertical\n     *        Referees to the Volume control position\n     *        in the control bar{@link VolumeControl}\n     *\n     * @param {number} volume\n     *        The volume level to update the tooltip to\n     *\n     * @param {Function} cb\n     *        A function that will be called during the request animation frame\n     *        for tooltips that need to do additional animations from the default\n     */\n    updateVolume(rangeBarRect, rangeBarPoint, vertical, volume, cb) {\n      this.requestNamedAnimationFrame('VolumeLevelTooltip#updateVolume', () => {\n        this.update(rangeBarRect, rangeBarPoint, vertical, volume.toFixed(0));\n        if (cb) {\n          cb();\n        }\n      });\n    }\n  }\n  Component$1.registerComponent('VolumeLevelTooltip', VolumeLevelTooltip);\n\n  /**\n   * @file mouse-volume-level-display.js\n   */\n\n  /**\n   * The {@link MouseVolumeLevelDisplay} component tracks mouse movement over the\n   * {@link VolumeControl}. It displays an indicator and a {@link VolumeLevelTooltip}\n   * indicating the volume level which is represented by a given point in the\n   * {@link VolumeBar}.\n   *\n   * @extends Component\n   */\n  class MouseVolumeLevelDisplay extends Component$1 {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The {@link Player} that this class should be attached to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of player options.\n     */\n    constructor(player, options) {\n      super(player, options);\n      this.update = throttle(bind_(this, this.update), UPDATE_REFRESH_INTERVAL);\n    }\n\n    /**\n     * Create the DOM element for this class.\n     *\n     * @return {Element}\n     *         The element that was created.\n     */\n    createEl() {\n      return super.createEl('div', {\n        className: 'vjs-mouse-display'\n      });\n    }\n\n    /**\n     * Enquires updates to its own DOM as well as the DOM of its\n     * {@link VolumeLevelTooltip} child.\n     *\n     * @param {Object} rangeBarRect\n     *        The `ClientRect` for the {@link VolumeBar} element.\n     *\n     * @param {number} rangeBarPoint\n     *        A number from 0 to 1, representing a horizontal/vertical reference point\n     *        from the left edge of the {@link VolumeBar}\n     *\n     * @param {boolean} vertical\n     *        Referees to the Volume control position\n     *        in the control bar{@link VolumeControl}\n     *\n     */\n    update(rangeBarRect, rangeBarPoint, vertical) {\n      const volume = 100 * rangeBarPoint;\n      this.getChild('volumeLevelTooltip').updateVolume(rangeBarRect, rangeBarPoint, vertical, volume, () => {\n        if (vertical) {\n          this.el_.style.bottom = `${rangeBarRect.height * rangeBarPoint}px`;\n        } else {\n          this.el_.style.left = `${rangeBarRect.width * rangeBarPoint}px`;\n        }\n      });\n    }\n  }\n\n  /**\n   * Default options for `MouseVolumeLevelDisplay`\n   *\n   * @type {Object}\n   * @private\n   */\n  MouseVolumeLevelDisplay.prototype.options_ = {\n    children: ['volumeLevelTooltip']\n  };\n  Component$1.registerComponent('MouseVolumeLevelDisplay', MouseVolumeLevelDisplay);\n\n  /**\n   * @file volume-bar.js\n   */\n\n  /**\n   * The bar that contains the volume level and can be clicked on to adjust the level\n   *\n   * @extends Slider\n   */\n  class VolumeBar extends Slider {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of player options.\n     */\n    constructor(player, options) {\n      super(player, options);\n      this.on('slideractive', e => this.updateLastVolume_(e));\n      this.on(player, 'volumechange', e => this.updateARIAAttributes(e));\n      player.ready(() => this.updateARIAAttributes());\n    }\n\n    /**\n     * Create the `Component`'s DOM element\n     *\n     * @return {Element}\n     *         The element that was created.\n     */\n    createEl() {\n      return super.createEl('div', {\n        className: 'vjs-volume-bar vjs-slider-bar'\n      }, {\n        'aria-label': this.localize('Volume Level'),\n        'aria-live': 'polite'\n      });\n    }\n\n    /**\n     * Handle mouse down on volume bar\n     *\n     * @param {Event} event\n     *        The `mousedown` event that caused this to run.\n     *\n     * @listens mousedown\n     */\n    handleMouseDown(event) {\n      if (!isSingleLeftClick(event)) {\n        return;\n      }\n      super.handleMouseDown(event);\n    }\n\n    /**\n     * Handle movement events on the {@link VolumeMenuButton}.\n     *\n     * @param {Event} event\n     *        The event that caused this function to run.\n     *\n     * @listens mousemove\n     */\n    handleMouseMove(event) {\n      const mouseVolumeLevelDisplay = this.getChild('mouseVolumeLevelDisplay');\n      if (mouseVolumeLevelDisplay) {\n        const volumeBarEl = this.el();\n        const volumeBarRect = getBoundingClientRect(volumeBarEl);\n        const vertical = this.vertical();\n        let volumeBarPoint = getPointerPosition(volumeBarEl, event);\n        volumeBarPoint = vertical ? volumeBarPoint.y : volumeBarPoint.x;\n        // The default skin has a gap on either side of the `VolumeBar`. This means\n        // that it's possible to trigger this behavior outside the boundaries of\n        // the `VolumeBar`. This ensures we stay within it at all times.\n        volumeBarPoint = clamp(volumeBarPoint, 0, 1);\n        mouseVolumeLevelDisplay.update(volumeBarRect, volumeBarPoint, vertical);\n      }\n      if (!isSingleLeftClick(event)) {\n        return;\n      }\n      this.checkMuted();\n      this.player_.volume(this.calculateDistance(event));\n    }\n\n    /**\n     * If the player is muted unmute it.\n     */\n    checkMuted() {\n      if (this.player_.muted()) {\n        this.player_.muted(false);\n      }\n    }\n\n    /**\n     * Get percent of volume level\n     *\n     * @return {number}\n     *         Volume level percent as a decimal number.\n     */\n    getPercent() {\n      if (this.player_.muted()) {\n        return 0;\n      }\n      return this.player_.volume();\n    }\n\n    /**\n     * Increase volume level for keyboard users\n     */\n    stepForward() {\n      this.checkMuted();\n      this.player_.volume(this.player_.volume() + 0.1);\n    }\n\n    /**\n     * Decrease volume level for keyboard users\n     */\n    stepBack() {\n      this.checkMuted();\n      this.player_.volume(this.player_.volume() - 0.1);\n    }\n\n    /**\n     * Update ARIA accessibility attributes\n     *\n     * @param {Event} [event]\n     *        The `volumechange` event that caused this function to run.\n     *\n     * @listens Player#volumechange\n     */\n    updateARIAAttributes(event) {\n      const ariaValue = this.player_.muted() ? 0 : this.volumeAsPercentage_();\n      this.el_.setAttribute('aria-valuenow', ariaValue);\n      this.el_.setAttribute('aria-valuetext', ariaValue + '%');\n    }\n\n    /**\n     * Returns the current value of the player volume as a percentage\n     *\n     * @private\n     */\n    volumeAsPercentage_() {\n      return Math.round(this.player_.volume() * 100);\n    }\n\n    /**\n     * When user starts dragging the VolumeBar, store the volume and listen for\n     * the end of the drag. When the drag ends, if the volume was set to zero,\n     * set lastVolume to the stored volume.\n     *\n     * @listens slideractive\n     * @private\n     */\n    updateLastVolume_() {\n      const volumeBeforeDrag = this.player_.volume();\n      this.one('sliderinactive', () => {\n        if (this.player_.volume() === 0) {\n          this.player_.lastVolume_(volumeBeforeDrag);\n        }\n      });\n    }\n  }\n\n  /**\n   * Default options for the `VolumeBar`\n   *\n   * @type {Object}\n   * @private\n   */\n  VolumeBar.prototype.options_ = {\n    children: ['volumeLevel'],\n    barName: 'volumeLevel'\n  };\n\n  // MouseVolumeLevelDisplay tooltip should not be added to a player on mobile devices\n  if (!IS_IOS && !IS_ANDROID) {\n    VolumeBar.prototype.options_.children.splice(0, 0, 'mouseVolumeLevelDisplay');\n  }\n\n  /**\n   * Call the update event for this Slider when this event happens on the player.\n   *\n   * @type {string}\n   */\n  VolumeBar.prototype.playerEvent = 'volumechange';\n  Component$1.registerComponent('VolumeBar', VolumeBar);\n\n  /**\n   * @file volume-control.js\n   */\n\n  /**\n   * The component for controlling the volume level\n   *\n   * @extends Component\n   */\n  class VolumeControl extends Component$1 {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options={}]\n     *        The key/value store of player options.\n     */\n    constructor(player, options = {}) {\n      options.vertical = options.vertical || false;\n\n      // Pass the vertical option down to the VolumeBar if\n      // the VolumeBar is turned on.\n      if (typeof options.volumeBar === 'undefined' || isPlain(options.volumeBar)) {\n        options.volumeBar = options.volumeBar || {};\n        options.volumeBar.vertical = options.vertical;\n      }\n      super(player, options);\n\n      // hide this control if volume support is missing\n      checkVolumeSupport(this, player);\n      this.throttledHandleMouseMove = throttle(bind_(this, this.handleMouseMove), UPDATE_REFRESH_INTERVAL);\n      this.handleMouseUpHandler_ = e => this.handleMouseUp(e);\n      this.on('mousedown', e => this.handleMouseDown(e));\n      this.on('touchstart', e => this.handleMouseDown(e));\n      this.on('mousemove', e => this.handleMouseMove(e));\n\n      // while the slider is active (the mouse has been pressed down and\n      // is dragging) or in focus we do not want to hide the VolumeBar\n      this.on(this.volumeBar, ['focus', 'slideractive'], () => {\n        this.volumeBar.addClass('vjs-slider-active');\n        this.addClass('vjs-slider-active');\n        this.trigger('slideractive');\n      });\n      this.on(this.volumeBar, ['blur', 'sliderinactive'], () => {\n        this.volumeBar.removeClass('vjs-slider-active');\n        this.removeClass('vjs-slider-active');\n        this.trigger('sliderinactive');\n      });\n    }\n\n    /**\n     * Create the `Component`'s DOM element\n     *\n     * @return {Element}\n     *         The element that was created.\n     */\n    createEl() {\n      let orientationClass = 'vjs-volume-horizontal';\n      if (this.options_.vertical) {\n        orientationClass = 'vjs-volume-vertical';\n      }\n      return super.createEl('div', {\n        className: `vjs-volume-control vjs-control ${orientationClass}`\n      });\n    }\n\n    /**\n     * Handle `mousedown` or `touchstart` events on the `VolumeControl`.\n     *\n     * @param {Event} event\n     *        `mousedown` or `touchstart` event that triggered this function\n     *\n     * @listens mousedown\n     * @listens touchstart\n     */\n    handleMouseDown(event) {\n      const doc = this.el_.ownerDocument;\n      this.on(doc, 'mousemove', this.throttledHandleMouseMove);\n      this.on(doc, 'touchmove', this.throttledHandleMouseMove);\n      this.on(doc, 'mouseup', this.handleMouseUpHandler_);\n      this.on(doc, 'touchend', this.handleMouseUpHandler_);\n    }\n\n    /**\n     * Handle `mouseup` or `touchend` events on the `VolumeControl`.\n     *\n     * @param {Event} event\n     *        `mouseup` or `touchend` event that triggered this function.\n     *\n     * @listens touchend\n     * @listens mouseup\n     */\n    handleMouseUp(event) {\n      const doc = this.el_.ownerDocument;\n      this.off(doc, 'mousemove', this.throttledHandleMouseMove);\n      this.off(doc, 'touchmove', this.throttledHandleMouseMove);\n      this.off(doc, 'mouseup', this.handleMouseUpHandler_);\n      this.off(doc, 'touchend', this.handleMouseUpHandler_);\n    }\n\n    /**\n     * Handle `mousedown` or `touchstart` events on the `VolumeControl`.\n     *\n     * @param {Event} event\n     *        `mousedown` or `touchstart` event that triggered this function\n     *\n     * @listens mousedown\n     * @listens touchstart\n     */\n    handleMouseMove(event) {\n      this.volumeBar.handleMouseMove(event);\n    }\n  }\n\n  /**\n   * Default options for the `VolumeControl`\n   *\n   * @type {Object}\n   * @private\n   */\n  VolumeControl.prototype.options_ = {\n    children: ['volumeBar']\n  };\n  Component$1.registerComponent('VolumeControl', VolumeControl);\n\n  /** @import Component from '../../component' */\n  /** @import Player from '../../player' */\n\n  /**\n   * Check if muting volume is supported and if it isn't hide the mute toggle\n   * button.\n   *\n   * @param {Component} self\n   *        A reference to the mute toggle button\n   *\n   * @param {Player} player\n   *        A reference to the player\n   *\n   * @private\n   */\n  const checkMuteSupport = function (self, player) {\n    // hide mute toggle button if it's not supported by the current tech\n    if (player.tech_ && !player.tech_.featuresMuteControl) {\n      self.addClass('vjs-hidden');\n    }\n    self.on(player, 'loadstart', function () {\n      if (!player.tech_.featuresMuteControl) {\n        self.addClass('vjs-hidden');\n      } else {\n        self.removeClass('vjs-hidden');\n      }\n    });\n  };\n\n  /**\n   * @file mute-toggle.js\n   */\n\n  /** @import Player from './player' */\n\n  /**\n   * A button component for muting the audio.\n   *\n   * @extends Button\n   */\n  class MuteToggle extends Button {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of player options.\n     */\n    constructor(player, options) {\n      super(player, options);\n\n      // hide this control if volume support is missing\n      checkMuteSupport(this, player);\n      this.on(player, ['loadstart', 'volumechange'], e => this.update(e));\n    }\n\n    /**\n     * Builds the default DOM `className`.\n     *\n     * @return {string}\n     *         The DOM `className` for this object.\n     */\n    buildCSSClass() {\n      return `vjs-mute-control ${super.buildCSSClass()}`;\n    }\n\n    /**\n     * This gets called when an `MuteToggle` is \"clicked\". See\n     * {@link ClickableComponent} for more detailed information on what a click can be.\n     *\n     * @param {Event} [event]\n     *        The `keydown`, `tap`, or `click` event that caused this function to be\n     *        called.\n     *\n     * @listens tap\n     * @listens click\n     */\n    handleClick(event) {\n      const vol = this.player_.volume();\n      const lastVolume = this.player_.lastVolume_();\n      if (vol === 0) {\n        const volumeToSet = lastVolume < 0.1 ? 0.1 : lastVolume;\n        this.player_.volume(volumeToSet);\n        this.player_.muted(false);\n      } else {\n        this.player_.muted(this.player_.muted() ? false : true);\n      }\n    }\n\n    /**\n     * Update the `MuteToggle` button based on the state of `volume` and `muted`\n     * on the player.\n     *\n     * @param {Event} [event]\n     *        The {@link Player#loadstart} event if this function was called\n     *        through an event.\n     *\n     * @listens Player#loadstart\n     * @listens Player#volumechange\n     */\n    update(event) {\n      this.updateIcon_();\n      this.updateControlText_();\n    }\n\n    /**\n     * Update the appearance of the `MuteToggle` icon.\n     *\n     * Possible states (given `level` variable below):\n     * - 0: crossed out\n     * - 1: zero bars of volume\n     * - 2: one bar of volume\n     * - 3: two bars of volume\n     *\n     * @private\n     */\n    updateIcon_() {\n      const vol = this.player_.volume();\n      let level = 3;\n      this.setIcon('volume-high');\n\n      // in iOS when a player is loaded with muted attribute\n      // and volume is changed with a native mute button\n      // we want to make sure muted state is updated\n      if (IS_IOS && this.player_.tech_ && this.player_.tech_.el_) {\n        this.player_.muted(this.player_.tech_.el_.muted);\n      }\n      if (vol === 0 || this.player_.muted()) {\n        this.setIcon('volume-mute');\n        level = 0;\n      } else if (vol < 0.33) {\n        this.setIcon('volume-low');\n        level = 1;\n      } else if (vol < 0.67) {\n        this.setIcon('volume-medium');\n        level = 2;\n      }\n      removeClass(this.el_, [0, 1, 2, 3].reduce((str, i) => str + `${i ? ' ' : ''}vjs-vol-${i}`, ''));\n      addClass(this.el_, `vjs-vol-${level}`);\n    }\n\n    /**\n     * If `muted` has changed on the player, update the control text\n     * (`title` attribute on `vjs-mute-control` element and content of\n     * `vjs-control-text` element).\n     *\n     * @private\n     */\n    updateControlText_() {\n      const soundOff = this.player_.muted() || this.player_.volume() === 0;\n      const text = soundOff ? 'Unmute' : 'Mute';\n      if (this.controlText() !== text) {\n        this.controlText(text);\n      }\n    }\n  }\n\n  /**\n   * The text that should display over the `MuteToggle`s controls. Added for localization.\n   *\n   * @type {string}\n   * @protected\n   */\n  MuteToggle.prototype.controlText_ = 'Mute';\n  Component$1.registerComponent('MuteToggle', MuteToggle);\n\n  /**\n   * @file volume-control.js\n   */\n\n  /**\n   * A Component to contain the MuteToggle and VolumeControl so that\n   * they can work together.\n   *\n   * @extends Component\n   */\n  class VolumePanel extends Component$1 {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options={}]\n     *        The key/value store of player options.\n     */\n    constructor(player, options = {}) {\n      if (typeof options.inline !== 'undefined') {\n        options.inline = options.inline;\n      } else {\n        options.inline = true;\n      }\n\n      // pass the inline option down to the VolumeControl as vertical if\n      // the VolumeControl is on.\n      if (typeof options.volumeControl === 'undefined' || isPlain(options.volumeControl)) {\n        options.volumeControl = options.volumeControl || {};\n        options.volumeControl.vertical = !options.inline;\n      }\n      super(player, options);\n\n      // this handler is used by mouse handler methods below\n      this.handleKeyPressHandler_ = e => this.handleKeyPress(e);\n      this.on(player, ['loadstart'], e => this.volumePanelState_(e));\n      this.on(this.muteToggle, 'keyup', e => this.handleKeyPress(e));\n      this.on(this.volumeControl, 'keyup', e => this.handleVolumeControlKeyUp(e));\n      this.on('keydown', e => this.handleKeyPress(e));\n      this.on('mouseover', e => this.handleMouseOver(e));\n      this.on('mouseout', e => this.handleMouseOut(e));\n\n      // while the slider is active (the mouse has been pressed down and\n      // is dragging) we do not want to hide the VolumeBar\n      this.on(this.volumeControl, ['slideractive'], this.sliderActive_);\n      this.on(this.volumeControl, ['sliderinactive'], this.sliderInactive_);\n    }\n\n    /**\n     * Add vjs-slider-active class to the VolumePanel\n     *\n     * @listens VolumeControl#slideractive\n     * @private\n     */\n    sliderActive_() {\n      this.addClass('vjs-slider-active');\n    }\n\n    /**\n     * Removes vjs-slider-active class to the VolumePanel\n     *\n     * @listens VolumeControl#sliderinactive\n     * @private\n     */\n    sliderInactive_() {\n      this.removeClass('vjs-slider-active');\n    }\n\n    /**\n     * Adds vjs-hidden or vjs-mute-toggle-only to the VolumePanel\n     * depending on MuteToggle and VolumeControl state\n     *\n     * @listens Player#loadstart\n     * @private\n     */\n    volumePanelState_() {\n      // hide volume panel if neither volume control or mute toggle\n      // are displayed\n      if (this.volumeControl.hasClass('vjs-hidden') && this.muteToggle.hasClass('vjs-hidden')) {\n        this.addClass('vjs-hidden');\n      }\n\n      // if only mute toggle is visible we don't want\n      // volume panel expanding when hovered or active\n      if (this.volumeControl.hasClass('vjs-hidden') && !this.muteToggle.hasClass('vjs-hidden')) {\n        this.addClass('vjs-mute-toggle-only');\n      }\n    }\n\n    /**\n     * Create the `Component`'s DOM element\n     *\n     * @return {Element}\n     *         The element that was created.\n     */\n    createEl() {\n      let orientationClass = 'vjs-volume-panel-horizontal';\n      if (!this.options_.inline) {\n        orientationClass = 'vjs-volume-panel-vertical';\n      }\n      return super.createEl('div', {\n        className: `vjs-volume-panel vjs-control ${orientationClass}`\n      });\n    }\n\n    /**\n     * Dispose of the `volume-panel` and all child components.\n     */\n    dispose() {\n      this.handleMouseOut();\n      super.dispose();\n    }\n\n    /**\n     * Handles `keyup` events on the `VolumeControl`, looking for ESC, which closes\n     * the volume panel and sets focus on `MuteToggle`.\n     *\n     * @param {Event} event\n     *        The `keyup` event that caused this function to be called.\n     *\n     * @listens keyup\n     */\n    handleVolumeControlKeyUp(event) {\n      if (event.key === 'Escape') {\n        this.muteToggle.focus();\n      }\n    }\n\n    /**\n     * This gets called when a `VolumePanel` gains hover via a `mouseover` event.\n     * Turns on listening for `mouseover` event. When they happen it\n     * calls `this.handleMouseOver`.\n     *\n     * @param {Event} event\n     *        The `mouseover` event that caused this function to be called.\n     *\n     * @listens mouseover\n     */\n    handleMouseOver(event) {\n      this.addClass('vjs-hover');\n      on(document, 'keyup', this.handleKeyPressHandler_);\n    }\n\n    /**\n     * This gets called when a `VolumePanel` gains hover via a `mouseout` event.\n     * Turns on listening for `mouseout` event. When they happen it\n     * calls `this.handleMouseOut`.\n     *\n     * @param {Event} event\n     *        The `mouseout` event that caused this function to be called.\n     *\n     * @listens mouseout\n     */\n    handleMouseOut(event) {\n      this.removeClass('vjs-hover');\n      off(document, 'keyup', this.handleKeyPressHandler_);\n    }\n\n    /**\n     * Handles `keyup` event on the document or `keydown` event on the `VolumePanel`,\n     * looking for ESC, which hides the `VolumeControl`.\n     *\n     * @param {Event} event\n     *        The keypress that triggered this event.\n     *\n     * @listens keydown | keyup\n     */\n    handleKeyPress(event) {\n      if (event.key === 'Escape') {\n        this.handleMouseOut();\n      }\n    }\n  }\n\n  /**\n   * Default options for the `VolumeControl`\n   *\n   * @type {Object}\n   * @private\n   */\n  VolumePanel.prototype.options_ = {\n    children: ['muteToggle', 'volumeControl']\n  };\n  Component$1.registerComponent('VolumePanel', VolumePanel);\n\n  /**\n   * Button to skip forward a configurable amount of time\n   * through a video. Renders in the control bar.\n   *\n   * e.g. options: {controlBar: {skipButtons: forward: 5}}\n   *\n   * @extends Button\n   */\n  class SkipForward extends Button {\n    constructor(player, options) {\n      super(player, options);\n      this.validOptions = [5, 10, 30];\n      this.skipTime = this.getSkipForwardTime();\n      if (this.skipTime && this.validOptions.includes(this.skipTime)) {\n        this.setIcon(`forward-${this.skipTime}`);\n        this.controlText(this.localize('Skip forward {1} seconds', [this.skipTime.toLocaleString(player.language())]));\n        this.show();\n      } else {\n        this.hide();\n      }\n    }\n    getSkipForwardTime() {\n      const playerOptions = this.options_.playerOptions;\n      return playerOptions.controlBar && playerOptions.controlBar.skipButtons && playerOptions.controlBar.skipButtons.forward;\n    }\n    buildCSSClass() {\n      return `vjs-skip-forward-${this.getSkipForwardTime()} ${super.buildCSSClass()}`;\n    }\n\n    /**\n     * On click, skips forward in the duration/seekable range by a configurable amount of seconds.\n     * If the time left in the duration/seekable range is less than the configured 'skip forward' time,\n     * skips to end of duration/seekable range.\n     *\n     * Handle a click on a `SkipForward` button\n     *\n     * @param {EventTarget~Event} event\n     *        The `click` event that caused this function\n     *        to be called\n     */\n    handleClick(event) {\n      if (isNaN(this.player_.duration())) {\n        return;\n      }\n      const currentVideoTime = this.player_.currentTime();\n      const liveTracker = this.player_.liveTracker;\n      const duration = liveTracker && liveTracker.isLive() ? liveTracker.seekableEnd() : this.player_.duration();\n      let newTime;\n      if (currentVideoTime + this.skipTime <= duration) {\n        newTime = currentVideoTime + this.skipTime;\n      } else {\n        newTime = duration;\n      }\n      this.player_.currentTime(newTime);\n    }\n\n    /**\n     * Update control text on languagechange\n     */\n    handleLanguagechange() {\n      this.controlText(this.localize('Skip forward {1} seconds', [this.skipTime]));\n    }\n  }\n  SkipForward.prototype.controlText_ = 'Skip Forward';\n  Component$1.registerComponent('SkipForward', SkipForward);\n\n  /**\n   * Button to skip backward a configurable amount of time\n   * through a video. Renders in the control bar.\n   *\n   *  * e.g. options: {controlBar: {skipButtons: backward: 5}}\n   *\n   * @extends Button\n   */\n  class SkipBackward extends Button {\n    constructor(player, options) {\n      super(player, options);\n      this.validOptions = [5, 10, 30];\n      this.skipTime = this.getSkipBackwardTime();\n      if (this.skipTime && this.validOptions.includes(this.skipTime)) {\n        this.setIcon(`replay-${this.skipTime}`);\n        this.controlText(this.localize('Skip backward {1} seconds', [this.skipTime.toLocaleString(player.language())]));\n        this.show();\n      } else {\n        this.hide();\n      }\n    }\n    getSkipBackwardTime() {\n      const playerOptions = this.options_.playerOptions;\n      return playerOptions.controlBar && playerOptions.controlBar.skipButtons && playerOptions.controlBar.skipButtons.backward;\n    }\n    buildCSSClass() {\n      return `vjs-skip-backward-${this.getSkipBackwardTime()} ${super.buildCSSClass()}`;\n    }\n\n    /**\n     * On click, skips backward in the video by a configurable amount of seconds.\n     * If the current time in the video is less than the configured 'skip backward' time,\n     * skips to beginning of video or seekable range.\n     *\n     * Handle a click on a `SkipBackward` button\n     *\n     * @param {EventTarget~Event} event\n     *        The `click` event that caused this function\n     *        to be called\n     */\n    handleClick(event) {\n      const currentVideoTime = this.player_.currentTime();\n      const liveTracker = this.player_.liveTracker;\n      const seekableStart = liveTracker && liveTracker.isLive() && liveTracker.seekableStart();\n      let newTime;\n      if (seekableStart && currentVideoTime - this.skipTime <= seekableStart) {\n        newTime = seekableStart;\n      } else if (currentVideoTime >= this.skipTime) {\n        newTime = currentVideoTime - this.skipTime;\n      } else {\n        newTime = 0;\n      }\n      this.player_.currentTime(newTime);\n    }\n\n    /**\n     * Update control text on languagechange\n     */\n    handleLanguagechange() {\n      this.controlText(this.localize('Skip backward {1} seconds', [this.skipTime]));\n    }\n  }\n  SkipBackward.prototype.controlText_ = 'Skip Backward';\n  Component$1.registerComponent('SkipBackward', SkipBackward);\n\n  /**\n   * @file menu.js\n   */\n\n  /** @import Player from '../player' */\n\n  /**\n   * The Menu component is used to build popup menus, including subtitle and\n   * captions selection menus.\n   *\n   * @extends Component\n   */\n  class Menu extends Component$1 {\n    /**\n     * Create an instance of this class.\n     *\n     * @param {Player} player\n     *        the player that this component should attach to\n     *\n     * @param {Object} [options]\n     *        Object of option names and values\n     *\n     */\n    constructor(player, options) {\n      super(player, options);\n      if (options) {\n        this.menuButton_ = options.menuButton;\n      }\n      this.focusedChild_ = -1;\n      this.on('keydown', e => this.handleKeyDown(e));\n\n      // All the menu item instances share the same blur handler provided by the menu container.\n      this.boundHandleBlur_ = e => this.handleBlur(e);\n      this.boundHandleTapClick_ = e => this.handleTapClick(e);\n    }\n\n    /**\n     * Add event listeners to the {@link MenuItem}.\n     *\n     * @param {Object} component\n     *        The instance of the `MenuItem` to add listeners to.\n     *\n     */\n    addEventListenerForItem(component) {\n      if (!(component instanceof Component$1)) {\n        return;\n      }\n      this.on(component, 'blur', this.boundHandleBlur_);\n      this.on(component, ['tap', 'click'], this.boundHandleTapClick_);\n    }\n\n    /**\n     * Remove event listeners from the {@link MenuItem}.\n     *\n     * @param {Object} component\n     *        The instance of the `MenuItem` to remove listeners.\n     *\n     */\n    removeEventListenerForItem(component) {\n      if (!(component instanceof Component$1)) {\n        return;\n      }\n      this.off(component, 'blur', this.boundHandleBlur_);\n      this.off(component, ['tap', 'click'], this.boundHandleTapClick_);\n    }\n\n    /**\n     * This method will be called indirectly when the component has been added\n     * before the component adds to the new menu instance by `addItem`.\n     * In this case, the original menu instance will remove the component\n     * by calling `removeChild`.\n     *\n     * @param {Object} component\n     *        The instance of the `MenuItem`\n     */\n    removeChild(component) {\n      if (typeof component === 'string') {\n        component = this.getChild(component);\n      }\n      this.removeEventListenerForItem(component);\n      super.removeChild(component);\n    }\n\n    /**\n     * Add a {@link MenuItem} to the menu.\n     *\n     * @param {Object|string} component\n     *        The name or instance of the `MenuItem` to add.\n     *\n     */\n    addItem(component) {\n      const childComponent = this.addChild(component);\n      if (childComponent) {\n        this.addEventListenerForItem(childComponent);\n      }\n    }\n\n    /**\n     * Create the `Menu`s DOM element.\n     *\n     * @return {Element}\n     *         the element that was created\n     */\n    createEl() {\n      const contentElType = this.options_.contentElType || 'ul';\n      this.contentEl_ = createEl(contentElType, {\n        className: 'vjs-menu-content'\n      });\n      this.contentEl_.setAttribute('role', 'menu');\n      const el = super.createEl('div', {\n        append: this.contentEl_,\n        className: 'vjs-menu'\n      });\n      el.appendChild(this.contentEl_);\n\n      // Prevent clicks from bubbling up. Needed for Menu Buttons,\n      // where a click on the parent is significant\n      on(el, 'click', function (event) {\n        event.preventDefault();\n        event.stopImmediatePropagation();\n      });\n      return el;\n    }\n    dispose() {\n      this.contentEl_ = null;\n      this.boundHandleBlur_ = null;\n      this.boundHandleTapClick_ = null;\n      super.dispose();\n    }\n\n    /**\n     * Called when a `MenuItem` loses focus.\n     *\n     * @param {Event} event\n     *        The `blur` event that caused this function to be called.\n     *\n     * @listens blur\n     */\n    handleBlur(event) {\n      const relatedTarget = event.relatedTarget || document.activeElement;\n\n      // Close menu popup when a user clicks outside the menu\n      if (!this.children().some(element => {\n        return element.el() === relatedTarget;\n      })) {\n        const btn = this.menuButton_;\n        if (btn && btn.buttonPressed_ && relatedTarget !== btn.el().firstChild) {\n          btn.unpressButton();\n        }\n      }\n    }\n\n    /**\n     * Called when a `MenuItem` gets clicked or tapped.\n     *\n     * @param {Event} event\n     *        The `click` or `tap` event that caused this function to be called.\n     *\n     * @listens click,tap\n     */\n    handleTapClick(event) {\n      // Unpress the associated MenuButton, and move focus back to it\n      if (this.menuButton_) {\n        this.menuButton_.unpressButton();\n        const childComponents = this.children();\n        if (!Array.isArray(childComponents)) {\n          return;\n        }\n        const foundComponent = childComponents.filter(component => component.el() === event.target)[0];\n        if (!foundComponent) {\n          return;\n        }\n\n        // don't focus menu button if item is a caption settings item\n        // because focus will move elsewhere\n        if (foundComponent.name() !== 'CaptionSettingsMenuItem') {\n          this.menuButton_.focus();\n        }\n      }\n    }\n\n    /**\n     * Handle a `keydown` event on this menu. This listener is added in the constructor.\n     *\n     * @param {KeyboardEvent} event\n     *        A `keydown` event that happened on the menu.\n     *\n     * @listens keydown\n     */\n    handleKeyDown(event) {\n      // Left and Down Arrows\n      if (event.key === 'ArrowLeft' || event.key === 'ArrowDown') {\n        event.preventDefault();\n        event.stopPropagation();\n        this.stepForward();\n\n        // Up and Right Arrows\n      } else if (event.key === 'ArrowRight' || event.key === 'ArrowUp') {\n        event.preventDefault();\n        event.stopPropagation();\n        this.stepBack();\n      }\n    }\n\n    /**\n     * Move to next (lower) menu item for keyboard users.\n     */\n    stepForward() {\n      let stepChild = 0;\n      if (this.focusedChild_ !== undefined) {\n        stepChild = this.focusedChild_ + 1;\n      }\n      this.focus(stepChild);\n    }\n\n    /**\n     * Move to previous (higher) menu item for keyboard users.\n     */\n    stepBack() {\n      let stepChild = 0;\n      if (this.focusedChild_ !== undefined) {\n        stepChild = this.focusedChild_ - 1;\n      }\n      this.focus(stepChild);\n    }\n\n    /**\n     * Set focus on a {@link MenuItem} in the `Menu`.\n     *\n     * @param {Object|string} [item=0]\n     *        Index of child item set focus on.\n     */\n    focus(item = 0) {\n      const children = this.children().slice();\n      const haveTitle = children.length && children[0].hasClass('vjs-menu-title');\n      if (haveTitle) {\n        children.shift();\n      }\n      if (children.length > 0) {\n        if (item < 0) {\n          item = 0;\n        } else if (item >= children.length) {\n          item = children.length - 1;\n        }\n        this.focusedChild_ = item;\n        children[item].el_.focus();\n      }\n    }\n  }\n  Component$1.registerComponent('Menu', Menu);\n\n  /**\n   * @file menu-button.js\n   */\n\n  /** @import Player from '../player' */\n\n  /**\n   * A `MenuButton` class for any popup {@link Menu}.\n   *\n   * @extends Component\n   */\n  class MenuButton extends Component$1 {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options={}]\n     *        The key/value store of player options.\n     */\n    constructor(player, options = {}) {\n      super(player, options);\n      this.menuButton_ = new Button(player, options);\n      this.menuButton_.controlText(this.controlText_);\n      this.menuButton_.el_.setAttribute('aria-haspopup', 'true');\n\n      // Add buildCSSClass values to the button, not the wrapper\n      const buttonClass = Button.prototype.buildCSSClass();\n      this.menuButton_.el_.className = this.buildCSSClass() + ' ' + buttonClass;\n      this.menuButton_.removeClass('vjs-control');\n      this.addChild(this.menuButton_);\n      this.update();\n      this.enabled_ = true;\n      const handleClick = e => this.handleClick(e);\n      this.handleMenuKeyUp_ = e => this.handleMenuKeyUp(e);\n      this.on(this.menuButton_, 'tap', handleClick);\n      this.on(this.menuButton_, 'click', handleClick);\n      this.on(this.menuButton_, 'keydown', e => this.handleKeyDown(e));\n      this.on(this.menuButton_, 'mouseenter', () => {\n        this.addClass('vjs-hover');\n        this.menu.show();\n        on(document, 'keyup', this.handleMenuKeyUp_);\n      });\n      this.on('mouseleave', e => this.handleMouseLeave(e));\n      this.on('keydown', e => this.handleSubmenuKeyDown(e));\n    }\n\n    /**\n     * Update the menu based on the current state of its items.\n     */\n    update() {\n      const menu = this.createMenu();\n      if (this.menu) {\n        this.menu.dispose();\n        this.removeChild(this.menu);\n      }\n      this.menu = menu;\n      this.addChild(menu);\n\n      /**\n       * Track the state of the menu button\n       *\n       * @type {Boolean}\n       * @private\n       */\n      this.buttonPressed_ = false;\n      this.menuButton_.el_.setAttribute('aria-expanded', 'false');\n      if (this.items && this.items.length <= this.hideThreshold_) {\n        this.hide();\n        this.menu.contentEl_.removeAttribute('role');\n      } else {\n        this.show();\n        this.menu.contentEl_.setAttribute('role', 'menu');\n      }\n    }\n\n    /**\n     * Create the menu and add all items to it.\n     *\n     * @return {Menu}\n     *         The constructed menu\n     */\n    createMenu() {\n      const menu = new Menu(this.player_, {\n        menuButton: this\n      });\n\n      /**\n       * Hide the menu if the number of items is less than or equal to this threshold. This defaults\n       * to 0 and whenever we add items which can be hidden to the menu we'll increment it. We list\n       * it here because every time we run `createMenu` we need to reset the value.\n       *\n       * @protected\n       * @type {Number}\n       */\n      this.hideThreshold_ = 0;\n\n      // Add a title list item to the top\n      if (this.options_.title) {\n        const titleEl = createEl('li', {\n          className: 'vjs-menu-title',\n          textContent: toTitleCase$1(this.options_.title),\n          tabIndex: -1\n        });\n        const titleComponent = new Component$1(this.player_, {\n          el: titleEl\n        });\n        menu.addItem(titleComponent);\n      }\n      this.items = this.createItems();\n      if (this.items) {\n        // Add menu items to the menu\n        for (let i = 0; i < this.items.length; i++) {\n          menu.addItem(this.items[i]);\n        }\n      }\n      return menu;\n    }\n\n    /**\n     * Create the list of menu items. Specific to each subclass.\n     *\n     * @abstract\n     */\n    createItems() {}\n\n    /**\n     * Create the `MenuButtons`s DOM element.\n     *\n     * @return {Element}\n     *         The element that gets created.\n     */\n    createEl() {\n      return super.createEl('div', {\n        className: this.buildWrapperCSSClass()\n      }, {});\n    }\n\n    /**\n     * Overwrites the `setIcon` method from `Component`.\n     * In this case, we want the icon to be appended to the menuButton.\n     *\n     * @param {string} name\n     *         The icon name to be added.\n     */\n    setIcon(name) {\n      super.setIcon(name, this.menuButton_.el_);\n    }\n\n    /**\n     * Allow sub components to stack CSS class names for the wrapper element\n     *\n     * @return {string}\n     *         The constructed wrapper DOM `className`\n     */\n    buildWrapperCSSClass() {\n      let menuButtonClass = 'vjs-menu-button';\n\n      // If the inline option is passed, we want to use different styles altogether.\n      if (this.options_.inline === true) {\n        menuButtonClass += '-inline';\n      } else {\n        menuButtonClass += '-popup';\n      }\n\n      // TODO: Fix the CSS so that this isn't necessary\n      const buttonClass = Button.prototype.buildCSSClass();\n      return `vjs-menu-button ${menuButtonClass} ${buttonClass} ${super.buildCSSClass()}`;\n    }\n\n    /**\n     * Builds the default DOM `className`.\n     *\n     * @return {string}\n     *         The DOM `className` for this object.\n     */\n    buildCSSClass() {\n      let menuButtonClass = 'vjs-menu-button';\n\n      // If the inline option is passed, we want to use different styles altogether.\n      if (this.options_.inline === true) {\n        menuButtonClass += '-inline';\n      } else {\n        menuButtonClass += '-popup';\n      }\n      return `vjs-menu-button ${menuButtonClass} ${super.buildCSSClass()}`;\n    }\n\n    /**\n     * Get or set the localized control text that will be used for accessibility.\n     *\n     * > NOTE: This will come from the internal `menuButton_` element.\n     *\n     * @param {string} [text]\n     *        Control text for element.\n     *\n     * @param {Element} [el=this.menuButton_.el()]\n     *        Element to set the title on.\n     *\n     * @return {string}\n     *         - The control text when getting\n     */\n    controlText(text, el = this.menuButton_.el()) {\n      return this.menuButton_.controlText(text, el);\n    }\n\n    /**\n     * Dispose of the `menu-button` and all child components.\n     */\n    dispose() {\n      this.handleMouseLeave();\n      super.dispose();\n    }\n\n    /**\n     * Handle a click on a `MenuButton`.\n     * See {@link ClickableComponent#handleClick} for instances where this is called.\n     *\n     * @param {Event} event\n     *        The `keydown`, `tap`, or `click` event that caused this function to be\n     *        called.\n     *\n     * @listens tap\n     * @listens click\n     */\n    handleClick(event) {\n      if (this.buttonPressed_) {\n        this.unpressButton();\n      } else {\n        this.pressButton();\n      }\n    }\n\n    /**\n     * Handle `mouseleave` for `MenuButton`.\n     *\n     * @param {Event} event\n     *        The `mouseleave` event that caused this function to be called.\n     *\n     * @listens mouseleave\n     */\n    handleMouseLeave(event) {\n      this.removeClass('vjs-hover');\n      off(document, 'keyup', this.handleMenuKeyUp_);\n    }\n\n    /**\n     * Set the focus to the actual button, not to this element\n     */\n    focus() {\n      this.menuButton_.focus();\n    }\n\n    /**\n     * Remove the focus from the actual button, not this element\n     */\n    blur() {\n      this.menuButton_.blur();\n    }\n\n    /**\n     * Handle tab, escape, down arrow, and up arrow keys for `MenuButton`. See\n     * {@link ClickableComponent#handleKeyDown} for instances where this is called.\n     *\n     * @param {Event} event\n     *        The `keydown` event that caused this function to be called.\n     *\n     * @listens keydown\n     */\n    handleKeyDown(event) {\n      // Escape or Tab unpress the 'button'\n      if (event.key === 'Escape' || event.key === 'Tab') {\n        if (this.buttonPressed_) {\n          this.unpressButton();\n        }\n\n        // Don't preventDefault for Tab key - we still want to lose focus\n        if (!event.key === 'Tab') {\n          event.preventDefault();\n          // Set focus back to the menu button's button\n          this.menuButton_.focus();\n        }\n        // Up Arrow or Down Arrow also 'press' the button to open the menu\n      } else if (event.key === 'Up' || event.key === 'Down' && !(this.player_.options_.playerOptions.spatialNavigation && this.player_.options_.playerOptions.spatialNavigation.enabled)) {\n        if (!this.buttonPressed_) {\n          event.preventDefault();\n          this.pressButton();\n        }\n      }\n    }\n\n    /**\n     * Handle a `keyup` event on a `MenuButton`. The listener for this is added in\n     * the constructor.\n     *\n     * @param {Event} event\n     *        Key press event\n     *\n     * @listens keyup\n     */\n    handleMenuKeyUp(event) {\n      // Escape hides popup menu\n      if (event.key === 'Escape' || event.key === 'Tab') {\n        this.removeClass('vjs-hover');\n      }\n    }\n\n    /**\n     * This method name now delegates to `handleSubmenuKeyDown`. This means\n     * anyone calling `handleSubmenuKeyPress` will not see their method calls\n     * stop working.\n     *\n     * @param {Event} event\n     *        The event that caused this function to be called.\n     */\n    handleSubmenuKeyPress(event) {\n      this.handleSubmenuKeyDown(event);\n    }\n\n    /**\n     * Handle a `keydown` event on a sub-menu. The listener for this is added in\n     * the constructor.\n     *\n     * @param {Event} event\n     *        Key press event\n     *\n     * @listens keydown\n     */\n    handleSubmenuKeyDown(event) {\n      // Escape or Tab unpress the 'button'\n      if (event.key === 'Escape' || event.key === 'Tab') {\n        if (this.buttonPressed_) {\n          this.unpressButton();\n        }\n        // Don't preventDefault for Tab key - we still want to lose focus\n        if (!event.key === 'Tab') {\n          event.preventDefault();\n          // Set focus back to the menu button's button\n          this.menuButton_.focus();\n        }\n      }\n    }\n\n    /**\n     * Put the current `MenuButton` into a pressed state.\n     */\n    pressButton() {\n      if (this.enabled_) {\n        this.buttonPressed_ = true;\n        this.menu.show();\n        this.menu.lockShowing();\n        this.menuButton_.el_.setAttribute('aria-expanded', 'true');\n\n        // set the focus into the submenu, except on iOS where it is resulting in\n        // undesired scrolling behavior when the player is in an iframe\n        if (IS_IOS && isInFrame()) {\n          // Return early so that the menu isn't focused\n          return;\n        }\n        this.menu.focus();\n      }\n    }\n\n    /**\n     * Take the current `MenuButton` out of a pressed state.\n     */\n    unpressButton() {\n      if (this.enabled_) {\n        this.buttonPressed_ = false;\n        this.menu.unlockShowing();\n        this.menu.hide();\n        this.menuButton_.el_.setAttribute('aria-expanded', 'false');\n      }\n    }\n\n    /**\n     * Disable the `MenuButton`. Don't allow it to be clicked.\n     */\n    disable() {\n      this.unpressButton();\n      this.enabled_ = false;\n      this.addClass('vjs-disabled');\n      this.menuButton_.disable();\n    }\n\n    /**\n     * Enable the `MenuButton`. Allow it to be clicked.\n     */\n    enable() {\n      this.enabled_ = true;\n      this.removeClass('vjs-disabled');\n      this.menuButton_.enable();\n    }\n  }\n  Component$1.registerComponent('MenuButton', MenuButton);\n\n  /**\n   * @file track-button.js\n   */\n\n  /** @import Player from './player' */\n\n  /**\n   * The base class for buttons that toggle specific  track types (e.g. subtitles).\n   *\n   * @extends MenuButton\n   */\n  class TrackButton extends MenuButton {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of player options.\n     */\n    constructor(player, options) {\n      const tracks = options.tracks;\n      super(player, options);\n      if (this.items.length <= 1) {\n        this.hide();\n      }\n      if (!tracks) {\n        return;\n      }\n      const updateHandler = bind_(this, this.update);\n      tracks.addEventListener('removetrack', updateHandler);\n      tracks.addEventListener('addtrack', updateHandler);\n      tracks.addEventListener('labelchange', updateHandler);\n      this.player_.on('ready', updateHandler);\n      this.player_.on('dispose', function () {\n        tracks.removeEventListener('removetrack', updateHandler);\n        tracks.removeEventListener('addtrack', updateHandler);\n        tracks.removeEventListener('labelchange', updateHandler);\n      });\n    }\n  }\n  Component$1.registerComponent('TrackButton', TrackButton);\n\n  /**\n   * @file menu-item.js\n   */\n\n  /** @import Player from '../player' */\n\n  /**\n   * The component for a menu item. `<li>`\n   *\n   * @extends ClickableComponent\n   */\n  class MenuItem extends ClickableComponent {\n    /**\n     * Creates an instance of the this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options={}]\n     *        The key/value store of player options.\n     *\n     */\n    constructor(player, options) {\n      super(player, options);\n      this.selectable = options.selectable;\n      this.isSelected_ = options.selected || false;\n      this.multiSelectable = options.multiSelectable;\n      this.selected(this.isSelected_);\n      if (this.selectable) {\n        if (this.multiSelectable) {\n          this.el_.setAttribute('role', 'menuitemcheckbox');\n        } else {\n          this.el_.setAttribute('role', 'menuitemradio');\n        }\n      } else {\n        this.el_.setAttribute('role', 'menuitem');\n      }\n    }\n\n    /**\n     * Create the `MenuItem's DOM element\n     *\n     * @param {string} [type=li]\n     *        Element's node type, not actually used, always set to `li`.\n     *\n     * @param {Object} [props={}]\n     *        An object of properties that should be set on the element\n     *\n     * @param {Object} [attrs={}]\n     *        An object of attributes that should be set on the element\n     *\n     * @return {Element}\n     *         The element that gets created.\n     */\n    createEl(type, props, attrs) {\n      // The control is textual, not just an icon\n      this.nonIconControl = true;\n      const el = super.createEl('li', Object.assign({\n        className: 'vjs-menu-item',\n        tabIndex: -1\n      }, props), attrs);\n\n      // swap icon with menu item text.\n      const menuItemEl = createEl('span', {\n        className: 'vjs-menu-item-text',\n        textContent: this.localize(this.options_.label)\n      });\n\n      // If using SVG icons, the element with vjs-icon-placeholder will be added separately.\n      if (this.player_.options_.experimentalSvgIcons) {\n        el.appendChild(menuItemEl);\n      } else {\n        el.replaceChild(menuItemEl, el.querySelector('.vjs-icon-placeholder'));\n      }\n      return el;\n    }\n\n    /**\n     * Ignore keys which are used by the menu, but pass any other ones up. See\n     * {@link ClickableComponent#handleKeyDown} for instances where this is called.\n     *\n     * @param {KeyboardEvent} event\n     *        The `keydown` event that caused this function to be called.\n     *\n     * @listens keydown\n     */\n    handleKeyDown(event) {\n      if (!['Tab', 'Escape', 'ArrowUp', 'ArrowLeft', 'ArrowRight', 'ArrowDown'].includes(event.key)) {\n        // Pass keydown handling up for unused keys\n        super.handleKeyDown(event);\n      }\n    }\n\n    /**\n     * Any click on a `MenuItem` puts it into the selected state.\n     * See {@link ClickableComponent#handleClick} for instances where this is called.\n     *\n     * @param {Event} event\n     *        The `keydown`, `tap`, or `click` event that caused this function to be\n     *        called.\n     *\n     * @listens tap\n     * @listens click\n     */\n    handleClick(event) {\n      this.selected(true);\n    }\n\n    /**\n     * Set the state for this menu item as selected or not.\n     *\n     * @param {boolean} selected\n     *        if the menu item is selected or not\n     */\n    selected(selected) {\n      if (this.selectable) {\n        if (selected) {\n          this.addClass('vjs-selected');\n          this.el_.setAttribute('aria-checked', 'true');\n          // aria-checked isn't fully supported by browsers/screen readers,\n          // so indicate selected state to screen reader in the control text.\n          this.controlText(', selected');\n          this.isSelected_ = true;\n        } else {\n          this.removeClass('vjs-selected');\n          this.el_.setAttribute('aria-checked', 'false');\n          // Indicate un-selected state to screen reader\n          this.controlText('');\n          this.isSelected_ = false;\n        }\n      }\n    }\n  }\n  Component$1.registerComponent('MenuItem', MenuItem);\n\n  /**\n   * @file text-track-menu-item.js\n   */\n\n  /** @import Player from '../../player' */\n\n  /**\n   * The specific menu item type for selecting a language within a text track kind\n   *\n   * @extends MenuItem\n   */\n  class TextTrackMenuItem extends MenuItem {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of player options.\n     */\n    constructor(player, options) {\n      const track = options.track;\n      const tracks = player.textTracks();\n\n      // Modify options for parent MenuItem class's init.\n      options.label = track.label || track.language || 'Unknown';\n      options.selected = track.mode === 'showing';\n      super(player, options);\n      this.track = track;\n      // Determine the relevant kind(s) of tracks for this component and filter\n      // out empty kinds.\n      this.kinds = (options.kinds || [options.kind || this.track.kind]).filter(Boolean);\n      const changeHandler = (...args) => {\n        this.handleTracksChange.apply(this, args);\n      };\n      const selectedLanguageChangeHandler = (...args) => {\n        this.handleSelectedLanguageChange.apply(this, args);\n      };\n      player.on(['loadstart', 'texttrackchange'], changeHandler);\n      tracks.addEventListener('change', changeHandler);\n      tracks.addEventListener('selectedlanguagechange', selectedLanguageChangeHandler);\n      this.on('dispose', function () {\n        player.off(['loadstart', 'texttrackchange'], changeHandler);\n        tracks.removeEventListener('change', changeHandler);\n        tracks.removeEventListener('selectedlanguagechange', selectedLanguageChangeHandler);\n      });\n\n      // iOS7 doesn't dispatch change events to TextTrackLists when an\n      // associated track's mode changes. Without something like\n      // Object.observe() (also not present on iOS7), it's not\n      // possible to detect changes to the mode attribute and polyfill\n      // the change event. As a poor substitute, we manually dispatch\n      // change events whenever the controls modify the mode.\n      if (tracks.onchange === undefined) {\n        let event;\n        this.on(['tap', 'click'], function () {\n          if (typeof window.Event !== 'object') {\n            // Android 2.3 throws an Illegal Constructor error for window.Event\n            try {\n              event = new window.Event('change');\n            } catch (err) {\n              // continue regardless of error\n            }\n          }\n          if (!event) {\n            event = document.createEvent('Event');\n            event.initEvent('change', true, true);\n          }\n          tracks.dispatchEvent(event);\n        });\n      }\n\n      // set the default state based on current tracks\n      this.handleTracksChange();\n    }\n\n    /**\n     * This gets called when an `TextTrackMenuItem` is \"clicked\". See\n     * {@link ClickableComponent} for more detailed information on what a click can be.\n     *\n     * @param {Event} event\n     *        The `keydown`, `tap`, or `click` event that caused this function to be\n     *        called.\n     *\n     * @listens tap\n     * @listens click\n     */\n    handleClick(event) {\n      const referenceTrack = this.track;\n      const tracks = this.player_.textTracks();\n      super.handleClick(event);\n      if (!tracks) {\n        return;\n      }\n      for (let i = 0; i < tracks.length; i++) {\n        const track = tracks[i];\n\n        // If the track from the text tracks list is not of the right kind,\n        // skip it. We do not want to affect tracks of incompatible kind(s).\n        if (this.kinds.indexOf(track.kind) === -1) {\n          continue;\n        }\n\n        // If this text track is the component's track and it is not showing,\n        // set it to showing.\n        if (track === referenceTrack) {\n          if (track.mode !== 'showing') {\n            track.mode = 'showing';\n          }\n\n          // If this text track is not the component's track and it is not\n          // disabled, set it to disabled.\n        } else if (track.mode !== 'disabled') {\n          track.mode = 'disabled';\n        }\n      }\n    }\n\n    /**\n     * Handle text track list change\n     *\n     * @param {Event} event\n     *        The `change` event that caused this function to be called.\n     *\n     * @listens TextTrackList#change\n     */\n    handleTracksChange(event) {\n      const shouldBeSelected = this.track.mode === 'showing';\n\n      // Prevent redundant selected() calls because they may cause\n      // screen readers to read the appended control text unnecessarily\n      if (shouldBeSelected !== this.isSelected_) {\n        this.selected(shouldBeSelected);\n      }\n    }\n    handleSelectedLanguageChange(event) {\n      if (this.track.mode === 'showing') {\n        const selectedLanguage = this.player_.cache_.selectedLanguage;\n\n        // Don't replace the kind of track across the same language\n        if (selectedLanguage && selectedLanguage.enabled && selectedLanguage.language === this.track.language && selectedLanguage.kind !== this.track.kind) {\n          return;\n        }\n        this.player_.cache_.selectedLanguage = {\n          enabled: true,\n          language: this.track.language,\n          kind: this.track.kind\n        };\n      }\n    }\n    dispose() {\n      // remove reference to track object on dispose\n      this.track = null;\n      super.dispose();\n    }\n  }\n  Component$1.registerComponent('TextTrackMenuItem', TextTrackMenuItem);\n\n  /**\n   * @file off-text-track-menu-item.js\n   */\n\n  /** @import Player from '../../player' */\n\n  /**\n   * A special menu item for turning off a specific type of text track\n   *\n   * @extends TextTrackMenuItem\n   */\n  class OffTextTrackMenuItem extends TextTrackMenuItem {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of player options.\n     */\n    constructor(player, options) {\n      // Create pseudo track info\n      // Requires options['kind']\n      options.track = {\n        player,\n        // it is no longer necessary to store `kind` or `kinds` on the track itself\n        // since they are now stored in the `kinds` property of all instances of\n        // TextTrackMenuItem, but this will remain for backwards compatibility\n        kind: options.kind,\n        kinds: options.kinds,\n        default: false,\n        mode: 'disabled'\n      };\n      if (!options.kinds) {\n        options.kinds = [options.kind];\n      }\n      if (options.label) {\n        options.track.label = options.label;\n      } else {\n        options.track.label = options.kinds.join(' and ') + ' off';\n      }\n\n      // MenuItem is selectable\n      options.selectable = true;\n      // MenuItem is NOT multiSelectable (i.e. only one can be marked \"selected\" at a time)\n      options.multiSelectable = false;\n      super(player, options);\n    }\n\n    /**\n     * Handle text track change\n     *\n     * @param {Event} event\n     *        The event that caused this function to run\n     */\n    handleTracksChange(event) {\n      const tracks = this.player().textTracks();\n      let shouldBeSelected = true;\n      for (let i = 0, l = tracks.length; i < l; i++) {\n        const track = tracks[i];\n        if (this.options_.kinds.indexOf(track.kind) > -1 && track.mode === 'showing') {\n          shouldBeSelected = false;\n          break;\n        }\n      }\n\n      // Prevent redundant selected() calls because they may cause\n      // screen readers to read the appended control text unnecessarily\n      if (shouldBeSelected !== this.isSelected_) {\n        this.selected(shouldBeSelected);\n      }\n    }\n    handleSelectedLanguageChange(event) {\n      const tracks = this.player().textTracks();\n      let allHidden = true;\n      for (let i = 0, l = tracks.length; i < l; i++) {\n        const track = tracks[i];\n        if (['captions', 'descriptions', 'subtitles'].indexOf(track.kind) > -1 && track.mode === 'showing') {\n          allHidden = false;\n          break;\n        }\n      }\n      if (allHidden) {\n        this.player_.cache_.selectedLanguage = {\n          enabled: false\n        };\n      }\n    }\n\n    /**\n     * Update control text and label on languagechange\n     */\n    handleLanguagechange() {\n      this.$('.vjs-menu-item-text').textContent = this.player_.localize(this.options_.label);\n      super.handleLanguagechange();\n    }\n  }\n  Component$1.registerComponent('OffTextTrackMenuItem', OffTextTrackMenuItem);\n\n  /**\n   * @file text-track-button.js\n   */\n\n  /** @import Player from '../../player' */\n\n  /**\n   * The base class for buttons that toggle specific text track types (e.g. subtitles)\n   *\n   * @extends MenuButton\n   */\n  class TextTrackButton extends TrackButton {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options={}]\n     *        The key/value store of player options.\n     */\n    constructor(player, options = {}) {\n      options.tracks = player.textTracks();\n      super(player, options);\n    }\n\n    /**\n     * Create a menu item for each text track\n     *\n     * @param {TextTrackMenuItem[]} [items=[]]\n     *        Existing array of items to use during creation\n     *\n     * @return {TextTrackMenuItem[]}\n     *         Array of menu items that were created\n     */\n    createItems(items = [], TrackMenuItem = TextTrackMenuItem) {\n      // Label is an override for the [track] off label\n      // USed to localise captions/subtitles\n      let label;\n      if (this.label_) {\n        label = `${this.label_} off`;\n      }\n      // Add an OFF menu item to turn all tracks off\n      items.push(new OffTextTrackMenuItem(this.player_, {\n        kinds: this.kinds_,\n        kind: this.kind_,\n        label\n      }));\n      this.hideThreshold_ += 1;\n      const tracks = this.player_.textTracks();\n      if (!Array.isArray(this.kinds_)) {\n        this.kinds_ = [this.kind_];\n      }\n      for (let i = 0; i < tracks.length; i++) {\n        const track = tracks[i];\n\n        // only add tracks that are of an appropriate kind and have a label\n        if (this.kinds_.indexOf(track.kind) > -1) {\n          const item = new TrackMenuItem(this.player_, {\n            track,\n            kinds: this.kinds_,\n            kind: this.kind_,\n            // MenuItem is selectable\n            selectable: true,\n            // MenuItem is NOT multiSelectable (i.e. only one can be marked \"selected\" at a time)\n            multiSelectable: false\n          });\n          item.addClass(`vjs-${track.kind}-menu-item`);\n          items.push(item);\n        }\n      }\n      return items;\n    }\n  }\n  Component$1.registerComponent('TextTrackButton', TextTrackButton);\n\n  /**\n   * @file chapters-track-menu-item.js\n   */\n\n  /** @import Player from '../../player' */\n\n  /**\n   * The chapter track menu item\n   *\n   * @extends MenuItem\n   */\n  class ChaptersTrackMenuItem extends MenuItem {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of player options.\n     */\n    constructor(player, options) {\n      const track = options.track;\n      const cue = options.cue;\n      const currentTime = player.currentTime();\n\n      // Modify options for parent MenuItem class's init.\n      options.selectable = true;\n      options.multiSelectable = false;\n      options.label = cue.text;\n      options.selected = cue.startTime <= currentTime && currentTime < cue.endTime;\n      super(player, options);\n      this.track = track;\n      this.cue = cue;\n    }\n\n    /**\n     * This gets called when an `ChaptersTrackMenuItem` is \"clicked\". See\n     * {@link ClickableComponent} for more detailed information on what a click can be.\n     *\n     * @param {Event} [event]\n     *        The `keydown`, `tap`, or `click` event that caused this function to be\n     *        called.\n     *\n     * @listens tap\n     * @listens click\n     */\n    handleClick(event) {\n      super.handleClick();\n      this.player_.currentTime(this.cue.startTime);\n    }\n  }\n  Component$1.registerComponent('ChaptersTrackMenuItem', ChaptersTrackMenuItem);\n\n  /**\n   * @file chapters-button.js\n   */\n\n  /** @import Player from '../../player' */\n  /** @import Menu from '../../menu/menu' */\n  /** @import TextTrack from '../../tracks/text-track' */\n  /** @import TextTrackMenuItem from '../text-track-controls/text-track-menu-item' */\n\n  /**\n   * The button component for toggling and selecting chapters\n   * Chapters act much differently than other text tracks\n   * Cues are navigation vs. other tracks of alternative languages\n   *\n   * @extends TextTrackButton\n   */\n  class ChaptersButton extends TextTrackButton {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of player options.\n     *\n     * @param {Function} [ready]\n     *        The function to call when this function is ready.\n     */\n    constructor(player, options, ready) {\n      super(player, options, ready);\n      this.setIcon('chapters');\n      this.selectCurrentItem_ = () => {\n        this.items.forEach(item => {\n          item.selected(this.track_.activeCues[0] === item.cue);\n        });\n      };\n    }\n\n    /**\n     * Builds the default DOM `className`.\n     *\n     * @return {string}\n     *         The DOM `className` for this object.\n     */\n    buildCSSClass() {\n      return `vjs-chapters-button ${super.buildCSSClass()}`;\n    }\n    buildWrapperCSSClass() {\n      return `vjs-chapters-button ${super.buildWrapperCSSClass()}`;\n    }\n\n    /**\n     * Update the menu based on the current state of its items.\n     *\n     * @param {Event} [event]\n     *        An event that triggered this function to run.\n     *\n     * @listens TextTrackList#addtrack\n     * @listens TextTrackList#removetrack\n     * @listens TextTrackList#change\n     */\n    update(event) {\n      if (event && event.track && event.track.kind !== 'chapters') {\n        return;\n      }\n      const track = this.findChaptersTrack();\n      if (track !== this.track_) {\n        this.setTrack(track);\n        super.update();\n      } else if (!this.items || track && track.cues && track.cues.length !== this.items.length) {\n        // Update the menu initially or if the number of cues has changed since set\n        super.update();\n      }\n    }\n\n    /**\n     * Set the currently selected track for the chapters button.\n     *\n     * @param {TextTrack} track\n     *        The new track to select. Nothing will change if this is the currently selected\n     *        track.\n     */\n    setTrack(track) {\n      if (this.track_ === track) {\n        return;\n      }\n      if (!this.updateHandler_) {\n        this.updateHandler_ = this.update.bind(this);\n      }\n\n      // here this.track_ refers to the old track instance\n      if (this.track_) {\n        const remoteTextTrackEl = this.player_.remoteTextTrackEls().getTrackElementByTrack_(this.track_);\n        if (remoteTextTrackEl) {\n          remoteTextTrackEl.removeEventListener('load', this.updateHandler_);\n        }\n        this.track_.removeEventListener('cuechange', this.selectCurrentItem_);\n        this.track_ = null;\n      }\n      this.track_ = track;\n\n      // here this.track_ refers to the new track instance\n      if (this.track_) {\n        this.track_.mode = 'hidden';\n        const remoteTextTrackEl = this.player_.remoteTextTrackEls().getTrackElementByTrack_(this.track_);\n        if (remoteTextTrackEl) {\n          remoteTextTrackEl.addEventListener('load', this.updateHandler_);\n        }\n        this.track_.addEventListener('cuechange', this.selectCurrentItem_);\n      }\n    }\n\n    /**\n     * Find the track object that is currently in use by this ChaptersButton\n     *\n     * @return {TextTrack|undefined}\n     *         The current track or undefined if none was found.\n     */\n    findChaptersTrack() {\n      const tracks = this.player_.textTracks() || [];\n      for (let i = tracks.length - 1; i >= 0; i--) {\n        // We will always choose the last track as our chaptersTrack\n        const track = tracks[i];\n        if (track.kind === this.kind_) {\n          return track;\n        }\n      }\n    }\n\n    /**\n     * Get the caption for the ChaptersButton based on the track label. This will also\n     * use the current tracks localized kind as a fallback if a label does not exist.\n     *\n     * @return {string}\n     *         The tracks current label or the localized track kind.\n     */\n    getMenuCaption() {\n      if (this.track_ && this.track_.label) {\n        return this.track_.label;\n      }\n      return this.localize(toTitleCase$1(this.kind_));\n    }\n\n    /**\n     * Create menu from chapter track\n     *\n     * @return {Menu}\n     *         New menu for the chapter buttons\n     */\n    createMenu() {\n      this.options_.title = this.getMenuCaption();\n      return super.createMenu();\n    }\n\n    /**\n     * Create a menu item for each text track\n     *\n     * @return  {TextTrackMenuItem[]}\n     *         Array of menu items\n     */\n    createItems() {\n      const items = [];\n      if (!this.track_) {\n        return items;\n      }\n      const cues = this.track_.cues;\n      if (!cues) {\n        return items;\n      }\n      for (let i = 0, l = cues.length; i < l; i++) {\n        const cue = cues[i];\n        const mi = new ChaptersTrackMenuItem(this.player_, {\n          track: this.track_,\n          cue\n        });\n        items.push(mi);\n      }\n      return items;\n    }\n  }\n\n  /**\n   * `kind` of TextTrack to look for to associate it with this menu.\n   *\n   * @type {string}\n   * @private\n   */\n  ChaptersButton.prototype.kind_ = 'chapters';\n\n  /**\n   * The text that should display over the `ChaptersButton`s controls. Added for localization.\n   *\n   * @type {string}\n   * @protected\n   */\n  ChaptersButton.prototype.controlText_ = 'Chapters';\n  Component$1.registerComponent('ChaptersButton', ChaptersButton);\n\n  /**\n   * @file descriptions-button.js\n   */\n\n  /** @import Player from '../../player' */\n\n  /**\n   * The button component for toggling and selecting descriptions\n   *\n   * @extends TextTrackButton\n   */\n  class DescriptionsButton extends TextTrackButton {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of player options.\n     *\n     * @param {Function} [ready]\n     *        The function to call when this component is ready.\n     */\n    constructor(player, options, ready) {\n      super(player, options, ready);\n      this.setIcon('audio-description');\n      const tracks = player.textTracks();\n      const changeHandler = bind_(this, this.handleTracksChange);\n      tracks.addEventListener('change', changeHandler);\n      this.on('dispose', function () {\n        tracks.removeEventListener('change', changeHandler);\n      });\n    }\n\n    /**\n     * Handle text track change\n     *\n     * @param {Event} event\n     *        The event that caused this function to run\n     *\n     * @listens TextTrackList#change\n     */\n    handleTracksChange(event) {\n      const tracks = this.player().textTracks();\n      let disabled = false;\n\n      // Check whether a track of a different kind is showing\n      for (let i = 0, l = tracks.length; i < l; i++) {\n        const track = tracks[i];\n        if (track.kind !== this.kind_ && track.mode === 'showing') {\n          disabled = true;\n          break;\n        }\n      }\n\n      // If another track is showing, disable this menu button\n      if (disabled) {\n        this.disable();\n      } else {\n        this.enable();\n      }\n    }\n\n    /**\n     * Builds the default DOM `className`.\n     *\n     * @return {string}\n     *         The DOM `className` for this object.\n     */\n    buildCSSClass() {\n      return `vjs-descriptions-button ${super.buildCSSClass()}`;\n    }\n    buildWrapperCSSClass() {\n      return `vjs-descriptions-button ${super.buildWrapperCSSClass()}`;\n    }\n  }\n\n  /**\n   * `kind` of TextTrack to look for to associate it with this menu.\n   *\n   * @type {string}\n   * @private\n   */\n  DescriptionsButton.prototype.kind_ = 'descriptions';\n\n  /**\n   * The text that should display over the `DescriptionsButton`s controls. Added for localization.\n   *\n   * @type {string}\n   * @protected\n   */\n  DescriptionsButton.prototype.controlText_ = 'Descriptions';\n  Component$1.registerComponent('DescriptionsButton', DescriptionsButton);\n\n  /**\n   * @file subtitles-button.js\n   */\n\n  /** @import Player from '../../player' */\n\n  /**\n   * The button component for toggling and selecting subtitles\n   *\n   * @extends TextTrackButton\n   */\n  class SubtitlesButton extends TextTrackButton {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of player options.\n     *\n     * @param {Function} [ready]\n     *        The function to call when this component is ready.\n     */\n    constructor(player, options, ready) {\n      super(player, options, ready);\n      this.setIcon('subtitles');\n    }\n\n    /**\n     * Builds the default DOM `className`.\n     *\n     * @return {string}\n     *         The DOM `className` for this object.\n     */\n    buildCSSClass() {\n      return `vjs-subtitles-button ${super.buildCSSClass()}`;\n    }\n    buildWrapperCSSClass() {\n      return `vjs-subtitles-button ${super.buildWrapperCSSClass()}`;\n    }\n  }\n\n  /**\n   * `kind` of TextTrack to look for to associate it with this menu.\n   *\n   * @type {string}\n   * @private\n   */\n  SubtitlesButton.prototype.kind_ = 'subtitles';\n\n  /**\n   * The text that should display over the `SubtitlesButton`s controls. Added for localization.\n   *\n   * @type {string}\n   * @protected\n   */\n  SubtitlesButton.prototype.controlText_ = 'Subtitles';\n  Component$1.registerComponent('SubtitlesButton', SubtitlesButton);\n\n  /**\n   * @file caption-settings-menu-item.js\n   */\n\n  /** @import Player from '../../player' */\n\n  /**\n   * The menu item for caption track settings menu\n   *\n   * @extends TextTrackMenuItem\n   */\n  class CaptionSettingsMenuItem extends TextTrackMenuItem {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of player options.\n     */\n    constructor(player, options) {\n      options.track = {\n        player,\n        kind: options.kind,\n        label: options.kind + ' settings',\n        selectable: false,\n        default: false,\n        mode: 'disabled'\n      };\n\n      // CaptionSettingsMenuItem has no concept of 'selected'\n      options.selectable = false;\n      options.name = 'CaptionSettingsMenuItem';\n      super(player, options);\n      this.addClass('vjs-texttrack-settings');\n      this.controlText(', opens ' + options.kind + ' settings dialog');\n    }\n\n    /**\n     * This gets called when an `CaptionSettingsMenuItem` is \"clicked\". See\n     * {@link ClickableComponent} for more detailed information on what a click can be.\n     *\n     * @param {Event} [event]\n     *        The `keydown`, `tap`, or `click` event that caused this function to be\n     *        called.\n     *\n     * @listens tap\n     * @listens click\n     */\n    handleClick(event) {\n      this.player().getChild('textTrackSettings').open();\n    }\n\n    /**\n     * Update control text and label on languagechange\n     */\n    handleLanguagechange() {\n      this.$('.vjs-menu-item-text').textContent = this.player_.localize(this.options_.kind + ' settings');\n      super.handleLanguagechange();\n    }\n  }\n  Component$1.registerComponent('CaptionSettingsMenuItem', CaptionSettingsMenuItem);\n\n  /**\n   * @file captions-button.js\n   */\n\n  /** @import Player from '../../player' */\n\n  /**\n   * The button component for toggling and selecting captions\n   *\n   * @extends TextTrackButton\n   */\n  class CaptionsButton extends TextTrackButton {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of player options.\n     *\n     * @param {Function} [ready]\n     *        The function to call when this component is ready.\n     */\n    constructor(player, options, ready) {\n      super(player, options, ready);\n      this.setIcon('captions');\n    }\n\n    /**\n     * Builds the default DOM `className`.\n     *\n     * @return {string}\n     *         The DOM `className` for this object.\n     */\n    buildCSSClass() {\n      return `vjs-captions-button ${super.buildCSSClass()}`;\n    }\n    buildWrapperCSSClass() {\n      return `vjs-captions-button ${super.buildWrapperCSSClass()}`;\n    }\n\n    /**\n     * Create caption menu items\n     *\n     * @return {CaptionSettingsMenuItem[]}\n     *         The array of current menu items.\n     */\n    createItems() {\n      const items = [];\n      if (!(this.player().tech_ && this.player().tech_.featuresNativeTextTracks) && this.player().getChild('textTrackSettings')) {\n        items.push(new CaptionSettingsMenuItem(this.player_, {\n          kind: this.kind_\n        }));\n        this.hideThreshold_ += 1;\n      }\n      return super.createItems(items);\n    }\n  }\n\n  /**\n   * `kind` of TextTrack to look for to associate it with this menu.\n   *\n   * @type {string}\n   * @private\n   */\n  CaptionsButton.prototype.kind_ = 'captions';\n\n  /**\n   * The text that should display over the `CaptionsButton`s controls. Added for localization.\n   *\n   * @type {string}\n   * @protected\n   */\n  CaptionsButton.prototype.controlText_ = 'Captions';\n  Component$1.registerComponent('CaptionsButton', CaptionsButton);\n\n  /**\n   * @file subs-caps-menu-item.js\n   */\n\n  /**\n   * SubsCapsMenuItem has an [cc] icon to distinguish captions from subtitles\n   * in the SubsCapsMenu.\n   *\n   * @extends TextTrackMenuItem\n   */\n  class SubsCapsMenuItem extends TextTrackMenuItem {\n    createEl(type, props, attrs) {\n      const el = super.createEl(type, props, attrs);\n      const parentSpan = el.querySelector('.vjs-menu-item-text');\n      if (this.options_.track.kind === 'captions') {\n        if (this.player_.options_.experimentalSvgIcons) {\n          this.setIcon('captions', el);\n        } else {\n          parentSpan.appendChild(createEl('span', {\n            className: 'vjs-icon-placeholder'\n          }, {\n            'aria-hidden': true\n          }));\n        }\n        parentSpan.appendChild(createEl('span', {\n          className: 'vjs-control-text',\n          // space added as the text will visually flow with the\n          // label\n          textContent: ` ${this.localize('Captions')}`\n        }));\n      }\n      return el;\n    }\n  }\n  Component$1.registerComponent('SubsCapsMenuItem', SubsCapsMenuItem);\n\n  /**\n   * @file sub-caps-button.js\n   */\n\n  /** @import Player from '../../player' */\n\n  /**\n   * The button component for toggling and selecting captions and/or subtitles\n   *\n   * @extends TextTrackButton\n   */\n  class SubsCapsButton extends TextTrackButton {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of player options.\n     *\n     * @param {Function} [ready]\n     *        The function to call when this component is ready.\n     */\n    constructor(player, options = {}) {\n      super(player, options);\n\n      // Although North America uses \"captions\" in most cases for\n      // \"captions and subtitles\" other locales use \"subtitles\"\n      this.label_ = 'subtitles';\n      this.setIcon('subtitles');\n      if (['en', 'en-us', 'en-ca', 'fr-ca'].indexOf(this.player_.language_) > -1) {\n        this.label_ = 'captions';\n        this.setIcon('captions');\n      }\n      this.menuButton_.controlText(toTitleCase$1(this.label_));\n    }\n\n    /**\n     * Builds the default DOM `className`.\n     *\n     * @return {string}\n     *         The DOM `className` for this object.\n     */\n    buildCSSClass() {\n      return `vjs-subs-caps-button ${super.buildCSSClass()}`;\n    }\n    buildWrapperCSSClass() {\n      return `vjs-subs-caps-button ${super.buildWrapperCSSClass()}`;\n    }\n\n    /**\n     * Create caption/subtitles menu items\n     *\n     * @return {CaptionSettingsMenuItem[]}\n     *         The array of current menu items.\n     */\n    createItems() {\n      let items = [];\n      if (!(this.player().tech_ && this.player().tech_.featuresNativeTextTracks) && this.player().getChild('textTrackSettings')) {\n        items.push(new CaptionSettingsMenuItem(this.player_, {\n          kind: this.label_\n        }));\n        this.hideThreshold_ += 1;\n      }\n      items = super.createItems(items, SubsCapsMenuItem);\n      return items;\n    }\n  }\n\n  /**\n   * `kind`s of TextTrack to look for to associate it with this menu.\n   *\n   * @type {array}\n   * @private\n   */\n  SubsCapsButton.prototype.kinds_ = ['captions', 'subtitles'];\n\n  /**\n   * The text that should display over the `SubsCapsButton`s controls.\n   *\n   *\n   * @type {string}\n   * @protected\n   */\n  SubsCapsButton.prototype.controlText_ = 'Subtitles';\n  Component$1.registerComponent('SubsCapsButton', SubsCapsButton);\n\n  /**\n   * @file audio-track-menu-item.js\n   */\n\n  /** @import Player from '../../player' */\n\n  /**\n   * An {@link AudioTrack} {@link MenuItem}\n   *\n   * @extends MenuItem\n   */\n  class AudioTrackMenuItem extends MenuItem {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of player options.\n     */\n    constructor(player, options) {\n      const track = options.track;\n      const tracks = player.audioTracks();\n\n      // Modify options for parent MenuItem class's init.\n      options.label = track.label || track.language || 'Unknown';\n      options.selected = track.enabled;\n      super(player, options);\n      this.track = track;\n      this.addClass(`vjs-${track.kind}-menu-item`);\n      const changeHandler = (...args) => {\n        this.handleTracksChange.apply(this, args);\n      };\n      tracks.addEventListener('change', changeHandler);\n      this.on('dispose', () => {\n        tracks.removeEventListener('change', changeHandler);\n      });\n    }\n    createEl(type, props, attrs) {\n      const el = super.createEl(type, props, attrs);\n      const parentSpan = el.querySelector('.vjs-menu-item-text');\n      if (['main-desc', 'descriptions'].indexOf(this.options_.track.kind) >= 0) {\n        parentSpan.appendChild(createEl('span', {\n          className: 'vjs-icon-placeholder'\n        }, {\n          'aria-hidden': true\n        }));\n        parentSpan.appendChild(createEl('span', {\n          className: 'vjs-control-text',\n          textContent: ' ' + this.localize('Descriptions')\n        }));\n      }\n      return el;\n    }\n\n    /**\n     * This gets called when an `AudioTrackMenuItem is \"clicked\". See {@link ClickableComponent}\n     * for more detailed information on what a click can be.\n     *\n     * @param {Event} [event]\n     *        The `keydown`, `tap`, or `click` event that caused this function to be\n     *        called.\n     *\n     * @listens tap\n     * @listens click\n     */\n    handleClick(event) {\n      super.handleClick(event);\n\n      // the audio track list will automatically toggle other tracks\n      // off for us.\n      this.track.enabled = true;\n\n      // when native audio tracks are used, we want to make sure that other tracks are turned off\n      if (this.player_.tech_.featuresNativeAudioTracks) {\n        const tracks = this.player_.audioTracks();\n        for (let i = 0; i < tracks.length; i++) {\n          const track = tracks[i];\n\n          // skip the current track since we enabled it above\n          if (track === this.track) {\n            continue;\n          }\n          track.enabled = track === this.track;\n        }\n      }\n    }\n\n    /**\n     * Handle any {@link AudioTrack} change.\n     *\n     * @param {Event} [event]\n     *        The {@link AudioTrackList#change} event that caused this to run.\n     *\n     * @listens AudioTrackList#change\n     */\n    handleTracksChange(event) {\n      this.selected(this.track.enabled);\n    }\n  }\n  Component$1.registerComponent('AudioTrackMenuItem', AudioTrackMenuItem);\n\n  /**\n   * @file audio-track-button.js\n   */\n\n  /**\n   * The base class for buttons that toggle specific {@link AudioTrack} types.\n   *\n   * @extends TrackButton\n   */\n  class AudioTrackButton extends TrackButton {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options={}]\n     *        The key/value store of player options.\n     */\n    constructor(player, options = {}) {\n      options.tracks = player.audioTracks();\n      super(player, options);\n      this.setIcon('audio');\n    }\n\n    /**\n     * Builds the default DOM `className`.\n     *\n     * @return {string}\n     *         The DOM `className` for this object.\n     */\n    buildCSSClass() {\n      return `vjs-audio-button ${super.buildCSSClass()}`;\n    }\n    buildWrapperCSSClass() {\n      return `vjs-audio-button ${super.buildWrapperCSSClass()}`;\n    }\n\n    /**\n     * Create a menu item for each audio track\n     *\n     * @param {AudioTrackMenuItem[]} [items=[]]\n     *        An array of existing menu items to use.\n     *\n     * @return {AudioTrackMenuItem[]}\n     *         An array of menu items\n     */\n    createItems(items = []) {\n      // if there's only one audio track, there no point in showing it\n      this.hideThreshold_ = 1;\n      const tracks = this.player_.audioTracks();\n      for (let i = 0; i < tracks.length; i++) {\n        const track = tracks[i];\n        items.push(new AudioTrackMenuItem(this.player_, {\n          track,\n          // MenuItem is selectable\n          selectable: true,\n          // MenuItem is NOT multiSelectable (i.e. only one can be marked \"selected\" at a time)\n          multiSelectable: false\n        }));\n      }\n      return items;\n    }\n  }\n\n  /**\n   * The text that should display over the `AudioTrackButton`s controls. Added for localization.\n   *\n   * @type {string}\n   * @protected\n   */\n  AudioTrackButton.prototype.controlText_ = 'Audio Track';\n  Component$1.registerComponent('AudioTrackButton', AudioTrackButton);\n\n  /**\n   * @file playback-rate-menu-item.js\n   */\n\n  /** @import Player from '../../player' */\n\n  /**\n   * The specific menu item type for selecting a playback rate.\n   *\n   * @extends MenuItem\n   */\n  class PlaybackRateMenuItem extends MenuItem {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of player options.\n     */\n    constructor(player, options) {\n      const label = options.rate;\n      const rate = parseFloat(label, 10);\n\n      // Modify options for parent MenuItem class's init.\n      options.label = label;\n      options.selected = rate === player.playbackRate();\n      options.selectable = true;\n      options.multiSelectable = false;\n      super(player, options);\n      this.label = label;\n      this.rate = rate;\n      this.on(player, 'ratechange', e => this.update(e));\n    }\n\n    /**\n     * This gets called when an `PlaybackRateMenuItem` is \"clicked\". See\n     * {@link ClickableComponent} for more detailed information on what a click can be.\n     *\n     * @param {Event} [event]\n     *        The `keydown`, `tap`, or `click` event that caused this function to be\n     *        called.\n     *\n     * @listens tap\n     * @listens click\n     */\n    handleClick(event) {\n      super.handleClick();\n      this.player().playbackRate(this.rate);\n    }\n\n    /**\n     * Update the PlaybackRateMenuItem when the playbackrate changes.\n     *\n     * @param {Event} [event]\n     *        The `ratechange` event that caused this function to run.\n     *\n     * @listens Player#ratechange\n     */\n    update(event) {\n      this.selected(this.player().playbackRate() === this.rate);\n    }\n  }\n\n  /**\n   * The text that should display over the `PlaybackRateMenuItem`s controls. Added for localization.\n   *\n   * @type {string}\n   * @private\n   */\n  PlaybackRateMenuItem.prototype.contentElType = 'button';\n  Component$1.registerComponent('PlaybackRateMenuItem', PlaybackRateMenuItem);\n\n  /**\n   * @file playback-rate-menu-button.js\n   */\n\n  /** @import Player from '../../player' */\n\n  /**\n   * The component for controlling the playback rate.\n   *\n   * @extends MenuButton\n   */\n  class PlaybackRateMenuButton extends MenuButton {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of player options.\n     */\n    constructor(player, options) {\n      super(player, options);\n      this.menuButton_.el_.setAttribute('aria-describedby', this.labelElId_);\n      this.updateVisibility();\n      this.updateLabel();\n      this.on(player, 'loadstart', e => this.updateVisibility(e));\n      this.on(player, 'ratechange', e => this.updateLabel(e));\n      this.on(player, 'playbackrateschange', e => this.handlePlaybackRateschange(e));\n    }\n\n    /**\n     * Create the `Component`'s DOM element\n     *\n     * @return {Element}\n     *         The element that was created.\n     */\n    createEl() {\n      const el = super.createEl();\n      this.labelElId_ = 'vjs-playback-rate-value-label-' + this.id_;\n      this.labelEl_ = createEl('div', {\n        className: 'vjs-playback-rate-value',\n        id: this.labelElId_,\n        textContent: '1x'\n      });\n      el.appendChild(this.labelEl_);\n      return el;\n    }\n    dispose() {\n      this.labelEl_ = null;\n      super.dispose();\n    }\n\n    /**\n     * Builds the default DOM `className`.\n     *\n     * @return {string}\n     *         The DOM `className` for this object.\n     */\n    buildCSSClass() {\n      return `vjs-playback-rate ${super.buildCSSClass()}`;\n    }\n    buildWrapperCSSClass() {\n      return `vjs-playback-rate ${super.buildWrapperCSSClass()}`;\n    }\n\n    /**\n     * Create the list of menu items. Specific to each subclass.\n     *\n     */\n    createItems() {\n      const rates = this.playbackRates();\n      const items = [];\n      for (let i = rates.length - 1; i >= 0; i--) {\n        items.push(new PlaybackRateMenuItem(this.player(), {\n          rate: rates[i] + 'x'\n        }));\n      }\n      return items;\n    }\n\n    /**\n     * On playbackrateschange, update the menu to account for the new items.\n     *\n     * @listens Player#playbackrateschange\n     */\n    handlePlaybackRateschange(event) {\n      this.update();\n    }\n\n    /**\n     * Get possible playback rates\n     *\n     * @return {Array}\n     *         All possible playback rates\n     */\n    playbackRates() {\n      const player = this.player();\n      return player.playbackRates && player.playbackRates() || [];\n    }\n\n    /**\n     * Get whether playback rates is supported by the tech\n     * and an array of playback rates exists\n     *\n     * @return {boolean}\n     *         Whether changing playback rate is supported\n     */\n    playbackRateSupported() {\n      return this.player().tech_ && this.player().tech_.featuresPlaybackRate && this.playbackRates() && this.playbackRates().length > 0;\n    }\n\n    /**\n     * Hide playback rate controls when they're no playback rate options to select\n     *\n     * @param {Event} [event]\n     *        The event that caused this function to run.\n     *\n     * @listens Player#loadstart\n     */\n    updateVisibility(event) {\n      if (this.playbackRateSupported()) {\n        this.removeClass('vjs-hidden');\n      } else {\n        this.addClass('vjs-hidden');\n      }\n    }\n\n    /**\n     * Update button label when rate changed\n     *\n     * @param {Event} [event]\n     *        The event that caused this function to run.\n     *\n     * @listens Player#ratechange\n     */\n    updateLabel(event) {\n      if (this.playbackRateSupported()) {\n        this.labelEl_.textContent = this.player().playbackRate() + 'x';\n      }\n    }\n  }\n\n  /**\n   * The text that should display over the `PlaybackRateMenuButton`s controls.\n   *\n   * Added for localization.\n   *\n   * @type {string}\n   * @protected\n   */\n  PlaybackRateMenuButton.prototype.controlText_ = 'Playback Rate';\n  Component$1.registerComponent('PlaybackRateMenuButton', PlaybackRateMenuButton);\n\n  /**\n   * @file spacer.js\n   */\n\n  /**\n   * Just an empty spacer element that can be used as an append point for plugins, etc.\n   * Also can be used to create space between elements when necessary.\n   *\n   * @extends Component\n   */\n  class Spacer extends Component$1 {\n    /**\n    * Builds the default DOM `className`.\n    *\n    * @return {string}\n    *         The DOM `className` for this object.\n    */\n    buildCSSClass() {\n      return `vjs-spacer ${super.buildCSSClass()}`;\n    }\n\n    /**\n     * Create the `Component`'s DOM element\n     *\n     * @return {Element}\n     *         The element that was created.\n     */\n    createEl(tag = 'div', props = {}, attributes = {}) {\n      if (!props.className) {\n        props.className = this.buildCSSClass();\n      }\n      return super.createEl(tag, props, attributes);\n    }\n  }\n  Component$1.registerComponent('Spacer', Spacer);\n\n  /**\n   * @file custom-control-spacer.js\n   */\n\n  /**\n   * Spacer specifically meant to be used as an insertion point for new plugins, etc.\n   *\n   * @extends Spacer\n   */\n  class CustomControlSpacer extends Spacer {\n    /**\n     * Builds the default DOM `className`.\n     *\n     * @return {string}\n     *         The DOM `className` for this object.\n     */\n    buildCSSClass() {\n      return `vjs-custom-control-spacer ${super.buildCSSClass()}`;\n    }\n\n    /**\n     * Create the `Component`'s DOM element\n     *\n     * @return {Element}\n     *         The element that was created.\n     */\n    createEl() {\n      return super.createEl('div', {\n        className: this.buildCSSClass(),\n        // No-flex/table-cell mode requires there be some content\n        // in the cell to fill the remaining space of the table.\n        textContent: '\\u00a0'\n      });\n    }\n  }\n  Component$1.registerComponent('CustomControlSpacer', CustomControlSpacer);\n\n  /**\n   * @file control-bar.js\n   */\n\n  /**\n   * Container of main controls.\n   *\n   * @extends Component\n   */\n  class ControlBar extends Component$1 {\n    /**\n     * Create the `Component`'s DOM element\n     *\n     * @return {Element}\n     *         The element that was created.\n     */\n    createEl() {\n      return super.createEl('div', {\n        className: 'vjs-control-bar',\n        dir: 'ltr'\n      });\n    }\n  }\n\n  /**\n   * Default options for `ControlBar`\n   *\n   * @type {Object}\n   * @private\n   */\n  ControlBar.prototype.options_ = {\n    children: ['playToggle', 'skipBackward', 'skipForward', 'volumePanel', 'currentTimeDisplay', 'timeDivider', 'durationDisplay', 'progressControl', 'liveDisplay', 'seekToLive', 'remainingTimeDisplay', 'customControlSpacer', 'playbackRateMenuButton', 'chaptersButton', 'descriptionsButton', 'subsCapsButton', 'audioTrackButton', 'pictureInPictureToggle', 'fullscreenToggle']\n  };\n  Component$1.registerComponent('ControlBar', ControlBar);\n\n  /**\n   * @file error-display.js\n   */\n\n  /** @import Player from './player' */\n\n  /**\n   * A display that indicates an error has occurred. This means that the video\n   * is unplayable.\n   *\n   * @extends ModalDialog\n   */\n  class ErrorDisplay extends ModalDialog {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param  {Player} player\n     *         The `Player` that this class should be attached to.\n     *\n     * @param  {Object} [options]\n     *         The key/value store of player options.\n     */\n    constructor(player, options) {\n      super(player, options);\n      this.on(player, 'error', e => {\n        this.open(e);\n      });\n    }\n\n    /**\n     * Builds the default DOM `className`.\n     *\n     * @return {string}\n     *         The DOM `className` for this object.\n     *\n     * @deprecated Since version 5.\n     */\n    buildCSSClass() {\n      return `vjs-error-display ${super.buildCSSClass()}`;\n    }\n\n    /**\n     * Gets the localized error message based on the `Player`s error.\n     *\n     * @return {string}\n     *         The `Player`s error message localized or an empty string.\n     */\n    content() {\n      const error = this.player().error();\n      return error ? this.localize(error.message) : '';\n    }\n  }\n\n  /**\n   * The default options for an `ErrorDisplay`.\n   *\n   * @private\n   */\n  ErrorDisplay.prototype.options_ = Object.assign({}, ModalDialog.prototype.options_, {\n    pauseOnOpen: false,\n    fillAlways: true,\n    temporary: false,\n    uncloseable: true\n  });\n  Component$1.registerComponent('ErrorDisplay', ErrorDisplay);\n\n  /** @import Player from './player' */\n  /** @import { ContentDescriptor } from  '../utils/dom' */\n\n  /**\n   * Creates DOM element of 'select' & its options.\n   *\n   * @extends Component\n   */\n  class TextTrackSelect extends Component$1 {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of player options.\n     *\n     * @param {ContentDescriptor} [options.content=undefined]\n     *        Provide customized content for this modal.\n     *\n     * @param {string} [options.legendId]\n     *        A text with part of an string to create atribute of aria-labelledby.\n     *\n     * @param {string} [options.id]\n     *        A text with part of an string to create atribute of aria-labelledby.\n     *\n     * @param {Array} [options.SelectOptions]\n     *        Array that contains the value & textContent of for each of the\n     *        options elements.\n     */\n    constructor(player, options = {}) {\n      super(player, options);\n      this.el_.setAttribute('aria-labelledby', this.selectLabelledbyIds);\n    }\n\n    /**\n     * Create the `TextTrackSelect`'s DOM element\n     *\n     * @return {Element}\n     *         The DOM element that gets created.\n     */\n    createEl() {\n      this.selectLabelledbyIds = [this.options_.legendId, this.options_.labelId].join(' ').trim();\n\n      // Create select & inner options\n      const selectoptions = createEl('select', {\n        id: this.options_.id\n      }, {}, this.options_.SelectOptions.map(optionText => {\n        // Constructs an id for the <option>.\n        // For the colour settings that have two <selects> with a <label> each, generates an id based off the label value\n        // For font size/family and edge style with one <select> and no <label>, generates an id with a guid\n        const optionId = (this.options_.labelId ? this.options_.labelId : `vjs-track-option-${newGUID()}`) + '-' + optionText[1].replace(/\\W+/g, '');\n        const option = createEl('option', {\n          id: optionId,\n          value: this.localize(optionText[0]),\n          textContent: this.localize(optionText[1])\n        });\n        option.setAttribute('aria-labelledby', `${this.selectLabelledbyIds} ${optionId}`);\n        return option;\n      }));\n      return selectoptions;\n    }\n  }\n  Component$1.registerComponent('TextTrackSelect', TextTrackSelect);\n\n  /** @import Player from './player' */\n  /** @import { ContentDescriptor } from '../utils/dom' */\n\n  /**\n   * Creates fieldset section of 'TextTrackSettings'.\n   * Manganes two versions of fieldsets, one for type of 'colors'\n   * & the other for 'font', Component adds diferent DOM elements\n   * to that fieldset  depending on the type.\n   *\n   * @extends Component\n   */\n  class TextTrackFieldset extends Component$1 {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of player options.\n     *\n     * @param {ContentDescriptor} [options.content=undefined]\n     *        Provide customized content for this modal.\n     *\n     * @param {string} [options.legendId]\n     *        A text with part of an string to create atribute of aria-labelledby.\n     *        It passes to 'TextTrackSelect'.\n     *\n     * @param {string} [options.id]\n     *        A text with part of an string to create atribute of aria-labelledby.\n     *        It passes to 'TextTrackSelect'.\n     *\n     * @param {string} [options.legendText]\n     *        A text to use as the text content of the legend element.\n     *\n     * @param {Array} [options.selects]\n     *        Array that contains the selects that are use to create 'selects'\n     *        components.\n     *\n     * @param {Array} [options.SelectOptions]\n     *        Array that contains the value & textContent of for each of the\n     *        options elements, it passes to 'TextTrackSelect'.\n     *\n     * @param {string} [options.type]\n     *        Conditions if some DOM elements will be added to the fieldset\n     *        component.\n     *\n     * @param {Object} [options.selectConfigs]\n     *        Object with the following properties that are the selects configurations:\n     *        backgroundColor, backgroundOpacity, color, edgeStyle, fontFamily,\n     *        fontPercent, textOpacity, windowColor, windowOpacity.\n     *        These properties are use to configure the 'TextTrackSelect' Component.\n     */\n    constructor(player, options = {}) {\n      super(player, options);\n\n      // Add Components & DOM Elements\n      const legendElement = createEl('legend', {\n        textContent: this.localize(this.options_.legendText),\n        id: this.options_.legendId\n      });\n      this.el().appendChild(legendElement);\n      const selects = this.options_.selects;\n\n      // Iterate array of selects to create 'selects' components\n      for (const i of selects) {\n        const selectConfig = this.options_.selectConfigs[i];\n        const selectClassName = selectConfig.className;\n        const id = selectConfig.id.replace('%s', this.options_.id_);\n        let span = null;\n        const guid = `vjs_select_${newGUID()}`;\n\n        // Conditionally create span to add on the component\n        if (this.options_.type === 'colors') {\n          span = createEl('span', {\n            className: selectClassName\n          });\n          const label = createEl('label', {\n            id,\n            className: 'vjs-label',\n            textContent: this.localize(selectConfig.label)\n          });\n          label.setAttribute('for', guid);\n          span.appendChild(label);\n        }\n        const textTrackSelect = new TextTrackSelect(player, {\n          SelectOptions: selectConfig.options,\n          legendId: this.options_.legendId,\n          id: guid,\n          labelId: id\n        });\n        this.addChild(textTrackSelect);\n\n        // Conditionally append to 'select' component to conditionally created span\n        if (this.options_.type === 'colors') {\n          span.appendChild(textTrackSelect.el());\n          this.el().appendChild(span);\n        }\n      }\n    }\n\n    /**\n     * Create the `TextTrackFieldset`'s DOM element\n     *\n     * @return {Element}\n     *         The DOM element that gets created.\n     */\n    createEl() {\n      const el = createEl('fieldset', {\n        // Prefixing classes of elements within a player with \"vjs-\"\n        // is a convention used in Video.js.\n        className: this.options_.className\n      });\n      return el;\n    }\n  }\n  Component$1.registerComponent('TextTrackFieldset', TextTrackFieldset);\n\n  /** @import Player from './player' */\n  /** @import { ContentDescriptor } from  '../utils/dom' */\n\n  /**\n   * The component 'TextTrackSettingsColors' displays a set of 'fieldsets'\n   * using the component 'TextTrackFieldset'.\n   *\n   * @extends Component\n   */\n  class TextTrackSettingsColors extends Component$1 {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of player options.\n     *\n     * @param {ContentDescriptor} [options.content=undefined]\n     *        Provide customized content for this modal.\n     *\n     * @param {Array} [options.fieldSets]\n     *        Array that contains the configurations for the selects.\n     *\n     * @param {Object} [options.selectConfigs]\n     *        Object with the following properties that are the select confugations:\n     *        backgroundColor, backgroundOpacity, color, edgeStyle, fontFamily,\n     *        fontPercent, textOpacity, windowColor, windowOpacity.\n     *        it passes to 'TextTrackFieldset'.\n     */\n    constructor(player, options = {}) {\n      super(player, options);\n      const id_ = this.options_.textTrackComponentid;\n\n      // createElFgColor_\n      const ElFgColorFieldset = new TextTrackFieldset(player, {\n        id_,\n        legendId: `captions-text-legend-${id_}`,\n        legendText: this.localize('Text'),\n        className: 'vjs-fg vjs-track-setting',\n        selects: this.options_.fieldSets[0],\n        selectConfigs: this.options_.selectConfigs,\n        type: 'colors'\n      });\n      this.addChild(ElFgColorFieldset);\n\n      // createElBgColor_\n      const ElBgColorFieldset = new TextTrackFieldset(player, {\n        id_,\n        legendId: `captions-background-${id_}`,\n        legendText: this.localize('Text Background'),\n        className: 'vjs-bg vjs-track-setting',\n        selects: this.options_.fieldSets[1],\n        selectConfigs: this.options_.selectConfigs,\n        type: 'colors'\n      });\n      this.addChild(ElBgColorFieldset);\n\n      // createElWinColor_\n      const ElWinColorFieldset = new TextTrackFieldset(player, {\n        id_,\n        legendId: `captions-window-${id_}`,\n        legendText: this.localize('Caption Area Background'),\n        className: 'vjs-window vjs-track-setting',\n        selects: this.options_.fieldSets[2],\n        selectConfigs: this.options_.selectConfigs,\n        type: 'colors'\n      });\n      this.addChild(ElWinColorFieldset);\n    }\n\n    /**\n     * Create the `TextTrackSettingsColors`'s DOM element\n     *\n     * @return {Element}\n     *         The DOM element that gets created.\n     */\n    createEl() {\n      const el = createEl('div', {\n        className: 'vjs-track-settings-colors'\n      });\n      return el;\n    }\n  }\n  Component$1.registerComponent('TextTrackSettingsColors', TextTrackSettingsColors);\n\n  /** @import Player from './player' */\n  /** @import { ContentDescriptor } from  '../utils/dom' */\n\n  /**\n   * The component 'TextTrackSettingsFont' displays a set of 'fieldsets'\n   * using the component 'TextTrackFieldset'.\n   *\n   * @extends Component\n   */\n  class TextTrackSettingsFont extends Component$1 {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of player options.\n     *\n     * @param {ContentDescriptor} [options.content=undefined]\n     *        Provide customized content for this modal.\n     *\n     * @param {Array} [options.fieldSets]\n     *        Array that contains the configurations for the selects.\n     *\n     * @param {Object} [options.selectConfigs]\n     *        Object with the following properties that are the select confugations:\n     *        backgroundColor, backgroundOpacity, color, edgeStyle, fontFamily,\n     *        fontPercent, textOpacity, windowColor, windowOpacity.\n     *        it passes to 'TextTrackFieldset'.\n     */\n    constructor(player, options = {}) {\n      super(player, options);\n      const id_ = this.options_.textTrackComponentid;\n      const ElFgColorFieldset = new TextTrackFieldset(player, {\n        id_,\n        legendId: `captions-font-size-${id_}`,\n        legendText: 'Font Size',\n        className: 'vjs-font-percent vjs-track-setting',\n        selects: this.options_.fieldSets[0],\n        selectConfigs: this.options_.selectConfigs,\n        type: 'font'\n      });\n      this.addChild(ElFgColorFieldset);\n      const ElBgColorFieldset = new TextTrackFieldset(player, {\n        id_,\n        legendId: `captions-edge-style-${id_}`,\n        legendText: this.localize('Text Edge Style'),\n        className: 'vjs-edge-style vjs-track-setting',\n        selects: this.options_.fieldSets[1],\n        selectConfigs: this.options_.selectConfigs,\n        type: 'font'\n      });\n      this.addChild(ElBgColorFieldset);\n      const ElWinColorFieldset = new TextTrackFieldset(player, {\n        id_,\n        legendId: `captions-font-family-${id_}`,\n        legendText: this.localize('Font Family'),\n        className: 'vjs-font-family vjs-track-setting',\n        selects: this.options_.fieldSets[2],\n        selectConfigs: this.options_.selectConfigs,\n        type: 'font'\n      });\n      this.addChild(ElWinColorFieldset);\n    }\n\n    /**\n     * Create the `TextTrackSettingsFont`'s DOM element\n     *\n     * @return {Element}\n     *         The DOM element that gets created.\n     */\n    createEl() {\n      const el = createEl('div', {\n        className: 'vjs-track-settings-font'\n      });\n      return el;\n    }\n  }\n  Component$1.registerComponent('TextTrackSettingsFont', TextTrackSettingsFont);\n\n  /**\n   * Buttons of reset & done that modal 'TextTrackSettings'\n   * uses as part of its content.\n   *\n   * 'Reset': Resets all settings on 'TextTrackSettings'.\n   * 'Done': Closes 'TextTrackSettings' modal.\n   *\n   * @extends Component\n   */\n  class TrackSettingsControls extends Component$1 {\n    constructor(player, options = {}) {\n      super(player, options);\n\n      // Create DOM elements\n      const defaultsDescription = this.localize('restore all settings to the default values');\n      const resetButton = new Button(player, {\n        controlText: defaultsDescription,\n        className: 'vjs-default-button'\n      });\n      resetButton.el().classList.remove('vjs-control', 'vjs-button');\n      resetButton.el().textContent = this.localize('Reset');\n      this.addChild(resetButton);\n      const doneButton = new Button(player, {\n        controlText: defaultsDescription,\n        className: 'vjs-done-button'\n      });\n\n      // Remove unrequired style classes\n      doneButton.el().classList.remove('vjs-control', 'vjs-button');\n      doneButton.el().textContent = this.localize('Done');\n      this.addChild(doneButton);\n    }\n\n    /**\n     * Create the `TrackSettingsControls`'s DOM element\n     *\n     * @return {Element}\n     *         The DOM element that gets created.\n     */\n    createEl() {\n      const el = createEl('div', {\n        className: 'vjs-track-settings-controls'\n      });\n      return el;\n    }\n  }\n  Component$1.registerComponent('TrackSettingsControls', TrackSettingsControls);\n\n  /**\n   * @file text-track-settings.js\n   */\n\n  /** @import Player from '../player' */\n\n  const LOCAL_STORAGE_KEY$1 = 'vjs-text-track-settings';\n  const COLOR_BLACK = ['#000', 'Black'];\n  const COLOR_BLUE = ['#00F', 'Blue'];\n  const COLOR_CYAN = ['#0FF', 'Cyan'];\n  const COLOR_GREEN = ['#0F0', 'Green'];\n  const COLOR_MAGENTA = ['#F0F', 'Magenta'];\n  const COLOR_RED = ['#F00', 'Red'];\n  const COLOR_WHITE = ['#FFF', 'White'];\n  const COLOR_YELLOW = ['#FF0', 'Yellow'];\n  const OPACITY_OPAQUE = ['1', 'Opaque'];\n  const OPACITY_SEMI = ['0.5', 'Semi-Transparent'];\n  const OPACITY_TRANS = ['0', 'Transparent'];\n\n  // Configuration for the various <select> elements in the DOM of this component.\n  //\n  // Possible keys include:\n  //\n  // `default`:\n  //   The default option index. Only needs to be provided if not zero.\n  // `parser`:\n  //   A function which is used to parse the value from the selected option in\n  //   a customized way.\n  // `selector`:\n  //   The selector used to find the associated <select> element.\n  const selectConfigs = {\n    backgroundColor: {\n      selector: '.vjs-bg-color > select',\n      id: 'captions-background-color-%s',\n      label: 'Color',\n      options: [COLOR_BLACK, COLOR_WHITE, COLOR_RED, COLOR_GREEN, COLOR_BLUE, COLOR_YELLOW, COLOR_MAGENTA, COLOR_CYAN],\n      className: 'vjs-bg-color'\n    },\n    backgroundOpacity: {\n      selector: '.vjs-bg-opacity > select',\n      id: 'captions-background-opacity-%s',\n      label: 'Opacity',\n      options: [OPACITY_OPAQUE, OPACITY_SEMI, OPACITY_TRANS],\n      className: 'vjs-bg-opacity vjs-opacity'\n    },\n    color: {\n      selector: '.vjs-text-color > select',\n      id: 'captions-foreground-color-%s',\n      label: 'Color',\n      options: [COLOR_WHITE, COLOR_BLACK, COLOR_RED, COLOR_GREEN, COLOR_BLUE, COLOR_YELLOW, COLOR_MAGENTA, COLOR_CYAN],\n      className: 'vjs-text-color'\n    },\n    edgeStyle: {\n      selector: '.vjs-edge-style > select',\n      id: '',\n      label: 'Text Edge Style',\n      options: [['none', 'None'], ['raised', 'Raised'], ['depressed', 'Depressed'], ['uniform', 'Uniform'], ['dropshadow', 'Drop shadow']]\n    },\n    fontFamily: {\n      selector: '.vjs-font-family > select',\n      id: '',\n      label: 'Font Family',\n      options: [['proportionalSansSerif', 'Proportional Sans-Serif'], ['monospaceSansSerif', 'Monospace Sans-Serif'], ['proportionalSerif', 'Proportional Serif'], ['monospaceSerif', 'Monospace Serif'], ['casual', 'Casual'], ['script', 'Script'], ['small-caps', 'Small Caps']]\n    },\n    fontPercent: {\n      selector: '.vjs-font-percent > select',\n      id: '',\n      label: 'Font Size',\n      options: [['0.50', '50%'], ['0.75', '75%'], ['1.00', '100%'], ['1.25', '125%'], ['1.50', '150%'], ['1.75', '175%'], ['2.00', '200%'], ['3.00', '300%'], ['4.00', '400%']],\n      default: 2,\n      parser: v => v === '1.00' ? null : Number(v)\n    },\n    textOpacity: {\n      selector: '.vjs-text-opacity > select',\n      id: 'captions-foreground-opacity-%s',\n      label: 'Opacity',\n      options: [OPACITY_OPAQUE, OPACITY_SEMI],\n      className: 'vjs-text-opacity vjs-opacity'\n    },\n    // Options for this object are defined below.\n    windowColor: {\n      selector: '.vjs-window-color > select',\n      id: 'captions-window-color-%s',\n      label: 'Color',\n      className: 'vjs-window-color'\n    },\n    // Options for this object are defined below.\n    windowOpacity: {\n      selector: '.vjs-window-opacity > select',\n      id: 'captions-window-opacity-%s',\n      label: 'Opacity',\n      options: [OPACITY_TRANS, OPACITY_SEMI, OPACITY_OPAQUE],\n      className: 'vjs-window-opacity vjs-opacity'\n    }\n  };\n  selectConfigs.windowColor.options = selectConfigs.backgroundColor.options;\n\n  /**\n   * Get the actual value of an option.\n   *\n   * @param  {string} value\n   *         The value to get\n   *\n   * @param  {Function} [parser]\n   *         Optional function to adjust the value.\n   *\n   * @return {*}\n   *         - Will be `undefined` if no value exists\n   *         - Will be `undefined` if the given value is \"none\".\n   *         - Will be the actual value otherwise.\n   *\n   * @private\n   */\n  function parseOptionValue(value, parser) {\n    if (parser) {\n      value = parser(value);\n    }\n    if (value && value !== 'none') {\n      return value;\n    }\n  }\n\n  /**\n   * Gets the value of the selected <option> element within a <select> element.\n   *\n   * @param  {Element} el\n   *         the element to look in\n   *\n   * @param  {Function} [parser]\n   *         Optional function to adjust the value.\n   *\n   * @return {*}\n   *         - Will be `undefined` if no value exists\n   *         - Will be `undefined` if the given value is \"none\".\n   *         - Will be the actual value otherwise.\n   *\n   * @private\n   */\n  function getSelectedOptionValue(el, parser) {\n    const value = el.options[el.options.selectedIndex].value;\n    return parseOptionValue(value, parser);\n  }\n\n  /**\n   * Sets the selected <option> element within a <select> element based on a\n   * given value.\n   *\n   * @param {Element} el\n   *        The element to look in.\n   *\n   * @param {string} value\n   *        the property to look on.\n   *\n   * @param {Function} [parser]\n   *        Optional function to adjust the value before comparing.\n   *\n   * @private\n   */\n  function setSelectedOption(el, value, parser) {\n    if (!value) {\n      return;\n    }\n    for (let i = 0; i < el.options.length; i++) {\n      if (parseOptionValue(el.options[i].value, parser) === value) {\n        el.selectedIndex = i;\n        break;\n      }\n    }\n  }\n\n  /**\n   * Manipulate Text Tracks settings.\n   *\n   * @extends ModalDialog\n   */\n  class TextTrackSettings extends ModalDialog {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *         The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options]\n     *         The key/value store of player options.\n     */\n    constructor(player, options) {\n      options.temporary = false;\n      super(player, options);\n      this.updateDisplay = this.updateDisplay.bind(this);\n\n      // fill the modal and pretend we have opened it\n      this.fill();\n      this.hasBeenOpened_ = this.hasBeenFilled_ = true;\n      this.renderModalComponents(player);\n      this.endDialog = createEl('p', {\n        className: 'vjs-control-text',\n        textContent: this.localize('End of dialog window.')\n      });\n      this.el().appendChild(this.endDialog);\n      this.setDefaults();\n\n      // Grab `persistTextTrackSettings` from the player options if not passed in child options\n      if (options.persistTextTrackSettings === undefined) {\n        this.options_.persistTextTrackSettings = this.options_.playerOptions.persistTextTrackSettings;\n      }\n      this.bindFunctionsToSelectsAndButtons();\n      if (this.options_.persistTextTrackSettings) {\n        this.restoreSettings();\n      }\n    }\n    renderModalComponents(player) {\n      const textTrackSettingsColors = new TextTrackSettingsColors(player, {\n        textTrackComponentid: this.id_,\n        selectConfigs,\n        fieldSets: [['color', 'textOpacity'], ['backgroundColor', 'backgroundOpacity'], ['windowColor', 'windowOpacity']]\n      });\n      this.addChild(textTrackSettingsColors);\n      const textTrackSettingsFont = new TextTrackSettingsFont(player, {\n        textTrackComponentid: this.id_,\n        selectConfigs,\n        fieldSets: [['fontPercent'], ['edgeStyle'], ['fontFamily']]\n      });\n      this.addChild(textTrackSettingsFont);\n      const trackSettingsControls = new TrackSettingsControls(player);\n      this.addChild(trackSettingsControls);\n    }\n    bindFunctionsToSelectsAndButtons() {\n      this.on(this.$('.vjs-done-button'), ['click', 'tap'], () => {\n        this.saveSettings();\n        this.close();\n      });\n      this.on(this.$('.vjs-default-button'), ['click', 'tap'], () => {\n        this.setDefaults();\n        this.updateDisplay();\n      });\n      each(selectConfigs, config => {\n        this.on(this.$(config.selector), 'change', this.updateDisplay);\n      });\n    }\n    dispose() {\n      this.endDialog = null;\n      super.dispose();\n    }\n    label() {\n      return this.localize('Caption Settings Dialog');\n    }\n    description() {\n      return this.localize('Beginning of dialog window. Escape will cancel and close the window.');\n    }\n    buildCSSClass() {\n      return super.buildCSSClass() + ' vjs-text-track-settings';\n    }\n\n    /**\n     * Gets an object of text track settings (or null).\n     *\n     * @return {Object}\n     *         An object with config values parsed from the DOM or localStorage.\n     */\n    getValues() {\n      return reduce(selectConfigs, (accum, config, key) => {\n        const value = getSelectedOptionValue(this.$(config.selector), config.parser);\n        if (value !== undefined) {\n          accum[key] = value;\n        }\n        return accum;\n      }, {});\n    }\n\n    /**\n     * Sets text track settings from an object of values.\n     *\n     * @param {Object} values\n     *        An object with config values parsed from the DOM or localStorage.\n     */\n    setValues(values) {\n      each(selectConfigs, (config, key) => {\n        setSelectedOption(this.$(config.selector), values[key], config.parser);\n      });\n    }\n\n    /**\n     * Sets all `<select>` elements to their default values.\n     */\n    setDefaults() {\n      each(selectConfigs, config => {\n        const index = config.hasOwnProperty('default') ? config.default : 0;\n        this.$(config.selector).selectedIndex = index;\n      });\n    }\n\n    /**\n     * Restore texttrack settings from localStorage\n     */\n    restoreSettings() {\n      let values;\n      try {\n        values = JSON.parse(window.localStorage.getItem(LOCAL_STORAGE_KEY$1));\n      } catch (err) {\n        log$1.warn(err);\n      }\n      if (values) {\n        this.setValues(values);\n      }\n    }\n\n    /**\n     * Save text track settings to localStorage\n     */\n    saveSettings() {\n      if (!this.options_.persistTextTrackSettings) {\n        return;\n      }\n      const values = this.getValues();\n      try {\n        if (Object.keys(values).length) {\n          window.localStorage.setItem(LOCAL_STORAGE_KEY$1, JSON.stringify(values));\n        } else {\n          window.localStorage.removeItem(LOCAL_STORAGE_KEY$1);\n        }\n      } catch (err) {\n        log$1.warn(err);\n      }\n    }\n\n    /**\n     * Update display of text track settings\n     */\n    updateDisplay() {\n      const ttDisplay = this.player_.getChild('textTrackDisplay');\n      if (ttDisplay) {\n        ttDisplay.updateDisplay();\n      }\n    }\n\n    /**\n     * Repopulate dialog with new localizations on languagechange\n     */\n    handleLanguagechange() {\n      this.fill();\n      this.renderModalComponents(this.player_);\n      this.bindFunctionsToSelectsAndButtons();\n    }\n  }\n  Component$1.registerComponent('TextTrackSettings', TextTrackSettings);\n\n  /**\n   * @file resize-manager.js\n   */\n\n  /**\n   * A Resize Manager. It is in charge of triggering `playerresize` on the player in the right conditions.\n   *\n   * It'll either create an iframe and use a debounced resize handler on it or use the new {@link https://wicg.github.io/ResizeObserver/|ResizeObserver}.\n   *\n   * If the ResizeObserver is available natively, it will be used. A polyfill can be passed in as an option.\n   * If a `playerresize` event is not needed, the ResizeManager component can be removed from the player, see the example below.\n   *\n   * @example <caption>How to disable the resize manager</caption>\n   * const player = videojs('#vid', {\n   *   resizeManager: false\n   * });\n   *\n   * @see {@link https://wicg.github.io/ResizeObserver/|ResizeObserver specification}\n   *\n   * @extends Component\n   */\n  class ResizeManager extends Component$1 {\n    /**\n     * Create the ResizeManager.\n     *\n     * @param {Object} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of ResizeManager options.\n     *\n     * @param {Object} [options.ResizeObserver]\n     *        A polyfill for ResizeObserver can be passed in here.\n     *        If this is set to null it will ignore the native ResizeObserver and fall back to the iframe fallback.\n     */\n    constructor(player, options) {\n      let RESIZE_OBSERVER_AVAILABLE = options.ResizeObserver || window.ResizeObserver;\n\n      // if `null` was passed, we want to disable the ResizeObserver\n      if (options.ResizeObserver === null) {\n        RESIZE_OBSERVER_AVAILABLE = false;\n      }\n\n      // Only create an element when ResizeObserver isn't available\n      const options_ = merge$2({\n        createEl: !RESIZE_OBSERVER_AVAILABLE,\n        reportTouchActivity: false\n      }, options);\n      super(player, options_);\n      this.ResizeObserver = options.ResizeObserver || window.ResizeObserver;\n      this.loadListener_ = null;\n      this.resizeObserver_ = null;\n      this.debouncedHandler_ = debounce$1(() => {\n        this.resizeHandler();\n      }, 100, false, this);\n      if (RESIZE_OBSERVER_AVAILABLE) {\n        this.resizeObserver_ = new this.ResizeObserver(this.debouncedHandler_);\n        this.resizeObserver_.observe(player.el());\n      } else {\n        this.loadListener_ = () => {\n          if (!this.el_ || !this.el_.contentWindow) {\n            return;\n          }\n          const debouncedHandler_ = this.debouncedHandler_;\n          let unloadListener_ = this.unloadListener_ = function () {\n            off(this, 'resize', debouncedHandler_);\n            off(this, 'unload', unloadListener_);\n            unloadListener_ = null;\n          };\n\n          // safari and edge can unload the iframe before resizemanager dispose\n          // we have to dispose of event handlers correctly before that happens\n          on(this.el_.contentWindow, 'unload', unloadListener_);\n          on(this.el_.contentWindow, 'resize', debouncedHandler_);\n        };\n        this.one('load', this.loadListener_);\n      }\n    }\n    createEl() {\n      return super.createEl('iframe', {\n        className: 'vjs-resize-manager',\n        tabIndex: -1,\n        title: this.localize('No content')\n      }, {\n        'aria-hidden': 'true'\n      });\n    }\n\n    /**\n     * Called when a resize is triggered on the iframe or a resize is observed via the ResizeObserver\n     *\n     * @fires Player#playerresize\n     */\n    resizeHandler() {\n      /**\n       * Called when the player size has changed\n       *\n       * @event Player#playerresize\n       * @type {Event}\n       */\n      // make sure player is still around to trigger\n      // prevents this from causing an error after dispose\n      if (!this.player_ || !this.player_.trigger) {\n        return;\n      }\n      this.player_.trigger('playerresize');\n    }\n    dispose() {\n      if (this.debouncedHandler_) {\n        this.debouncedHandler_.cancel();\n      }\n      if (this.resizeObserver_) {\n        if (this.player_.el()) {\n          this.resizeObserver_.unobserve(this.player_.el());\n        }\n        this.resizeObserver_.disconnect();\n      }\n      if (this.loadListener_) {\n        this.off('load', this.loadListener_);\n      }\n      if (this.el_ && this.el_.contentWindow && this.unloadListener_) {\n        this.unloadListener_.call(this.el_.contentWindow);\n      }\n      this.ResizeObserver = null;\n      this.resizeObserver = null;\n      this.debouncedHandler_ = null;\n      this.loadListener_ = null;\n      super.dispose();\n    }\n  }\n  Component$1.registerComponent('ResizeManager', ResizeManager);\n\n  /** @import Player from './player' */\n\n  const defaults$1 = {\n    trackingThreshold: 20,\n    liveTolerance: 15\n  };\n\n  /*\n    track when we are at the live edge, and other helpers for live playback */\n\n  /**\n   * A class for checking live current time and determining when the player\n   * is at or behind the live edge.\n   */\n  class LiveTracker extends Component$1 {\n    /**\n     * Creates an instance of this class.\n     *\n     * @param {Player} player\n     *        The `Player` that this class should be attached to.\n     *\n     * @param {Object} [options]\n     *        The key/value store of player options.\n     *\n     * @param {number} [options.trackingThreshold=20]\n     *        Number of seconds of live window (seekableEnd - seekableStart) that\n     *        media needs to have before the liveui will be shown.\n     *\n     * @param {number} [options.liveTolerance=15]\n     *        Number of seconds behind live that we have to be\n     *        before we will be considered non-live. Note that this will only\n     *        be used when playing at the live edge. This allows large seekable end\n     *        changes to not effect whether we are live or not.\n     */\n    constructor(player, options) {\n      // LiveTracker does not need an element\n      const options_ = merge$2(defaults$1, options, {\n        createEl: false\n      });\n      super(player, options_);\n      this.trackLiveHandler_ = () => this.trackLive_();\n      this.handlePlay_ = e => this.handlePlay(e);\n      this.handleFirstTimeupdate_ = e => this.handleFirstTimeupdate(e);\n      this.handleSeeked_ = e => this.handleSeeked(e);\n      this.seekToLiveEdge_ = e => this.seekToLiveEdge(e);\n      this.reset_();\n      this.on(this.player_, 'durationchange', e => this.handleDurationchange(e));\n      // we should try to toggle tracking on canplay as native playback engines, like Safari\n      // may not have the proper values for things like seekableEnd until then\n      this.on(this.player_, 'canplay', () => this.toggleTracking());\n    }\n\n    /**\n     * all the functionality for tracking when seek end changes\n     * and for tracking how far past seek end we should be\n     */\n    trackLive_() {\n      const seekable = this.player_.seekable();\n\n      // skip undefined seekable\n      if (!seekable || !seekable.length) {\n        return;\n      }\n      const newTime = Number(window.performance.now().toFixed(4));\n      const deltaTime = this.lastTime_ === -1 ? 0 : (newTime - this.lastTime_) / 1000;\n      this.lastTime_ = newTime;\n      this.pastSeekEnd_ = this.pastSeekEnd() + deltaTime;\n      const liveCurrentTime = this.liveCurrentTime();\n      const currentTime = this.player_.currentTime();\n\n      // we are behind live if any are true\n      // 1. the player is paused\n      // 2. the user seeked to a location 2 seconds away from live\n      // 3. the difference between live and current time is greater\n      //    liveTolerance which defaults to 15s\n      let isBehind = this.player_.paused() || this.seekedBehindLive_ || Math.abs(liveCurrentTime - currentTime) > this.options_.liveTolerance;\n\n      // we cannot be behind if\n      // 1. until we have not seen a timeupdate yet\n      // 2. liveCurrentTime is Infinity, which happens on Android and Native Safari\n      if (!this.timeupdateSeen_ || liveCurrentTime === Infinity) {\n        isBehind = false;\n      }\n      if (isBehind !== this.behindLiveEdge_) {\n        this.behindLiveEdge_ = isBehind;\n        this.trigger('liveedgechange');\n      }\n    }\n\n    /**\n     * handle a durationchange event on the player\n     * and start/stop tracking accordingly.\n     */\n    handleDurationchange() {\n      this.toggleTracking();\n    }\n\n    /**\n     * start/stop tracking\n     */\n    toggleTracking() {\n      if (this.player_.duration() === Infinity && this.liveWindow() >= this.options_.trackingThreshold) {\n        if (this.player_.options_.liveui) {\n          this.player_.addClass('vjs-liveui');\n        }\n        this.startTracking();\n      } else {\n        this.player_.removeClass('vjs-liveui');\n        this.stopTracking();\n      }\n    }\n\n    /**\n     * start tracking live playback\n     */\n    startTracking() {\n      if (this.isTracking()) {\n        return;\n      }\n\n      // If we haven't seen a timeupdate, we need to check whether playback\n      // began before this component started tracking. This can happen commonly\n      // when using autoplay.\n      if (!this.timeupdateSeen_) {\n        this.timeupdateSeen_ = this.player_.hasStarted();\n      }\n      this.trackingInterval_ = this.setInterval(this.trackLiveHandler_, UPDATE_REFRESH_INTERVAL);\n      this.trackLive_();\n      this.on(this.player_, ['play', 'pause'], this.trackLiveHandler_);\n      if (!this.timeupdateSeen_) {\n        this.one(this.player_, 'play', this.handlePlay_);\n        this.one(this.player_, 'timeupdate', this.handleFirstTimeupdate_);\n      } else {\n        this.on(this.player_, 'seeked', this.handleSeeked_);\n      }\n    }\n\n    /**\n     * handle the first timeupdate on the player if it wasn't already playing\n     * when live tracker started tracking.\n     */\n    handleFirstTimeupdate() {\n      this.timeupdateSeen_ = true;\n      this.on(this.player_, 'seeked', this.handleSeeked_);\n    }\n\n    /**\n     * Keep track of what time a seek starts, and listen for seeked\n     * to find where a seek ends.\n     */\n    handleSeeked() {\n      const timeDiff = Math.abs(this.liveCurrentTime() - this.player_.currentTime());\n      this.seekedBehindLive_ = this.nextSeekedFromUser_ && timeDiff > 2;\n      this.nextSeekedFromUser_ = false;\n      this.trackLive_();\n    }\n\n    /**\n     * handle the first play on the player, and make sure that we seek\n     * right to the live edge.\n     */\n    handlePlay() {\n      this.one(this.player_, 'timeupdate', this.seekToLiveEdge_);\n    }\n\n    /**\n     * Stop tracking, and set all internal variables to\n     * their initial value.\n     */\n    reset_() {\n      this.lastTime_ = -1;\n      this.pastSeekEnd_ = 0;\n      this.lastSeekEnd_ = -1;\n      this.behindLiveEdge_ = true;\n      this.timeupdateSeen_ = false;\n      this.seekedBehindLive_ = false;\n      this.nextSeekedFromUser_ = false;\n      this.clearInterval(this.trackingInterval_);\n      this.trackingInterval_ = null;\n      this.off(this.player_, ['play', 'pause'], this.trackLiveHandler_);\n      this.off(this.player_, 'seeked', this.handleSeeked_);\n      this.off(this.player_, 'play', this.handlePlay_);\n      this.off(this.player_, 'timeupdate', this.handleFirstTimeupdate_);\n      this.off(this.player_, 'timeupdate', this.seekToLiveEdge_);\n    }\n\n    /**\n     * The next seeked event is from the user. Meaning that any seek\n     * > 2s behind live will be considered behind live for real and\n     * liveTolerance will be ignored.\n     */\n    nextSeekedFromUser() {\n      this.nextSeekedFromUser_ = true;\n    }\n\n    /**\n     * stop tracking live playback\n     */\n    stopTracking() {\n      if (!this.isTracking()) {\n        return;\n      }\n      this.reset_();\n      this.trigger('liveedgechange');\n    }\n\n    /**\n     * A helper to get the player seekable end\n     * so that we don't have to null check everywhere\n     *\n     * @return {number}\n     *         The furthest seekable end or Infinity.\n     */\n    seekableEnd() {\n      const seekable = this.player_.seekable();\n      const seekableEnds = [];\n      let i = seekable ? seekable.length : 0;\n      while (i--) {\n        seekableEnds.push(seekable.end(i));\n      }\n\n      // grab the furthest seekable end after sorting, or if there are none\n      // default to Infinity\n      return seekableEnds.length ? seekableEnds.sort()[seekableEnds.length - 1] : Infinity;\n    }\n\n    /**\n     * A helper to get the player seekable start\n     * so that we don't have to null check everywhere\n     *\n     * @return {number}\n     *         The earliest seekable start or 0.\n     */\n    seekableStart() {\n      const seekable = this.player_.seekable();\n      const seekableStarts = [];\n      let i = seekable ? seekable.length : 0;\n      while (i--) {\n        seekableStarts.push(seekable.start(i));\n      }\n\n      // grab the first seekable start after sorting, or if there are none\n      // default to 0\n      return seekableStarts.length ? seekableStarts.sort()[0] : 0;\n    }\n\n    /**\n     * Get the live time window aka\n     * the amount of time between seekable start and\n     * live current time.\n     *\n     * @return {number}\n     *         The amount of seconds that are seekable in\n     *         the live video.\n     */\n    liveWindow() {\n      const liveCurrentTime = this.liveCurrentTime();\n\n      // if liveCurrenTime is Infinity then we don't have a liveWindow at all\n      if (liveCurrentTime === Infinity) {\n        return 0;\n      }\n      return liveCurrentTime - this.seekableStart();\n    }\n\n    /**\n     * Determines if the player is live, only checks if this component\n     * is tracking live playback or not\n     *\n     * @return {boolean}\n     *         Whether liveTracker is tracking\n     */\n    isLive() {\n      return this.isTracking();\n    }\n\n    /**\n     * Determines if currentTime is at the live edge and won't fall behind\n     * on each seekableendchange\n     *\n     * @return {boolean}\n     *         Whether playback is at the live edge\n     */\n    atLiveEdge() {\n      return !this.behindLiveEdge();\n    }\n\n    /**\n     * get what we expect the live current time to be\n     *\n     * @return {number}\n     *         The expected live current time\n     */\n    liveCurrentTime() {\n      return this.pastSeekEnd() + this.seekableEnd();\n    }\n\n    /**\n     * The number of seconds that have occurred after seekable end\n     * changed. This will be reset to 0 once seekable end changes.\n     *\n     * @return {number}\n     *         Seconds past the current seekable end\n     */\n    pastSeekEnd() {\n      const seekableEnd = this.seekableEnd();\n      if (this.lastSeekEnd_ !== -1 && seekableEnd !== this.lastSeekEnd_) {\n        this.pastSeekEnd_ = 0;\n      }\n      this.lastSeekEnd_ = seekableEnd;\n      return this.pastSeekEnd_;\n    }\n\n    /**\n     * If we are currently behind the live edge, aka currentTime will be\n     * behind on a seekableendchange\n     *\n     * @return {boolean}\n     *         If we are behind the live edge\n     */\n    behindLiveEdge() {\n      return this.behindLiveEdge_;\n    }\n\n    /**\n     * Whether live tracker is currently tracking or not.\n     */\n    isTracking() {\n      return typeof this.trackingInterval_ === 'number';\n    }\n\n    /**\n     * Seek to the live edge if we are behind the live edge\n     */\n    seekToLiveEdge() {\n      this.seekedBehindLive_ = false;\n      if (this.atLiveEdge()) {\n        return;\n      }\n      this.nextSeekedFromUser_ = false;\n      this.player_.currentTime(this.liveCurrentTime());\n    }\n\n    /**\n     * Dispose of liveTracker\n     */\n    dispose() {\n      this.stopTracking();\n      super.dispose();\n    }\n  }\n  Component$1.registerComponent('LiveTracker', LiveTracker);\n\n  /**\n   * Displays an element over the player which contains an optional title and\n   * description for the current content.\n   *\n   * Much of the code for this component originated in the now obsolete\n   * videojs-dock plugin: https://github.com/brightcove/videojs-dock/\n   *\n   * @extends Component\n   */\n  class TitleBar extends Component$1 {\n    constructor(player, options) {\n      super(player, options);\n      this.on('statechanged', e => this.updateDom_());\n      this.updateDom_();\n    }\n\n    /**\n     * Create the `TitleBar`'s DOM element\n     *\n     * @return {Element}\n     *         The element that was created.\n     */\n    createEl() {\n      this.els = {\n        title: createEl('div', {\n          className: 'vjs-title-bar-title',\n          id: `vjs-title-bar-title-${newGUID()}`\n        }),\n        description: createEl('div', {\n          className: 'vjs-title-bar-description',\n          id: `vjs-title-bar-description-${newGUID()}`\n        })\n      };\n      return createEl('div', {\n        className: 'vjs-title-bar'\n      }, {}, values$1(this.els));\n    }\n\n    /**\n     * Updates the DOM based on the component's state object.\n     */\n    updateDom_() {\n      const tech = this.player_.tech_;\n      const techEl = tech && tech.el_;\n      const techAriaAttrs = {\n        title: 'aria-labelledby',\n        description: 'aria-describedby'\n      };\n      ['title', 'description'].forEach(k => {\n        const value = this.state[k];\n        const el = this.els[k];\n        const techAriaAttr = techAriaAttrs[k];\n        emptyEl(el);\n        if (value) {\n          textContent(el, value);\n        }\n\n        // If there is a tech element available, update its ARIA attributes\n        // according to whether a title and/or description have been provided.\n        if (techEl) {\n          techEl.removeAttribute(techAriaAttr);\n          if (value) {\n            techEl.setAttribute(techAriaAttr, el.id);\n          }\n        }\n      });\n      if (this.state.title || this.state.description) {\n        this.show();\n      } else {\n        this.hide();\n      }\n    }\n\n    /**\n     * Update the contents of the title bar component with new title and\n     * description text.\n     *\n     * If both title and description are missing, the title bar will be hidden.\n     *\n     * If either title or description are present, the title bar will be visible.\n     *\n     * NOTE: Any previously set value will be preserved. To unset a previously\n     * set value, you must pass an empty string or null.\n     *\n     * For example:\n     *\n     * ```\n     * update({title: 'foo', description: 'bar'}) // title: 'foo', description: 'bar'\n     * update({description: 'bar2'}) // title: 'foo', description: 'bar2'\n     * update({title: ''}) // title: '', description: 'bar2'\n     * update({title: 'foo', description: null}) // title: 'foo', description: null\n     * ```\n     *\n     * @param  {Object} [options={}]\n     *         An options object. When empty, the title bar will be hidden.\n     *\n     * @param  {string} [options.title]\n     *         A title to display in the title bar.\n     *\n     * @param  {string} [options.description]\n     *         A description to display in the title bar.\n     */\n    update(options) {\n      this.setState(options);\n    }\n\n    /**\n     * Dispose the component.\n     */\n    dispose() {\n      const tech = this.player_.tech_;\n      const techEl = tech && tech.el_;\n      if (techEl) {\n        techEl.removeAttribute('aria-labelledby');\n        techEl.removeAttribute('aria-describedby');\n      }\n      super.dispose();\n      this.els = null;\n    }\n  }\n  Component$1.registerComponent('TitleBar', TitleBar);\n\n  /** @import Player from './player' */\n\n  /**\n   * @typedef {object} TransientButtonOptions\n   * @property {string} [controlText] Control text, usually visible for these buttons\n   * @property {number} [initialDisplay=4000] Time in ms that button should initially remain visible\n   * @property {Array<'top'|'neartop'|'bottom'|'left'|'right'>} [position] Array of position strings to add basic styles for positioning\n   * @property {string} [className] Class(es) to add\n   * @property {boolean} [takeFocus=false] Whether element sohuld take focus when shown\n   * @property {Function} [clickHandler] Function called on button activation\n   */\n\n  /** @type {TransientButtonOptions} */\n  const defaults = {\n    initialDisplay: 4000,\n    position: [],\n    takeFocus: false\n  };\n\n  /**\n   * A floating transient button.\n   * It's recommended to insert these buttons _before_ the control bar with the this argument to `addChild`\n   * for a logical tab order.\n   *\n   * @example\n   * ```\n   * player.addChild(\n   *   'TransientButton',\n   *   options,\n   *   player.children().indexOf(player.getChild(\"ControlBar\"))\n   * )\n   * ```\n   *\n   * @extends Button\n   */\n  class TransientButton extends Button {\n    /**\n     * TransientButton constructor\n     *\n     * @param {Player} player The button's player\n     * @param {TransientButtonOptions} options Options for the transient button\n     */\n    constructor(player, options) {\n      options = merge$2(defaults, options);\n      super(player, options);\n      this.controlText(options.controlText);\n      this.hide();\n\n      // When shown, the float button will be visible even if the user is inactive.\n      // Clear this if there is any interaction.\n      this.on(this.player_, ['useractive', 'userinactive'], e => {\n        this.removeClass('force-display');\n      });\n    }\n\n    /**\n     * Return CSS class including position classes\n     *\n     * @return {string} CSS class list\n     */\n    buildCSSClass() {\n      return `vjs-transient-button focus-visible ${this.options_.position.map(c => `vjs-${c}`).join(' ')}`;\n    }\n\n    /**\n     * Create the button element\n     *\n     * @return {HTMLButtonElement} The button element\n     */\n    createEl() {\n      /** @type HTMLButtonElement */\n      const el = createEl('button', {}, {\n        type: 'button',\n        class: this.buildCSSClass()\n      }, createEl('span'));\n      this.controlTextEl_ = el.querySelector('span');\n      return el;\n    }\n\n    /**\n     * Show the button. The button will remain visible for the `initialDisplay` time, default 4s,\n     * and when there is user activity.\n     */\n    show() {\n      super.show();\n      this.addClass('force-display');\n      if (this.options_.takeFocus) {\n        this.el().focus({\n          preventScroll: true\n        });\n      }\n      this.forceDisplayTimeout = this.player_.setTimeout(() => {\n        this.removeClass('force-display');\n      }, this.options_.initialDisplay);\n    }\n\n    /**\n     * Hide the display, even if during the `initialDisplay` time.\n     */\n    hide() {\n      this.removeClass('force-display');\n      super.hide();\n    }\n\n    /**\n     * Dispose the component\n     */\n    dispose() {\n      this.player_.clearTimeout(this.forceDisplayTimeout);\n      super.dispose();\n    }\n  }\n  Component$1.registerComponent('TransientButton', TransientButton);\n\n  /** @import Html5 from './html5' */\n\n  /**\n   * This function is used to fire a sourceset when there is something\n   * similar to `mediaEl.load()` being called. It will try to find the source via\n   * the `src` attribute and then the `<source>` elements. It will then fire `sourceset`\n   * with the source that was found or empty string if we cannot know. If it cannot\n   * find a source then `sourceset` will not be fired.\n   *\n   * @param {Html5} tech\n   *        The tech object that sourceset was setup on\n   *\n   * @return {boolean}\n   *         returns false if the sourceset was not fired and true otherwise.\n   */\n  const sourcesetLoad = tech => {\n    const el = tech.el();\n\n    // if `el.src` is set, that source will be loaded.\n    if (el.hasAttribute('src')) {\n      tech.triggerSourceset(el.src);\n      return true;\n    }\n\n    /**\n     * Since there isn't a src property on the media element, source elements will be used for\n     * implementing the source selection algorithm. This happens asynchronously and\n     * for most cases were there is more than one source we cannot tell what source will\n     * be loaded, without re-implementing the source selection algorithm. At this time we are not\n     * going to do that. There are three special cases that we do handle here though:\n     *\n     * 1. If there are no sources, do not fire `sourceset`.\n     * 2. If there is only one `<source>` with a `src` property/attribute that is our `src`\n     * 3. If there is more than one `<source>` but all of them have the same `src` url.\n     *    That will be our src.\n     */\n    const sources = tech.$$('source');\n    const srcUrls = [];\n    let src = '';\n\n    // if there are no sources, do not fire sourceset\n    if (!sources.length) {\n      return false;\n    }\n\n    // only count valid/non-duplicate source elements\n    for (let i = 0; i < sources.length; i++) {\n      const url = sources[i].src;\n      if (url && srcUrls.indexOf(url) === -1) {\n        srcUrls.push(url);\n      }\n    }\n\n    // there were no valid sources\n    if (!srcUrls.length) {\n      return false;\n    }\n\n    // there is only one valid source element url\n    // use that\n    if (srcUrls.length === 1) {\n      src = srcUrls[0];\n    }\n    tech.triggerSourceset(src);\n    return true;\n  };\n\n  /**\n   * our implementation of an `innerHTML` descriptor for browsers\n   * that do not have one.\n   */\n  const innerHTMLDescriptorPolyfill = Object.defineProperty({}, 'innerHTML', {\n    get() {\n      return this.cloneNode(true).innerHTML;\n    },\n    set(v) {\n      // make a dummy node to use innerHTML on\n      const dummy = document.createElement(this.nodeName.toLowerCase());\n\n      // set innerHTML to the value provided\n      dummy.innerHTML = v;\n\n      // make a document fragment to hold the nodes from dummy\n      const docFrag = document.createDocumentFragment();\n\n      // copy all of the nodes created by the innerHTML on dummy\n      // to the document fragment\n      while (dummy.childNodes.length) {\n        docFrag.appendChild(dummy.childNodes[0]);\n      }\n\n      // remove content\n      this.innerText = '';\n\n      // now we add all of that html in one by appending the\n      // document fragment. This is how innerHTML does it.\n      window.Element.prototype.appendChild.call(this, docFrag);\n\n      // then return the result that innerHTML's setter would\n      return this.innerHTML;\n    }\n  });\n\n  /**\n   * Get a property descriptor given a list of priorities and the\n   * property to get.\n   */\n  const getDescriptor = (priority, prop) => {\n    let descriptor = {};\n    for (let i = 0; i < priority.length; i++) {\n      descriptor = Object.getOwnPropertyDescriptor(priority[i], prop);\n      if (descriptor && descriptor.set && descriptor.get) {\n        break;\n      }\n    }\n    descriptor.enumerable = true;\n    descriptor.configurable = true;\n    return descriptor;\n  };\n  const getInnerHTMLDescriptor = tech => getDescriptor([tech.el(), window.HTMLMediaElement.prototype, window.Element.prototype, innerHTMLDescriptorPolyfill], 'innerHTML');\n\n  /**\n   * Patches browser internal functions so that we can tell synchronously\n   * if a `<source>` was appended to the media element. For some reason this\n   * causes a `sourceset` if the the media element is ready and has no source.\n   * This happens when:\n   * - The page has just loaded and the media element does not have a source.\n   * - The media element was emptied of all sources, then `load()` was called.\n   *\n   * It does this by patching the following functions/properties when they are supported:\n   *\n   * - `append()` - can be used to add a `<source>` element to the media element\n   * - `appendChild()` - can be used to add a `<source>` element to the media element\n   * - `insertAdjacentHTML()` -  can be used to add a `<source>` element to the media element\n   * - `innerHTML` -  can be used to add a `<source>` element to the media element\n   *\n   * @param {Html5} tech\n   *        The tech object that sourceset is being setup on.\n   */\n  const firstSourceWatch = function (tech) {\n    const el = tech.el();\n\n    // make sure firstSourceWatch isn't setup twice.\n    if (el.resetSourceWatch_) {\n      return;\n    }\n    const old = {};\n    const innerDescriptor = getInnerHTMLDescriptor(tech);\n    const appendWrapper = appendFn => (...args) => {\n      const retval = appendFn.apply(el, args);\n      sourcesetLoad(tech);\n      return retval;\n    };\n    ['append', 'appendChild', 'insertAdjacentHTML'].forEach(k => {\n      if (!el[k]) {\n        return;\n      }\n\n      // store the old function\n      old[k] = el[k];\n\n      // call the old function with a sourceset if a source\n      // was loaded\n      el[k] = appendWrapper(old[k]);\n    });\n    Object.defineProperty(el, 'innerHTML', merge$2(innerDescriptor, {\n      set: appendWrapper(innerDescriptor.set)\n    }));\n    el.resetSourceWatch_ = () => {\n      el.resetSourceWatch_ = null;\n      Object.keys(old).forEach(k => {\n        el[k] = old[k];\n      });\n      Object.defineProperty(el, 'innerHTML', innerDescriptor);\n    };\n\n    // on the first sourceset, we need to revert our changes\n    tech.one('sourceset', el.resetSourceWatch_);\n  };\n\n  /**\n   * our implementation of a `src` descriptor for browsers\n   * that do not have one\n   */\n  const srcDescriptorPolyfill = Object.defineProperty({}, 'src', {\n    get() {\n      if (this.hasAttribute('src')) {\n        return getAbsoluteURL(window.Element.prototype.getAttribute.call(this, 'src'));\n      }\n      return '';\n    },\n    set(v) {\n      window.Element.prototype.setAttribute.call(this, 'src', v);\n      return v;\n    }\n  });\n  const getSrcDescriptor = tech => getDescriptor([tech.el(), window.HTMLMediaElement.prototype, srcDescriptorPolyfill], 'src');\n\n  /**\n   * setup `sourceset` handling on the `Html5` tech. This function\n   * patches the following element properties/functions:\n   *\n   * - `src` - to determine when `src` is set\n   * - `setAttribute()` - to determine when `src` is set\n   * - `load()` - this re-triggers the source selection algorithm, and can\n   *              cause a sourceset.\n   *\n   * If there is no source when we are adding `sourceset` support or during a `load()`\n   * we also patch the functions listed in `firstSourceWatch`.\n   *\n   * @param {Html5} tech\n   *        The tech to patch\n   */\n  const setupSourceset = function (tech) {\n    if (!tech.featuresSourceset) {\n      return;\n    }\n    const el = tech.el();\n\n    // make sure sourceset isn't setup twice.\n    if (el.resetSourceset_) {\n      return;\n    }\n    const srcDescriptor = getSrcDescriptor(tech);\n    const oldSetAttribute = el.setAttribute;\n    const oldLoad = el.load;\n    Object.defineProperty(el, 'src', merge$2(srcDescriptor, {\n      set: v => {\n        const retval = srcDescriptor.set.call(el, v);\n\n        // we use the getter here to get the actual value set on src\n        tech.triggerSourceset(el.src);\n        return retval;\n      }\n    }));\n    el.setAttribute = (n, v) => {\n      const retval = oldSetAttribute.call(el, n, v);\n      if (/src/i.test(n)) {\n        tech.triggerSourceset(el.src);\n      }\n      return retval;\n    };\n    el.load = () => {\n      const retval = oldLoad.call(el);\n\n      // if load was called, but there was no source to fire\n      // sourceset on. We have to watch for a source append\n      // as that can trigger a `sourceset` when the media element\n      // has no source\n      if (!sourcesetLoad(tech)) {\n        tech.triggerSourceset('');\n        firstSourceWatch(tech);\n      }\n      return retval;\n    };\n    if (el.currentSrc) {\n      tech.triggerSourceset(el.currentSrc);\n    } else if (!sourcesetLoad(tech)) {\n      firstSourceWatch(tech);\n    }\n    el.resetSourceset_ = () => {\n      el.resetSourceset_ = null;\n      el.load = oldLoad;\n      el.setAttribute = oldSetAttribute;\n      Object.defineProperty(el, 'src', srcDescriptor);\n      if (el.resetSourceWatch_) {\n        el.resetSourceWatch_();\n      }\n    };\n  };\n\n  /**\n   * @file html5.js\n   */\n\n  /**\n   * HTML5 Media Controller - Wrapper for HTML5 Media API\n   *\n   * @mixes Tech~SourceHandlerAdditions\n   * @extends Tech\n   */\n  class Html5 extends Tech {\n    /**\n    * Create an instance of this Tech.\n    *\n    * @param {Object} [options]\n    *        The key/value store of player options.\n    *\n    * @param {Function} [ready]\n    *        Callback function to call when the `HTML5` Tech is ready.\n    */\n    constructor(options, ready) {\n      super(options, ready);\n      const source = options.source;\n      let crossoriginTracks = false;\n      this.featuresVideoFrameCallback = this.featuresVideoFrameCallback && this.el_.tagName === 'VIDEO';\n\n      // Set the source if one is provided\n      // 1) Check if the source is new (if not, we want to keep the original so playback isn't interrupted)\n      // 2) Check to see if the network state of the tag was failed at init, and if so, reset the source\n      // anyway so the error gets fired.\n      if (source && (this.el_.currentSrc !== source.src || options.tag && options.tag.initNetworkState_ === 3)) {\n        this.setSource(source);\n      } else {\n        this.handleLateInit_(this.el_);\n      }\n\n      // setup sourceset after late sourceset/init\n      if (options.enableSourceset) {\n        this.setupSourcesetHandling_();\n      }\n      this.isScrubbing_ = false;\n      if (this.el_.hasChildNodes()) {\n        const nodes = this.el_.childNodes;\n        let nodesLength = nodes.length;\n        const removeNodes = [];\n        while (nodesLength--) {\n          const node = nodes[nodesLength];\n          const nodeName = node.nodeName.toLowerCase();\n          if (nodeName === 'track') {\n            if (!this.featuresNativeTextTracks) {\n              // Empty video tag tracks so the built-in player doesn't use them also.\n              // This may not be fast enough to stop HTML5 browsers from reading the tags\n              // so we'll need to turn off any default tracks if we're manually doing\n              // captions and subtitles. videoElement.textTracks\n              removeNodes.push(node);\n            } else {\n              // store HTMLTrackElement and TextTrack to remote list\n              this.remoteTextTrackEls().addTrackElement_(node);\n              this.remoteTextTracks().addTrack(node.track);\n              this.textTracks().addTrack(node.track);\n              if (!crossoriginTracks && !this.el_.hasAttribute('crossorigin') && isCrossOrigin(node.src)) {\n                crossoriginTracks = true;\n              }\n            }\n          }\n        }\n        for (let i = 0; i < removeNodes.length; i++) {\n          this.el_.removeChild(removeNodes[i]);\n        }\n      }\n      this.proxyNativeTracks_();\n      if (this.featuresNativeTextTracks && crossoriginTracks) {\n        log$1.warn('Text Tracks are being loaded from another origin but the crossorigin attribute isn\\'t used.\\n' + 'This may prevent text tracks from loading.');\n      }\n\n      // prevent iOS Safari from disabling metadata text tracks during native playback\n      this.restoreMetadataTracksInIOSNativePlayer_();\n\n      // Determine if native controls should be used\n      // Our goal should be to get the custom controls on mobile solid everywhere\n      // so we can remove this all together. Right now this will block custom\n      // controls on touch enabled laptops like the Chrome Pixel\n      if ((TOUCH_ENABLED || IS_IPHONE) && options.nativeControlsForTouch === true) {\n        this.setControls(true);\n      }\n\n      // on iOS, we want to proxy `webkitbeginfullscreen` and `webkitendfullscreen`\n      // into a `fullscreenchange` event\n      this.proxyWebkitFullscreen_();\n      this.triggerReady();\n    }\n\n    /**\n     * Dispose of `HTML5` media element and remove all tracks.\n     */\n    dispose() {\n      if (this.el_ && this.el_.resetSourceset_) {\n        this.el_.resetSourceset_();\n      }\n      Html5.disposeMediaElement(this.el_);\n      this.options_ = null;\n\n      // tech will handle clearing of the emulated track list\n      super.dispose();\n    }\n\n    /**\n     * Modify the media element so that we can detect when\n     * the source is changed. Fires `sourceset` just after the source has changed\n     */\n    setupSourcesetHandling_() {\n      setupSourceset(this);\n    }\n\n    /**\n     * When a captions track is enabled in the iOS Safari native player, all other\n     * tracks are disabled (including metadata tracks), which nulls all of their\n     * associated cue points. This will restore metadata tracks to their pre-fullscreen\n     * state in those cases so that cue points are not needlessly lost.\n     *\n     * @private\n     */\n    restoreMetadataTracksInIOSNativePlayer_() {\n      const textTracks = this.textTracks();\n      let metadataTracksPreFullscreenState;\n\n      // captures a snapshot of every metadata track's current state\n      const takeMetadataTrackSnapshot = () => {\n        metadataTracksPreFullscreenState = [];\n        for (let i = 0; i < textTracks.length; i++) {\n          const track = textTracks[i];\n          if (track.kind === 'metadata') {\n            metadataTracksPreFullscreenState.push({\n              track,\n              storedMode: track.mode\n            });\n          }\n        }\n      };\n\n      // snapshot each metadata track's initial state, and update the snapshot\n      // each time there is a track 'change' event\n      takeMetadataTrackSnapshot();\n      textTracks.addEventListener('change', takeMetadataTrackSnapshot);\n      this.on('dispose', () => textTracks.removeEventListener('change', takeMetadataTrackSnapshot));\n      const restoreTrackMode = () => {\n        for (let i = 0; i < metadataTracksPreFullscreenState.length; i++) {\n          const storedTrack = metadataTracksPreFullscreenState[i];\n          if (storedTrack.track.mode === 'disabled' && storedTrack.track.mode !== storedTrack.storedMode) {\n            storedTrack.track.mode = storedTrack.storedMode;\n          }\n        }\n        // we only want this handler to be executed on the first 'change' event\n        textTracks.removeEventListener('change', restoreTrackMode);\n      };\n\n      // when we enter fullscreen playback, stop updating the snapshot and\n      // restore all track modes to their pre-fullscreen state\n      this.on('webkitbeginfullscreen', () => {\n        textTracks.removeEventListener('change', takeMetadataTrackSnapshot);\n\n        // remove the listener before adding it just in case it wasn't previously removed\n        textTracks.removeEventListener('change', restoreTrackMode);\n        textTracks.addEventListener('change', restoreTrackMode);\n      });\n\n      // start updating the snapshot again after leaving fullscreen\n      this.on('webkitendfullscreen', () => {\n        // remove the listener before adding it just in case it wasn't previously removed\n        textTracks.removeEventListener('change', takeMetadataTrackSnapshot);\n        textTracks.addEventListener('change', takeMetadataTrackSnapshot);\n\n        // remove the restoreTrackMode handler in case it wasn't triggered during fullscreen playback\n        textTracks.removeEventListener('change', restoreTrackMode);\n      });\n    }\n\n    /**\n     * Attempt to force override of tracks for the given type\n     *\n     * @param {string} type - Track type to override, possible values include 'Audio',\n     * 'Video', and 'Text'.\n     * @param {boolean} override - If set to true native audio/video will be overridden,\n     * otherwise native audio/video will potentially be used.\n     * @private\n     */\n    overrideNative_(type, override) {\n      // If there is no behavioral change don't add/remove listeners\n      if (override !== this[`featuresNative${type}Tracks`]) {\n        return;\n      }\n      const lowerCaseType = type.toLowerCase();\n      if (this[`${lowerCaseType}TracksListeners_`]) {\n        Object.keys(this[`${lowerCaseType}TracksListeners_`]).forEach(eventName => {\n          const elTracks = this.el()[`${lowerCaseType}Tracks`];\n          elTracks.removeEventListener(eventName, this[`${lowerCaseType}TracksListeners_`][eventName]);\n        });\n      }\n      this[`featuresNative${type}Tracks`] = !override;\n      this[`${lowerCaseType}TracksListeners_`] = null;\n      this.proxyNativeTracksForType_(lowerCaseType);\n    }\n\n    /**\n     * Attempt to force override of native audio tracks.\n     *\n     * @param {boolean} override - If set to true native audio will be overridden,\n     * otherwise native audio will potentially be used.\n     */\n    overrideNativeAudioTracks(override) {\n      this.overrideNative_('Audio', override);\n    }\n\n    /**\n     * Attempt to force override of native video tracks.\n     *\n     * @param {boolean} override - If set to true native video will be overridden,\n     * otherwise native video will potentially be used.\n     */\n    overrideNativeVideoTracks(override) {\n      this.overrideNative_('Video', override);\n    }\n\n    /**\n     * Proxy native track list events for the given type to our track\n     * lists if the browser we are playing in supports that type of track list.\n     *\n     * @param {string} name - Track type; values include 'audio', 'video', and 'text'\n     * @private\n     */\n    proxyNativeTracksForType_(name) {\n      const props = NORMAL[name];\n      const elTracks = this.el()[props.getterName];\n      const techTracks = this[props.getterName]();\n      if (!this[`featuresNative${props.capitalName}Tracks`] || !elTracks || !elTracks.addEventListener) {\n        return;\n      }\n      const listeners = {\n        change: e => {\n          const event = {\n            type: 'change',\n            target: techTracks,\n            currentTarget: techTracks,\n            srcElement: techTracks\n          };\n          techTracks.trigger(event);\n\n          // if we are a text track change event, we should also notify the\n          // remote text track list. This can potentially cause a false positive\n          // if we were to get a change event on a non-remote track and\n          // we triggered the event on the remote text track list which doesn't\n          // contain that track. However, best practices mean looping through the\n          // list of tracks and searching for the appropriate mode value, so,\n          // this shouldn't pose an issue\n          if (name === 'text') {\n            this[REMOTE.remoteText.getterName]().trigger(event);\n          }\n        },\n        addtrack(e) {\n          techTracks.addTrack(e.track);\n        },\n        removetrack(e) {\n          techTracks.removeTrack(e.track);\n        }\n      };\n      const removeOldTracks = function () {\n        const removeTracks = [];\n        for (let i = 0; i < techTracks.length; i++) {\n          let found = false;\n          for (let j = 0; j < elTracks.length; j++) {\n            if (elTracks[j] === techTracks[i]) {\n              found = true;\n              break;\n            }\n          }\n          if (!found) {\n            removeTracks.push(techTracks[i]);\n          }\n        }\n        while (removeTracks.length) {\n          techTracks.removeTrack(removeTracks.shift());\n        }\n      };\n      this[props.getterName + 'Listeners_'] = listeners;\n      Object.keys(listeners).forEach(eventName => {\n        const listener = listeners[eventName];\n        elTracks.addEventListener(eventName, listener);\n        this.on('dispose', e => elTracks.removeEventListener(eventName, listener));\n      });\n\n      // Remove (native) tracks that are not used anymore\n      this.on('loadstart', removeOldTracks);\n      this.on('dispose', e => this.off('loadstart', removeOldTracks));\n    }\n\n    /**\n     * Proxy all native track list events to our track lists if the browser we are playing\n     * in supports that type of track list.\n     *\n     * @private\n     */\n    proxyNativeTracks_() {\n      NORMAL.names.forEach(name => {\n        this.proxyNativeTracksForType_(name);\n      });\n    }\n\n    /**\n     * Create the `Html5` Tech's DOM element.\n     *\n     * @return {Element}\n     *         The element that gets created.\n     */\n    createEl() {\n      let el = this.options_.tag;\n\n      // Check if this browser supports moving the element into the box.\n      // On the iPhone video will break if you move the element,\n      // So we have to create a brand new element.\n      // If we ingested the player div, we do not need to move the media element.\n      if (!el || !(this.options_.playerElIngest || this.movingMediaElementInDOM)) {\n        // If the original tag is still there, clone and remove it.\n        if (el) {\n          const clone = el.cloneNode(true);\n          if (el.parentNode) {\n            el.parentNode.insertBefore(clone, el);\n          }\n          Html5.disposeMediaElement(el);\n          el = clone;\n        } else {\n          el = document.createElement('video');\n\n          // determine if native controls should be used\n          const tagAttributes = this.options_.tag && getAttributes(this.options_.tag);\n          const attributes = merge$2({}, tagAttributes);\n          if (!TOUCH_ENABLED || this.options_.nativeControlsForTouch !== true) {\n            delete attributes.controls;\n          }\n          setAttributes(el, Object.assign(attributes, {\n            id: this.options_.techId,\n            class: 'vjs-tech'\n          }));\n        }\n        el.playerId = this.options_.playerId;\n      }\n      if (typeof this.options_.preload !== 'undefined') {\n        setAttribute(el, 'preload', this.options_.preload);\n      }\n      if (this.options_.disablePictureInPicture !== undefined) {\n        el.disablePictureInPicture = this.options_.disablePictureInPicture;\n      }\n\n      // Update specific tag settings, in case they were overridden\n      // `autoplay` has to be *last* so that `muted` and `playsinline` are present\n      // when iOS/Safari or other browsers attempt to autoplay.\n      const settingsAttrs = ['loop', 'muted', 'playsinline', 'autoplay'];\n      for (let i = 0; i < settingsAttrs.length; i++) {\n        const attr = settingsAttrs[i];\n        const value = this.options_[attr];\n        if (typeof value !== 'undefined') {\n          if (value) {\n            setAttribute(el, attr, attr);\n          } else {\n            removeAttribute(el, attr);\n          }\n          el[attr] = value;\n        }\n      }\n      return el;\n    }\n\n    /**\n     * This will be triggered if the loadstart event has already fired, before videojs was\n     * ready. Two known examples of when this can happen are:\n     * 1. If we're loading the playback object after it has started loading\n     * 2. The media is already playing the (often with autoplay on) then\n     *\n     * This function will fire another loadstart so that videojs can catchup.\n     *\n     * @fires Tech#loadstart\n     *\n     * @return {undefined}\n     *         returns nothing.\n     */\n    handleLateInit_(el) {\n      if (el.networkState === 0 || el.networkState === 3) {\n        // The video element hasn't started loading the source yet\n        // or didn't find a source\n        return;\n      }\n      if (el.readyState === 0) {\n        // NetworkState is set synchronously BUT loadstart is fired at the\n        // end of the current stack, usually before setInterval(fn, 0).\n        // So at this point we know loadstart may have already fired or is\n        // about to fire, and either way the player hasn't seen it yet.\n        // We don't want to fire loadstart prematurely here and cause a\n        // double loadstart so we'll wait and see if it happens between now\n        // and the next loop, and fire it if not.\n        // HOWEVER, we also want to make sure it fires before loadedmetadata\n        // which could also happen between now and the next loop, so we'll\n        // watch for that also.\n        let loadstartFired = false;\n        const setLoadstartFired = function () {\n          loadstartFired = true;\n        };\n        this.on('loadstart', setLoadstartFired);\n        const triggerLoadstart = function () {\n          // We did miss the original loadstart. Make sure the player\n          // sees loadstart before loadedmetadata\n          if (!loadstartFired) {\n            this.trigger('loadstart');\n          }\n        };\n        this.on('loadedmetadata', triggerLoadstart);\n        this.ready(function () {\n          this.off('loadstart', setLoadstartFired);\n          this.off('loadedmetadata', triggerLoadstart);\n          if (!loadstartFired) {\n            // We did miss the original native loadstart. Fire it now.\n            this.trigger('loadstart');\n          }\n        });\n        return;\n      }\n\n      // From here on we know that loadstart already fired and we missed it.\n      // The other readyState events aren't as much of a problem if we double\n      // them, so not going to go to as much trouble as loadstart to prevent\n      // that unless we find reason to.\n      const eventsToTrigger = ['loadstart'];\n\n      // loadedmetadata: newly equal to HAVE_METADATA (1) or greater\n      eventsToTrigger.push('loadedmetadata');\n\n      // loadeddata: newly increased to HAVE_CURRENT_DATA (2) or greater\n      if (el.readyState >= 2) {\n        eventsToTrigger.push('loadeddata');\n      }\n\n      // canplay: newly increased to HAVE_FUTURE_DATA (3) or greater\n      if (el.readyState >= 3) {\n        eventsToTrigger.push('canplay');\n      }\n\n      // canplaythrough: newly equal to HAVE_ENOUGH_DATA (4)\n      if (el.readyState >= 4) {\n        eventsToTrigger.push('canplaythrough');\n      }\n\n      // We still need to give the player time to add event listeners\n      this.ready(function () {\n        eventsToTrigger.forEach(function (type) {\n          this.trigger(type);\n        }, this);\n      });\n    }\n\n    /**\n     * Set whether we are scrubbing or not.\n     * This is used to decide whether we should use `fastSeek` or not.\n     * `fastSeek` is used to provide trick play on Safari browsers.\n     *\n     * @param {boolean} isScrubbing\n     *                  - true for we are currently scrubbing\n     *                  - false for we are no longer scrubbing\n     */\n    setScrubbing(isScrubbing) {\n      this.isScrubbing_ = isScrubbing;\n    }\n\n    /**\n     * Get whether we are scrubbing or not.\n     *\n     * @return {boolean} isScrubbing\n     *                  - true for we are currently scrubbing\n     *                  - false for we are no longer scrubbing\n     */\n    scrubbing() {\n      return this.isScrubbing_;\n    }\n\n    /**\n     * Set current time for the `HTML5` tech.\n     *\n     * @param {number} seconds\n     *        Set the current time of the media to this.\n     */\n    setCurrentTime(seconds) {\n      try {\n        if (this.isScrubbing_ && this.el_.fastSeek && IS_ANY_SAFARI) {\n          this.el_.fastSeek(seconds);\n        } else {\n          this.el_.currentTime = seconds;\n        }\n      } catch (e) {\n        log$1(e, 'Video is not ready. (Video.js)');\n        // this.warning(VideoJS.warnings.videoNotReady);\n      }\n    }\n\n    /**\n     * Get the current duration of the HTML5 media element.\n     *\n     * @return {number}\n     *         The duration of the media or 0 if there is no duration.\n     */\n    duration() {\n      // Android Chrome will report duration as Infinity for VOD HLS until after\n      // playback has started, which triggers the live display erroneously.\n      // Return NaN if playback has not started and trigger a durationupdate once\n      // the duration can be reliably known.\n      if (this.el_.duration === Infinity && IS_ANDROID && IS_CHROME && this.el_.currentTime === 0) {\n        // Wait for the first `timeupdate` with currentTime > 0 - there may be\n        // several with 0\n        const checkProgress = () => {\n          if (this.el_.currentTime > 0) {\n            // Trigger durationchange for genuinely live video\n            if (this.el_.duration === Infinity) {\n              this.trigger('durationchange');\n            }\n            this.off('timeupdate', checkProgress);\n          }\n        };\n        this.on('timeupdate', checkProgress);\n        return NaN;\n      }\n      return this.el_.duration || NaN;\n    }\n\n    /**\n     * Get the current width of the HTML5 media element.\n     *\n     * @return {number}\n     *         The width of the HTML5 media element.\n     */\n    width() {\n      return this.el_.offsetWidth;\n    }\n\n    /**\n     * Get the current height of the HTML5 media element.\n     *\n     * @return {number}\n     *         The height of the HTML5 media element.\n     */\n    height() {\n      return this.el_.offsetHeight;\n    }\n\n    /**\n     * Proxy iOS `webkitbeginfullscreen` and `webkitendfullscreen` into\n     * `fullscreenchange` event.\n     *\n     * @private\n     * @fires fullscreenchange\n     * @listens webkitendfullscreen\n     * @listens webkitbeginfullscreen\n     * @listens webkitbeginfullscreen\n     */\n    proxyWebkitFullscreen_() {\n      if (!('webkitDisplayingFullscreen' in this.el_)) {\n        return;\n      }\n      const endFn = function () {\n        this.trigger('fullscreenchange', {\n          isFullscreen: false\n        });\n        // Safari will sometimes set controls on the videoelement when existing fullscreen.\n        if (this.el_.controls && !this.options_.nativeControlsForTouch && this.controls()) {\n          this.el_.controls = false;\n        }\n      };\n      const beginFn = function () {\n        if ('webkitPresentationMode' in this.el_ && this.el_.webkitPresentationMode !== 'picture-in-picture') {\n          this.one('webkitendfullscreen', endFn);\n          this.trigger('fullscreenchange', {\n            isFullscreen: true,\n            // set a flag in case another tech triggers fullscreenchange\n            nativeIOSFullscreen: true\n          });\n        }\n      };\n      this.on('webkitbeginfullscreen', beginFn);\n      this.on('dispose', () => {\n        this.off('webkitbeginfullscreen', beginFn);\n        this.off('webkitendfullscreen', endFn);\n      });\n    }\n\n    /**\n     * Check if fullscreen is supported on the video el.\n     *\n     * @return {boolean}\n     *         - True if fullscreen is supported.\n     *         - False if fullscreen is not supported.\n     */\n    supportsFullScreen() {\n      return typeof this.el_.webkitEnterFullScreen === 'function';\n    }\n\n    /**\n     * Request that the `HTML5` Tech enter fullscreen.\n     */\n    enterFullScreen() {\n      const video = this.el_;\n      if (video.paused && video.networkState <= video.HAVE_METADATA) {\n        // attempt to prime the video element for programmatic access\n        // this isn't necessary on the desktop but shouldn't hurt\n        silencePromise(this.el_.play());\n\n        // playing and pausing synchronously during the transition to fullscreen\n        // can get iOS ~6.1 devices into a play/pause loop\n        this.setTimeout(function () {\n          video.pause();\n          try {\n            video.webkitEnterFullScreen();\n          } catch (e) {\n            this.trigger('fullscreenerror', e);\n          }\n        }, 0);\n      } else {\n        try {\n          video.webkitEnterFullScreen();\n        } catch (e) {\n          this.trigger('fullscreenerror', e);\n        }\n      }\n    }\n\n    /**\n     * Request that the `HTML5` Tech exit fullscreen.\n     */\n    exitFullScreen() {\n      if (!this.el_.webkitDisplayingFullscreen) {\n        this.trigger('fullscreenerror', new Error('The video is not fullscreen'));\n        return;\n      }\n      this.el_.webkitExitFullScreen();\n    }\n\n    /**\n     * Create a floating video window always on top of other windows so that users may\n     * continue consuming media while they interact with other content sites, or\n     * applications on their device.\n     *\n     * @see [Spec]{@link https://wicg.github.io/picture-in-picture}\n     *\n     * @return {Promise}\n     *         A promise with a Picture-in-Picture window.\n     */\n    requestPictureInPicture() {\n      return this.el_.requestPictureInPicture();\n    }\n\n    /**\n     * Native requestVideoFrameCallback if supported by browser/tech, or fallback\n     * Don't use rVCF on Safari when DRM is playing, as it doesn't fire\n     * Needs to be checked later than the constructor\n     * This will be a false positive for clear sources loaded after a Fairplay source\n     *\n     * @param {function} cb function to call\n     * @return {number} id of request\n     */\n    requestVideoFrameCallback(cb) {\n      if (this.featuresVideoFrameCallback && !this.el_.webkitKeys) {\n        return this.el_.requestVideoFrameCallback(cb);\n      }\n      return super.requestVideoFrameCallback(cb);\n    }\n\n    /**\n     * Native or fallback requestVideoFrameCallback\n     *\n     * @param {number} id request id to cancel\n     */\n    cancelVideoFrameCallback(id) {\n      if (this.featuresVideoFrameCallback && !this.el_.webkitKeys) {\n        this.el_.cancelVideoFrameCallback(id);\n      } else {\n        super.cancelVideoFrameCallback(id);\n      }\n    }\n\n    /**\n     * A getter/setter for the `Html5` Tech's source object.\n     * > Note: Please use {@link Html5#setSource}\n     *\n     * @param {Tech~SourceObject} [src]\n     *        The source object you want to set on the `HTML5` techs element.\n     *\n     * @return {Tech~SourceObject|undefined}\n     *         - The current source object when a source is not passed in.\n     *         - undefined when setting\n     *\n     * @deprecated Since version 5.\n     */\n    src(src) {\n      if (src === undefined) {\n        return this.el_.src;\n      }\n\n      // Setting src through `src` instead of `setSrc` will be deprecated\n      this.setSrc(src);\n    }\n\n    /**\n     * Add a <source> element to the <video> element.\n     *\n     * @param {string} srcUrl\n     *        The URL of the video source.\n     *\n     * @param {string} [mimeType]\n     *        The MIME type of the video source. Optional but recommended.\n     *\n     * @return {boolean}\n     *         Returns true if the source element was successfully added, false otherwise.\n     */\n    addSourceElement(srcUrl, mimeType) {\n      if (!srcUrl) {\n        log$1.error('Invalid source URL.');\n        return false;\n      }\n      const sourceAttributes = {\n        src: srcUrl\n      };\n      if (mimeType) {\n        sourceAttributes.type = mimeType;\n      }\n      const sourceElement = createEl('source', {}, sourceAttributes);\n      this.el_.appendChild(sourceElement);\n      return true;\n    }\n\n    /**\n     * Remove a <source> element from the <video> element by its URL.\n     *\n     * @param {string} srcUrl\n     *        The URL of the source to remove.\n     *\n     * @return {boolean}\n     *         Returns true if the source element was successfully removed, false otherwise.\n     */\n    removeSourceElement(srcUrl) {\n      if (!srcUrl) {\n        log$1.error('Source URL is required to remove the source element.');\n        return false;\n      }\n      const sourceElements = this.el_.querySelectorAll('source');\n      for (const sourceElement of sourceElements) {\n        if (sourceElement.src === srcUrl) {\n          this.el_.removeChild(sourceElement);\n          return true;\n        }\n      }\n      log$1.warn(`No matching source element found with src: ${srcUrl}`);\n      return false;\n    }\n\n    /**\n     * Reset the tech by removing all sources and then calling\n     * {@link Html5.resetMediaElement}.\n     */\n    reset() {\n      Html5.resetMediaElement(this.el_);\n    }\n\n    /**\n     * Get the current source on the `HTML5` Tech. Falls back to returning the source from\n     * the HTML5 media element.\n     *\n     * @return {Tech~SourceObject}\n     *         The current source object from the HTML5 tech. With a fallback to the\n     *         elements source.\n     */\n    currentSrc() {\n      if (this.currentSource_) {\n        return this.currentSource_.src;\n      }\n      return this.el_.currentSrc;\n    }\n\n    /**\n     * Set controls attribute for the HTML5 media Element.\n     *\n     * @param {string} val\n     *        Value to set the controls attribute to\n     */\n    setControls(val) {\n      this.el_.controls = !!val;\n    }\n\n    /**\n     * Create and returns a remote {@link TextTrack} object.\n     *\n     * @param {string} kind\n     *        `TextTrack` kind (subtitles, captions, descriptions, chapters, or metadata)\n     *\n     * @param {string} [label]\n     *        Label to identify the text track\n     *\n     * @param {string} [language]\n     *        Two letter language abbreviation\n     *\n     * @return {TextTrack}\n     *         The TextTrack that gets created.\n     */\n    addTextTrack(kind, label, language) {\n      if (!this.featuresNativeTextTracks) {\n        return super.addTextTrack(kind, label, language);\n      }\n      return this.el_.addTextTrack(kind, label, language);\n    }\n\n    /**\n     * Creates either native TextTrack or an emulated TextTrack depending\n     * on the value of `featuresNativeTextTracks`\n     *\n     * @param {Object} options\n     *        The object should contain the options to initialize the TextTrack with.\n     *\n     * @param {string} [options.kind]\n     *        `TextTrack` kind (subtitles, captions, descriptions, chapters, or metadata).\n     *\n     * @param {string} [options.label]\n     *        Label to identify the text track\n     *\n     * @param {string} [options.language]\n     *        Two letter language abbreviation.\n     *\n     * @param {boolean} [options.default]\n     *        Default this track to on.\n     *\n     * @param {string} [options.id]\n     *        The internal id to assign this track.\n     *\n     * @param {string} [options.src]\n     *        A source url for the track.\n     *\n     * @return {HTMLTrackElement}\n     *         The track element that gets created.\n     */\n    createRemoteTextTrack(options) {\n      if (!this.featuresNativeTextTracks) {\n        return super.createRemoteTextTrack(options);\n      }\n      const htmlTrackElement = document.createElement('track');\n      if (options.kind) {\n        htmlTrackElement.kind = options.kind;\n      }\n      if (options.label) {\n        htmlTrackElement.label = options.label;\n      }\n      if (options.language || options.srclang) {\n        htmlTrackElement.srclang = options.language || options.srclang;\n      }\n      if (options.default) {\n        htmlTrackElement.default = options.default;\n      }\n      if (options.id) {\n        htmlTrackElement.id = options.id;\n      }\n      if (options.src) {\n        htmlTrackElement.src = options.src;\n      }\n      return htmlTrackElement;\n    }\n\n    /**\n     * Creates a remote text track object and returns an html track element.\n     *\n     * @param {Object} options The object should contain values for\n     * kind, language, label, and src (location of the WebVTT file)\n     * @param {boolean} [manualCleanup=false] if set to true, the TextTrack\n     * will not be removed from the TextTrackList and HtmlTrackElementList\n     * after a source change\n     * @return {HTMLTrackElement} An Html Track Element.\n     * This can be an emulated {@link HTMLTrackElement} or a native one.\n     *\n     */\n    addRemoteTextTrack(options, manualCleanup) {\n      const htmlTrackElement = super.addRemoteTextTrack(options, manualCleanup);\n      if (this.featuresNativeTextTracks) {\n        this.el().appendChild(htmlTrackElement);\n      }\n      return htmlTrackElement;\n    }\n\n    /**\n     * Remove remote `TextTrack` from `TextTrackList` object\n     *\n     * @param {TextTrack} track\n     *        `TextTrack` object to remove\n     */\n    removeRemoteTextTrack(track) {\n      super.removeRemoteTextTrack(track);\n      if (this.featuresNativeTextTracks) {\n        const tracks = this.$$('track');\n        let i = tracks.length;\n        while (i--) {\n          if (track === tracks[i] || track === tracks[i].track) {\n            this.el().removeChild(tracks[i]);\n          }\n        }\n      }\n    }\n\n    /**\n     * Gets available media playback quality metrics as specified by the W3C's Media\n     * Playback Quality API.\n     *\n     * @see [Spec]{@link https://wicg.github.io/media-playback-quality}\n     *\n     * @return {Object}\n     *         An object with supported media playback quality metrics\n     */\n    getVideoPlaybackQuality() {\n      if (typeof this.el().getVideoPlaybackQuality === 'function') {\n        return this.el().getVideoPlaybackQuality();\n      }\n      const videoPlaybackQuality = {};\n      if (typeof this.el().webkitDroppedFrameCount !== 'undefined' && typeof this.el().webkitDecodedFrameCount !== 'undefined') {\n        videoPlaybackQuality.droppedVideoFrames = this.el().webkitDroppedFrameCount;\n        videoPlaybackQuality.totalVideoFrames = this.el().webkitDecodedFrameCount;\n      }\n      if (window.performance) {\n        videoPlaybackQuality.creationTime = window.performance.now();\n      }\n      return videoPlaybackQuality;\n    }\n  }\n\n  /* HTML5 Support Testing ---------------------------------------------------- */\n\n  /**\n   * Element for testing browser HTML5 media capabilities\n   *\n   * @type {Element}\n   * @constant\n   * @private\n   */\n  defineLazyProperty(Html5, 'TEST_VID', function () {\n    if (!isReal()) {\n      return;\n    }\n    const video = document.createElement('video');\n    const track = document.createElement('track');\n    track.kind = 'captions';\n    track.srclang = 'en';\n    track.label = 'English';\n    video.appendChild(track);\n    return video;\n  });\n\n  /**\n   * Check if HTML5 media is supported by this browser/device.\n   *\n   * @return {boolean}\n   *         - True if HTML5 media is supported.\n   *         - False if HTML5 media is not supported.\n   */\n  Html5.isSupported = function () {\n    // IE with no Media Player is a LIAR! (#984)\n    try {\n      Html5.TEST_VID.volume = 0.5;\n    } catch (e) {\n      return false;\n    }\n    return !!(Html5.TEST_VID && Html5.TEST_VID.canPlayType);\n  };\n\n  /**\n   * Check if the tech can support the given type\n   *\n   * @param {string} type\n   *        The mimetype to check\n   * @return {string} 'probably', 'maybe', or '' (empty string)\n   */\n  Html5.canPlayType = function (type) {\n    return Html5.TEST_VID.canPlayType(type);\n  };\n\n  /**\n   * Check if the tech can support the given source\n   *\n   * @param {Object} srcObj\n   *        The source object\n   * @param {Object} options\n   *        The options passed to the tech\n   * @return {string} 'probably', 'maybe', or '' (empty string)\n   */\n  Html5.canPlaySource = function (srcObj, options) {\n    return Html5.canPlayType(srcObj.type);\n  };\n\n  /**\n   * Check if the volume can be changed in this browser/device.\n   * Volume cannot be changed in a lot of mobile devices.\n   * Specifically, it can't be changed from 1 on iOS.\n   *\n   * @return {boolean}\n   *         - True if volume can be controlled\n   *         - False otherwise\n   */\n  Html5.canControlVolume = function () {\n    // IE will error if Windows Media Player not installed #3315\n    try {\n      const volume = Html5.TEST_VID.volume;\n      Html5.TEST_VID.volume = volume / 2 + 0.1;\n      const canControl = volume !== Html5.TEST_VID.volume;\n\n      // With the introduction of iOS 15, there are cases where the volume is read as\n      // changed but reverts back to its original state at the start of the next tick.\n      // To determine whether volume can be controlled on iOS,\n      // a timeout is set and the volume is checked asynchronously.\n      // Since `features` doesn't currently work asynchronously, the value is manually set.\n      if (canControl && IS_IOS) {\n        window.setTimeout(() => {\n          if (Html5 && Html5.prototype) {\n            Html5.prototype.featuresVolumeControl = volume !== Html5.TEST_VID.volume;\n          }\n        });\n\n        // default iOS to false, which will be updated in the timeout above.\n        return false;\n      }\n      return canControl;\n    } catch (e) {\n      return false;\n    }\n  };\n\n  /**\n   * Check if the volume can be muted in this browser/device.\n   * Some devices, e.g. iOS, don't allow changing volume\n   * but permits muting/unmuting.\n   *\n   * @return {boolean}\n   *      - True if volume can be muted\n   *      - False otherwise\n   */\n  Html5.canMuteVolume = function () {\n    try {\n      const muted = Html5.TEST_VID.muted;\n\n      // in some versions of iOS muted property doesn't always\n      // work, so we want to set both property and attribute\n      Html5.TEST_VID.muted = !muted;\n      if (Html5.TEST_VID.muted) {\n        setAttribute(Html5.TEST_VID, 'muted', 'muted');\n      } else {\n        removeAttribute(Html5.TEST_VID, 'muted', 'muted');\n      }\n      return muted !== Html5.TEST_VID.muted;\n    } catch (e) {\n      return false;\n    }\n  };\n\n  /**\n   * Check if the playback rate can be changed in this browser/device.\n   *\n   * @return {boolean}\n   *         - True if playback rate can be controlled\n   *         - False otherwise\n   */\n  Html5.canControlPlaybackRate = function () {\n    // Playback rate API is implemented in Android Chrome, but doesn't do anything\n    // https://github.com/videojs/video.js/issues/3180\n    if (IS_ANDROID && IS_CHROME && CHROME_VERSION < 58) {\n      return false;\n    }\n    // IE will error if Windows Media Player not installed #3315\n    try {\n      const playbackRate = Html5.TEST_VID.playbackRate;\n      Html5.TEST_VID.playbackRate = playbackRate / 2 + 0.1;\n      return playbackRate !== Html5.TEST_VID.playbackRate;\n    } catch (e) {\n      return false;\n    }\n  };\n\n  /**\n   * Check if we can override a video/audio elements attributes, with\n   * Object.defineProperty.\n   *\n   * @return {boolean}\n   *         - True if builtin attributes can be overridden\n   *         - False otherwise\n   */\n  Html5.canOverrideAttributes = function () {\n    // if we cannot overwrite the src/innerHTML property, there is no support\n    // iOS 7 safari for instance cannot do this.\n    try {\n      const noop = () => {};\n      Object.defineProperty(document.createElement('video'), 'src', {\n        get: noop,\n        set: noop\n      });\n      Object.defineProperty(document.createElement('audio'), 'src', {\n        get: noop,\n        set: noop\n      });\n      Object.defineProperty(document.createElement('video'), 'innerHTML', {\n        get: noop,\n        set: noop\n      });\n      Object.defineProperty(document.createElement('audio'), 'innerHTML', {\n        get: noop,\n        set: noop\n      });\n    } catch (e) {\n      return false;\n    }\n    return true;\n  };\n\n  /**\n   * Check to see if native `TextTrack`s are supported by this browser/device.\n   *\n   * @return {boolean}\n   *         - True if native `TextTrack`s are supported.\n   *         - False otherwise\n   */\n  Html5.supportsNativeTextTracks = function () {\n    return IS_ANY_SAFARI || IS_IOS && IS_CHROME;\n  };\n\n  /**\n   * Check to see if native `VideoTrack`s are supported by this browser/device\n   *\n   * @return {boolean}\n   *        - True if native `VideoTrack`s are supported.\n   *        - False otherwise\n   */\n  Html5.supportsNativeVideoTracks = function () {\n    return !!(Html5.TEST_VID && Html5.TEST_VID.videoTracks);\n  };\n\n  /**\n   * Check to see if native `AudioTrack`s are supported by this browser/device\n   *\n   * @return {boolean}\n   *        - True if native `AudioTrack`s are supported.\n   *        - False otherwise\n   */\n  Html5.supportsNativeAudioTracks = function () {\n    return !!(Html5.TEST_VID && Html5.TEST_VID.audioTracks);\n  };\n\n  /**\n   * An array of events available on the Html5 tech.\n   *\n   * @private\n   * @type {Array}\n   */\n  Html5.Events = ['loadstart', 'suspend', 'abort', 'error', 'emptied', 'stalled', 'loadedmetadata', 'loadeddata', 'canplay', 'canplaythrough', 'playing', 'waiting', 'seeking', 'seeked', 'ended', 'durationchange', 'timeupdate', 'progress', 'play', 'pause', 'ratechange', 'resize', 'volumechange'];\n\n  /**\n   * Boolean indicating whether the `Tech` supports volume control.\n   *\n   * @type {boolean}\n   * @default {@link Html5.canControlVolume}\n   */\n  /**\n   * Boolean indicating whether the `Tech` supports muting volume.\n   *\n   * @type {boolean}\n   * @default {@link Html5.canMuteVolume}\n   */\n\n  /**\n   * Boolean indicating whether the `Tech` supports changing the speed at which the media\n   * plays. Examples:\n   *   - Set player to play 2x (twice) as fast\n   *   - Set player to play 0.5x (half) as fast\n   *\n   * @type {boolean}\n   * @default {@link Html5.canControlPlaybackRate}\n   */\n\n  /**\n   * Boolean indicating whether the `Tech` supports the `sourceset` event.\n   *\n   * @type {boolean}\n   * @default\n   */\n  /**\n   * Boolean indicating whether the `HTML5` tech currently supports native `TextTrack`s.\n   *\n   * @type {boolean}\n   * @default {@link Html5.supportsNativeTextTracks}\n   */\n  /**\n   * Boolean indicating whether the `HTML5` tech currently supports native `VideoTrack`s.\n   *\n   * @type {boolean}\n   * @default {@link Html5.supportsNativeVideoTracks}\n   */\n  /**\n   * Boolean indicating whether the `HTML5` tech currently supports native `AudioTrack`s.\n   *\n   * @type {boolean}\n   * @default {@link Html5.supportsNativeAudioTracks}\n   */\n  [['featuresMuteControl', 'canMuteVolume'], ['featuresPlaybackRate', 'canControlPlaybackRate'], ['featuresSourceset', 'canOverrideAttributes'], ['featuresNativeTextTracks', 'supportsNativeTextTracks'], ['featuresNativeVideoTracks', 'supportsNativeVideoTracks'], ['featuresNativeAudioTracks', 'supportsNativeAudioTracks']].forEach(function ([key, fn]) {\n    defineLazyProperty(Html5.prototype, key, () => Html5[fn](), true);\n  });\n  Html5.prototype.featuresVolumeControl = Html5.canControlVolume();\n\n  /**\n   * Boolean indicating whether the `HTML5` tech currently supports the media element\n   * moving in the DOM. iOS breaks if you move the media element, so this is set this to\n   * false there. Everywhere else this should be true.\n   *\n   * @type {boolean}\n   * @default\n   */\n  Html5.prototype.movingMediaElementInDOM = !IS_IOS;\n\n  // TODO: Previous comment: No longer appears to be used. Can probably be removed.\n  //       Is this true?\n  /**\n   * Boolean indicating whether the `HTML5` tech currently supports automatic media resize\n   * when going into fullscreen.\n   *\n   * @type {boolean}\n   * @default\n   */\n  Html5.prototype.featuresFullscreenResize = true;\n\n  /**\n   * Boolean indicating whether the `HTML5` tech currently supports the progress event.\n   * If this is false, manual `progress` events will be triggered instead.\n   *\n   * @type {boolean}\n   * @default\n   */\n  Html5.prototype.featuresProgressEvents = true;\n\n  /**\n   * Boolean indicating whether the `HTML5` tech currently supports the timeupdate event.\n   * If this is false, manual `timeupdate` events will be triggered instead.\n   *\n   * @default\n   */\n  Html5.prototype.featuresTimeupdateEvents = true;\n\n  /**\n   * Whether the HTML5 el supports `requestVideoFrameCallback`\n   *\n   * @type {boolean}\n   */\n  Html5.prototype.featuresVideoFrameCallback = !!(Html5.TEST_VID && Html5.TEST_VID.requestVideoFrameCallback);\n  Html5.disposeMediaElement = function (el) {\n    if (!el) {\n      return;\n    }\n    if (el.parentNode) {\n      el.parentNode.removeChild(el);\n    }\n\n    // remove any child track or source nodes to prevent their loading\n    while (el.hasChildNodes()) {\n      el.removeChild(el.firstChild);\n    }\n\n    // remove any src reference. not setting `src=''` because that causes a warning\n    // in firefox\n    el.removeAttribute('src');\n\n    // force the media element to update its loading state by calling load()\n    // however IE on Windows 7N has a bug that throws an error so need a try/catch (#793)\n    if (typeof el.load === 'function') {\n      // wrapping in an iife so it's not deoptimized (#1060#discussion_r10324473)\n      (function () {\n        try {\n          el.load();\n        } catch (e) {\n          // not supported\n        }\n      })();\n    }\n  };\n  Html5.resetMediaElement = function (el) {\n    if (!el) {\n      return;\n    }\n    const sources = el.querySelectorAll('source');\n    let i = sources.length;\n    while (i--) {\n      el.removeChild(sources[i]);\n    }\n\n    // remove any src reference.\n    // not setting `src=''` because that throws an error\n    el.removeAttribute('src');\n    if (typeof el.load === 'function') {\n      // wrapping in an iife so it's not deoptimized (#1060#discussion_r10324473)\n      (function () {\n        try {\n          el.load();\n        } catch (e) {\n          // satisfy linter\n        }\n      })();\n    }\n  };\n\n  /* Native HTML5 element property wrapping ----------------------------------- */\n  // Wrap native boolean attributes with getters that check both property and attribute\n  // The list is as followed:\n  // muted, defaultMuted, autoplay, controls, loop, playsinline\n  [\n  /**\n   * Get the value of `muted` from the media element. `muted` indicates\n   * that the volume for the media should be set to silent. This does not actually change\n   * the `volume` attribute.\n   *\n   * @method Html5#muted\n   * @return {boolean}\n   *         - True if the value of `volume` should be ignored and the audio set to silent.\n   *         - False if the value of `volume` should be used.\n   *\n   * @see [Spec]{@link https://www.w3.org/TR/html5/embedded-content-0.html#dom-media-muted}\n   */\n  'muted',\n  /**\n   * Get the value of `defaultMuted` from the media element. `defaultMuted` indicates\n   * whether the media should start muted or not. Only changes the default state of the\n   * media. `muted` and `defaultMuted` can have different values. {@link Html5#muted} indicates the\n   * current state.\n   *\n   * @method Html5#defaultMuted\n   * @return {boolean}\n   *         - The value of `defaultMuted` from the media element.\n   *         - True indicates that the media should start muted.\n   *         - False indicates that the media should not start muted\n   *\n   * @see [Spec]{@link https://www.w3.org/TR/html5/embedded-content-0.html#dom-media-defaultmuted}\n   */\n  'defaultMuted',\n  /**\n   * Get the value of `autoplay` from the media element. `autoplay` indicates\n   * that the media should start to play as soon as the page is ready.\n   *\n   * @method Html5#autoplay\n   * @return {boolean}\n   *         - The value of `autoplay` from the media element.\n   *         - True indicates that the media should start as soon as the page loads.\n   *         - False indicates that the media should not start as soon as the page loads.\n   *\n   * @see [Spec]{@link https://www.w3.org/TR/html5/embedded-content-0.html#attr-media-autoplay}\n   */\n  'autoplay',\n  /**\n   * Get the value of `controls` from the media element. `controls` indicates\n   * whether the native media controls should be shown or hidden.\n   *\n   * @method Html5#controls\n   * @return {boolean}\n   *         - The value of `controls` from the media element.\n   *         - True indicates that native controls should be showing.\n   *         - False indicates that native controls should be hidden.\n   *\n   * @see [Spec]{@link https://www.w3.org/TR/html5/embedded-content-0.html#attr-media-controls}\n   */\n  'controls',\n  /**\n   * Get the value of `loop` from the media element. `loop` indicates\n   * that the media should return to the start of the media and continue playing once\n   * it reaches the end.\n   *\n   * @method Html5#loop\n   * @return {boolean}\n   *         - The value of `loop` from the media element.\n   *         - True indicates that playback should seek back to start once\n   *           the end of a media is reached.\n   *         - False indicates that playback should not loop back to the start when the\n   *           end of the media is reached.\n   *\n   * @see [Spec]{@link https://www.w3.org/TR/html5/embedded-content-0.html#attr-media-loop}\n   */\n  'loop',\n  /**\n   * Get the value of `playsinline` from the media element. `playsinline` indicates\n   * to the browser that non-fullscreen playback is preferred when fullscreen\n   * playback is the native default, such as in iOS Safari.\n   *\n   * @method Html5#playsinline\n   * @return {boolean}\n   *         - The value of `playsinline` from the media element.\n   *         - True indicates that the media should play inline.\n   *         - False indicates that the media should not play inline.\n   *\n   * @see [Spec]{@link https://html.spec.whatwg.org/#attr-video-playsinline}\n   */\n  'playsinline'].forEach(function (prop) {\n    Html5.prototype[prop] = function () {\n      return this.el_[prop] || this.el_.hasAttribute(prop);\n    };\n  });\n\n  // Wrap native boolean attributes with setters that set both property and attribute\n  // The list is as followed:\n  // setMuted, setDefaultMuted, setAutoplay, setLoop, setPlaysinline\n  // setControls is special-cased above\n  [\n  /**\n   * Set the value of `muted` on the media element. `muted` indicates that the current\n   * audio level should be silent.\n   *\n   * @method Html5#setMuted\n   * @param {boolean} muted\n   *        - True if the audio should be set to silent\n   *        - False otherwise\n   *\n   * @see [Spec]{@link https://www.w3.org/TR/html5/embedded-content-0.html#dom-media-muted}\n   */\n  'muted',\n  /**\n   * Set the value of `defaultMuted` on the media element. `defaultMuted` indicates that the current\n   * audio level should be silent, but will only effect the muted level on initial playback..\n   *\n   * @method Html5.prototype.setDefaultMuted\n   * @param {boolean} defaultMuted\n   *        - True if the audio should be set to silent\n   *        - False otherwise\n   *\n   * @see [Spec]{@link https://www.w3.org/TR/html5/embedded-content-0.html#dom-media-defaultmuted}\n   */\n  'defaultMuted',\n  /**\n   * Set the value of `autoplay` on the media element. `autoplay` indicates\n   * that the media should start to play as soon as the page is ready.\n   *\n   * @method Html5#setAutoplay\n   * @param {boolean} autoplay\n   *         - True indicates that the media should start as soon as the page loads.\n   *         - False indicates that the media should not start as soon as the page loads.\n   *\n   * @see [Spec]{@link https://www.w3.org/TR/html5/embedded-content-0.html#attr-media-autoplay}\n   */\n  'autoplay',\n  /**\n   * Set the value of `loop` on the media element. `loop` indicates\n   * that the media should return to the start of the media and continue playing once\n   * it reaches the end.\n   *\n   * @method Html5#setLoop\n   * @param {boolean} loop\n   *         - True indicates that playback should seek back to start once\n   *           the end of a media is reached.\n   *         - False indicates that playback should not loop back to the start when the\n   *           end of the media is reached.\n   *\n   * @see [Spec]{@link https://www.w3.org/TR/html5/embedded-content-0.html#attr-media-loop}\n   */\n  'loop',\n  /**\n   * Set the value of `playsinline` from the media element. `playsinline` indicates\n   * to the browser that non-fullscreen playback is preferred when fullscreen\n   * playback is the native default, such as in iOS Safari.\n   *\n   * @method Html5#setPlaysinline\n   * @param {boolean} playsinline\n   *         - True indicates that the media should play inline.\n   *         - False indicates that the media should not play inline.\n   *\n   * @see [Spec]{@link https://html.spec.whatwg.org/#attr-video-playsinline}\n   */\n  'playsinline'].forEach(function (prop) {\n    Html5.prototype['set' + toTitleCase$1(prop)] = function (v) {\n      this.el_[prop] = v;\n      if (v) {\n        this.el_.setAttribute(prop, prop);\n      } else {\n        this.el_.removeAttribute(prop);\n      }\n    };\n  });\n\n  // Wrap native properties with a getter\n  // The list is as followed\n  // paused, currentTime, buffered, volume, poster, preload, error, seeking\n  // seekable, ended, playbackRate, defaultPlaybackRate, disablePictureInPicture\n  // played, networkState, readyState, videoWidth, videoHeight, crossOrigin\n  [\n  /**\n   * Get the value of `paused` from the media element. `paused` indicates whether the media element\n   * is currently paused or not.\n   *\n   * @method Html5#paused\n   * @return {boolean}\n   *         The value of `paused` from the media element.\n   *\n   * @see [Spec]{@link https://www.w3.org/TR/html5/embedded-content-0.html#dom-media-paused}\n   */\n  'paused',\n  /**\n   * Get the value of `currentTime` from the media element. `currentTime` indicates\n   * the current second that the media is at in playback.\n   *\n   * @method Html5#currentTime\n   * @return {number}\n   *         The value of `currentTime` from the media element.\n   *\n   * @see [Spec]{@link https://www.w3.org/TR/html5/embedded-content-0.html#dom-media-currenttime}\n   */\n  'currentTime',\n  /**\n   * Get the value of `buffered` from the media element. `buffered` is a `TimeRange`\n   * object that represents the parts of the media that are already downloaded and\n   * available for playback.\n   *\n   * @method Html5#buffered\n   * @return {TimeRange}\n   *         The value of `buffered` from the media element.\n   *\n   * @see [Spec]{@link https://www.w3.org/TR/html5/embedded-content-0.html#dom-media-buffered}\n   */\n  'buffered',\n  /**\n   * Get the value of `volume` from the media element. `volume` indicates\n   * the current playback volume of audio for a media. `volume` will be a value from 0\n   * (silent) to 1 (loudest and default).\n   *\n   * @method Html5#volume\n   * @return {number}\n   *         The value of `volume` from the media element. Value will be between 0-1.\n   *\n   * @see [Spec]{@link https://www.w3.org/TR/html5/embedded-content-0.html#dom-a-volume}\n   */\n  'volume',\n  /**\n   * Get the value of `poster` from the media element. `poster` indicates\n   * that the url of an image file that can/will be shown when no media data is available.\n   *\n   * @method Html5#poster\n   * @return {string}\n   *         The value of `poster` from the media element. Value will be a url to an\n   *         image.\n   *\n   * @see [Spec]{@link https://www.w3.org/TR/html5/embedded-content-0.html#attr-video-poster}\n   */\n  'poster',\n  /**\n   * Get the value of `preload` from the media element. `preload` indicates\n   * what should download before the media is interacted with. It can have the following\n   * values:\n   * - none: nothing should be downloaded\n   * - metadata: poster and the first few frames of the media may be downloaded to get\n   *   media dimensions and other metadata\n   * - auto: allow the media and metadata for the media to be downloaded before\n   *    interaction\n   *\n   * @method Html5#preload\n   * @return {string}\n   *         The value of `preload` from the media element. Will be 'none', 'metadata',\n   *         or 'auto'.\n   *\n   * @see [Spec]{@link https://www.w3.org/TR/html5/embedded-content-0.html#attr-media-preload}\n   */\n  'preload',\n  /**\n   * Get the value of the `error` from the media element. `error` indicates any\n   * MediaError that may have occurred during playback. If error returns null there is no\n   * current error.\n   *\n   * @method Html5#error\n   * @return {MediaError|null}\n   *         The value of `error` from the media element. Will be `MediaError` if there\n   *         is a current error and null otherwise.\n   *\n   * @see [Spec]{@link https://www.w3.org/TR/html5/embedded-content-0.html#dom-media-error}\n   */\n  'error',\n  /**\n   * Get the value of `seeking` from the media element. `seeking` indicates whether the\n   * media is currently seeking to a new position or not.\n   *\n   * @method Html5#seeking\n   * @return {boolean}\n   *         - The value of `seeking` from the media element.\n   *         - True indicates that the media is currently seeking to a new position.\n   *         - False indicates that the media is not seeking to a new position at this time.\n   *\n   * @see [Spec]{@link https://www.w3.org/TR/html5/embedded-content-0.html#dom-media-seeking}\n   */\n  'seeking',\n  /**\n   * Get the value of `seekable` from the media element. `seekable` returns a\n   * `TimeRange` object indicating ranges of time that can currently be `seeked` to.\n   *\n   * @method Html5#seekable\n   * @return {TimeRange}\n   *         The value of `seekable` from the media element. A `TimeRange` object\n   *         indicating the current ranges of time that can be seeked to.\n   *\n   * @see [Spec]{@link https://www.w3.org/TR/html5/embedded-content-0.html#dom-media-seekable}\n   */\n  'seekable',\n  /**\n   * Get the value of `ended` from the media element. `ended` indicates whether\n   * the media has reached the end or not.\n   *\n   * @method Html5#ended\n   * @return {boolean}\n   *         - The value of `ended` from the media element.\n   *         - True indicates that the media has ended.\n   *         - False indicates that the media has not ended.\n   *\n   * @see [Spec]{@link https://www.w3.org/TR/html5/embedded-content-0.html#dom-media-ended}\n   */\n  'ended',\n  /**\n   * Get the value of `playbackRate` from the media element. `playbackRate` indicates\n   * the rate at which the media is currently playing back. Examples:\n   *   - if playbackRate is set to 2, media will play twice as fast.\n   *   - if playbackRate is set to 0.5, media will play half as fast.\n   *\n   * @method Html5#playbackRate\n   * @return {number}\n   *         The value of `playbackRate` from the media element. A number indicating\n   *         the current playback speed of the media, where 1 is normal speed.\n   *\n   * @see [Spec]{@link https://www.w3.org/TR/html5/embedded-content-0.html#dom-media-playbackrate}\n   */\n  'playbackRate',\n  /**\n   * Get the value of `defaultPlaybackRate` from the media element. `defaultPlaybackRate` indicates\n   * the rate at which the media is currently playing back. This value will not indicate the current\n   * `playbackRate` after playback has started, use {@link Html5#playbackRate} for that.\n   *\n   * Examples:\n   *   - if defaultPlaybackRate is set to 2, media will play twice as fast.\n   *   - if defaultPlaybackRate is set to 0.5, media will play half as fast.\n   *\n   * @method Html5.prototype.defaultPlaybackRate\n   * @return {number}\n   *         The value of `defaultPlaybackRate` from the media element. A number indicating\n   *         the current playback speed of the media, where 1 is normal speed.\n   *\n   * @see [Spec]{@link https://www.w3.org/TR/html5/embedded-content-0.html#dom-media-playbackrate}\n   */\n  'defaultPlaybackRate',\n  /**\n   * Get the value of 'disablePictureInPicture' from the video element.\n   *\n   * @method Html5#disablePictureInPicture\n   * @return {boolean} value\n   *         - The value of `disablePictureInPicture` from the video element.\n   *         - True indicates that the video can't be played in Picture-In-Picture mode\n   *         - False indicates that the video can be played in Picture-In-Picture mode\n   *\n   * @see [Spec]{@link https://w3c.github.io/picture-in-picture/#disable-pip}\n   */\n  'disablePictureInPicture',\n  /**\n   * Get the value of `played` from the media element. `played` returns a `TimeRange`\n   * object representing points in the media timeline that have been played.\n   *\n   * @method Html5#played\n   * @return {TimeRange}\n   *         The value of `played` from the media element. A `TimeRange` object indicating\n   *         the ranges of time that have been played.\n   *\n   * @see [Spec]{@link https://www.w3.org/TR/html5/embedded-content-0.html#dom-media-played}\n   */\n  'played',\n  /**\n   * Get the value of `networkState` from the media element. `networkState` indicates\n   * the current network state. It returns an enumeration from the following list:\n   * - 0: NETWORK_EMPTY\n   * - 1: NETWORK_IDLE\n   * - 2: NETWORK_LOADING\n   * - 3: NETWORK_NO_SOURCE\n   *\n   * @method Html5#networkState\n   * @return {number}\n   *         The value of `networkState` from the media element. This will be a number\n   *         from the list in the description.\n   *\n   * @see [Spec] {@link https://www.w3.org/TR/html5/embedded-content-0.html#dom-media-networkstate}\n   */\n  'networkState',\n  /**\n   * Get the value of `readyState` from the media element. `readyState` indicates\n   * the current state of the media element. It returns an enumeration from the\n   * following list:\n   * - 0: HAVE_NOTHING\n   * - 1: HAVE_METADATA\n   * - 2: HAVE_CURRENT_DATA\n   * - 3: HAVE_FUTURE_DATA\n   * - 4: HAVE_ENOUGH_DATA\n   *\n   * @method Html5#readyState\n   * @return {number}\n   *         The value of `readyState` from the media element. This will be a number\n   *         from the list in the description.\n   *\n   * @see [Spec] {@link https://www.w3.org/TR/html5/embedded-content-0.html#ready-states}\n   */\n  'readyState',\n  /**\n   * Get the value of `videoWidth` from the video element. `videoWidth` indicates\n   * the current width of the video in css pixels.\n   *\n   * @method Html5#videoWidth\n   * @return {number}\n   *         The value of `videoWidth` from the video element. This will be a number\n   *         in css pixels.\n   *\n   * @see [Spec] {@link https://www.w3.org/TR/html5/embedded-content-0.html#dom-video-videowidth}\n   */\n  'videoWidth',\n  /**\n   * Get the value of `videoHeight` from the video element. `videoHeight` indicates\n   * the current height of the video in css pixels.\n   *\n   * @method Html5#videoHeight\n   * @return {number}\n   *         The value of `videoHeight` from the video element. This will be a number\n   *         in css pixels.\n   *\n   * @see [Spec] {@link https://www.w3.org/TR/html5/embedded-content-0.html#dom-video-videowidth}\n   */\n  'videoHeight',\n  /**\n   * Get the value of `crossOrigin` from the media element. `crossOrigin` indicates\n   * to the browser that should sent the cookies along with the requests for the\n   * different assets/playlists\n   *\n   * @method Html5#crossOrigin\n   * @return {string}\n   *         - anonymous indicates that the media should not sent cookies.\n   *         - use-credentials indicates that the media should sent cookies along the requests.\n   *\n   * @see [Spec]{@link https://html.spec.whatwg.org/#attr-media-crossorigin}\n   */\n  'crossOrigin'].forEach(function (prop) {\n    Html5.prototype[prop] = function () {\n      return this.el_[prop];\n    };\n  });\n\n  // Wrap native properties with a setter in this format:\n  // set + toTitleCase(name)\n  // The list is as follows:\n  // setVolume, setSrc, setPoster, setPreload, setPlaybackRate, setDefaultPlaybackRate,\n  // setDisablePictureInPicture, setCrossOrigin\n  [\n  /**\n   * Set the value of `volume` on the media element. `volume` indicates the current\n   * audio level as a percentage in decimal form. This means that 1 is 100%, 0.5 is 50%, and\n   * so on.\n   *\n   * @method Html5#setVolume\n   * @param {number} percentAsDecimal\n   *        The volume percent as a decimal. Valid range is from 0-1.\n   *\n   * @see [Spec]{@link https://www.w3.org/TR/html5/embedded-content-0.html#dom-a-volume}\n   */\n  'volume',\n  /**\n   * Set the value of `src` on the media element. `src` indicates the current\n   * {@link Tech~SourceObject} for the media.\n   *\n   * @method Html5#setSrc\n   * @param {Tech~SourceObject} src\n   *        The source object to set as the current source.\n   *\n   * @see [Spec]{@link https://www.w3.org/TR/html5/embedded-content-0.html#dom-media-src}\n   */\n  'src',\n  /**\n   * Set the value of `poster` on the media element. `poster` is the url to\n   * an image file that can/will be shown when no media data is available.\n   *\n   * @method Html5#setPoster\n   * @param {string} poster\n   *        The url to an image that should be used as the `poster` for the media\n   *        element.\n   *\n   * @see [Spec]{@link https://www.w3.org/TR/html5/embedded-content-0.html#attr-media-poster}\n   */\n  'poster',\n  /**\n   * Set the value of `preload` on the media element. `preload` indicates\n   * what should download before the media is interacted with. It can have the following\n   * values:\n   * - none: nothing should be downloaded\n   * - metadata: poster and the first few frames of the media may be downloaded to get\n   *   media dimensions and other metadata\n   * - auto: allow the media and metadata for the media to be downloaded before\n   *    interaction\n   *\n   * @method Html5#setPreload\n   * @param {string} preload\n   *         The value of `preload` to set on the media element. Must be 'none', 'metadata',\n   *         or 'auto'.\n   *\n   * @see [Spec]{@link https://www.w3.org/TR/html5/embedded-content-0.html#attr-media-preload}\n   */\n  'preload',\n  /**\n   * Set the value of `playbackRate` on the media element. `playbackRate` indicates\n   * the rate at which the media should play back. Examples:\n   *   - if playbackRate is set to 2, media will play twice as fast.\n   *   - if playbackRate is set to 0.5, media will play half as fast.\n   *\n   * @method Html5#setPlaybackRate\n   * @return {number}\n   *         The value of `playbackRate` from the media element. A number indicating\n   *         the current playback speed of the media, where 1 is normal speed.\n   *\n   * @see [Spec]{@link https://www.w3.org/TR/html5/embedded-content-0.html#dom-media-playbackrate}\n   */\n  'playbackRate',\n  /**\n   * Set the value of `defaultPlaybackRate` on the media element. `defaultPlaybackRate` indicates\n   * the rate at which the media should play back upon initial startup. Changing this value\n   * after a video has started will do nothing. Instead you should used {@link Html5#setPlaybackRate}.\n   *\n   * Example Values:\n   *   - if playbackRate is set to 2, media will play twice as fast.\n   *   - if playbackRate is set to 0.5, media will play half as fast.\n   *\n   * @method Html5.prototype.setDefaultPlaybackRate\n   * @return {number}\n   *         The value of `defaultPlaybackRate` from the media element. A number indicating\n   *         the current playback speed of the media, where 1 is normal speed.\n   *\n   * @see [Spec]{@link https://www.w3.org/TR/html5/embedded-content-0.html#dom-media-defaultplaybackrate}\n   */\n  'defaultPlaybackRate',\n  /**\n   * Prevents the browser from suggesting a Picture-in-Picture context menu\n   * or to request Picture-in-Picture automatically in some cases.\n   *\n   * @method Html5#setDisablePictureInPicture\n   * @param {boolean} value\n   *         The true value will disable Picture-in-Picture mode.\n   *\n   * @see [Spec]{@link https://w3c.github.io/picture-in-picture/#disable-pip}\n   */\n  'disablePictureInPicture',\n  /**\n   * Set the value of `crossOrigin` from the media element. `crossOrigin` indicates\n   * to the browser that should sent the cookies along with the requests for the\n   * different assets/playlists\n   *\n   * @method Html5#setCrossOrigin\n   * @param {string} crossOrigin\n   *         - anonymous indicates that the media should not sent cookies.\n   *         - use-credentials indicates that the media should sent cookies along the requests.\n   *\n   * @see [Spec]{@link https://html.spec.whatwg.org/#attr-media-crossorigin}\n   */\n  'crossOrigin'].forEach(function (prop) {\n    Html5.prototype['set' + toTitleCase$1(prop)] = function (v) {\n      this.el_[prop] = v;\n    };\n  });\n\n  // wrap native functions with a function\n  // The list is as follows:\n  // pause, load, play\n  [\n  /**\n   * A wrapper around the media elements `pause` function. This will call the `HTML5`\n   * media elements `pause` function.\n   *\n   * @method Html5#pause\n   * @see [Spec]{@link https://www.w3.org/TR/html5/embedded-content-0.html#dom-media-pause}\n   */\n  'pause',\n  /**\n   * A wrapper around the media elements `load` function. This will call the `HTML5`s\n   * media element `load` function.\n   *\n   * @method Html5#load\n   * @see [Spec]{@link https://www.w3.org/TR/html5/embedded-content-0.html#dom-media-load}\n   */\n  'load',\n  /**\n   * A wrapper around the media elements `play` function. This will call the `HTML5`s\n   * media element `play` function.\n   *\n   * @method Html5#play\n   * @see [Spec]{@link https://www.w3.org/TR/html5/embedded-content-0.html#dom-media-play}\n   */\n  'play'].forEach(function (prop) {\n    Html5.prototype[prop] = function () {\n      return this.el_[prop]();\n    };\n  });\n  Tech.withSourceHandlers(Html5);\n\n  /**\n   * Native source handler for Html5, simply passes the source to the media element.\n   *\n   * @property {Tech~SourceObject} source\n   *        The source object\n   *\n   * @property {Html5} tech\n   *        The instance of the HTML5 tech.\n   */\n  Html5.nativeSourceHandler = {};\n\n  /**\n   * Check if the media element can play the given mime type.\n   *\n   * @param {string} type\n   *        The mimetype to check\n   *\n   * @return {string}\n   *         'probably', 'maybe', or '' (empty string)\n   */\n  Html5.nativeSourceHandler.canPlayType = function (type) {\n    // IE without MediaPlayer throws an error (#519)\n    try {\n      return Html5.TEST_VID.canPlayType(type);\n    } catch (e) {\n      return '';\n    }\n  };\n\n  /**\n   * Check if the media element can handle a source natively.\n   *\n   * @param {Tech~SourceObject} source\n   *         The source object\n   *\n   * @param {Object} [options]\n   *         Options to be passed to the tech.\n   *\n   * @return {string}\n   *         'probably', 'maybe', or '' (empty string).\n   */\n  Html5.nativeSourceHandler.canHandleSource = function (source, options) {\n    // If a type was provided we should rely on that\n    if (source.type) {\n      return Html5.nativeSourceHandler.canPlayType(source.type);\n\n      // If no type, fall back to checking 'video/[EXTENSION]'\n    } else if (source.src) {\n      const ext = getFileExtension(source.src);\n      return Html5.nativeSourceHandler.canPlayType(`video/${ext}`);\n    }\n    return '';\n  };\n\n  /**\n   * Pass the source to the native media element.\n   *\n   * @param {Tech~SourceObject} source\n   *        The source object\n   *\n   * @param {Html5} tech\n   *        The instance of the Html5 tech\n   *\n   * @param {Object} [options]\n   *        The options to pass to the source\n   */\n  Html5.nativeSourceHandler.handleSource = function (source, tech, options) {\n    tech.setSrc(source.src);\n  };\n\n  /**\n   * A noop for the native dispose function, as cleanup is not needed.\n   */\n  Html5.nativeSourceHandler.dispose = function () {};\n\n  // Register the native source handler\n  Html5.registerSourceHandler(Html5.nativeSourceHandler);\n  Tech.registerTech('Html5', Html5);\n\n  /**\n   * @file player.js\n   */\n\n  /** @import { TimeRange } from './utils/time' */\n  /** @import HtmlTrackElement from './tracks/html-track-element' */\n\n  /**\n   * @callback PlayerReadyCallback\n   * @this     {Player}\n   * @returns  {void}\n   */\n\n  // The following tech events are simply re-triggered\n  // on the player when they happen\n  const TECH_EVENTS_RETRIGGER = [\n  /**\n   * Fired while the user agent is downloading media data.\n   *\n   * @event Player#progress\n   * @type {Event}\n   */\n  /**\n   * Retrigger the `progress` event that was triggered by the {@link Tech}.\n   *\n   * @private\n   * @method Player#handleTechProgress_\n   * @fires Player#progress\n   * @listens Tech#progress\n   */\n  'progress',\n  /**\n   * Fires when the loading of an audio/video is aborted.\n   *\n   * @event Player#abort\n   * @type {Event}\n   */\n  /**\n   * Retrigger the `abort` event that was triggered by the {@link Tech}.\n   *\n   * @private\n   * @method Player#handleTechAbort_\n   * @fires Player#abort\n   * @listens Tech#abort\n   */\n  'abort',\n  /**\n   * Fires when the browser is intentionally not getting media data.\n   *\n   * @event Player#suspend\n   * @type {Event}\n   */\n  /**\n   * Retrigger the `suspend` event that was triggered by the {@link Tech}.\n   *\n   * @private\n   * @method Player#handleTechSuspend_\n   * @fires Player#suspend\n   * @listens Tech#suspend\n   */\n  'suspend',\n  /**\n   * Fires when the current playlist is empty.\n   *\n   * @event Player#emptied\n   * @type {Event}\n   */\n  /**\n   * Retrigger the `emptied` event that was triggered by the {@link Tech}.\n   *\n   * @private\n   * @method Player#handleTechEmptied_\n   * @fires Player#emptied\n   * @listens Tech#emptied\n   */\n  'emptied',\n  /**\n   * Fires when the browser is trying to get media data, but data is not available.\n   *\n   * @event Player#stalled\n   * @type {Event}\n   */\n  /**\n   * Retrigger the `stalled` event that was triggered by the {@link Tech}.\n   *\n   * @private\n   * @method Player#handleTechStalled_\n   * @fires Player#stalled\n   * @listens Tech#stalled\n   */\n  'stalled',\n  /**\n   * Fires when the browser has loaded meta data for the audio/video.\n   *\n   * @event Player#loadedmetadata\n   * @type {Event}\n   */\n  /**\n   * Retrigger the `loadedmetadata` event that was triggered by the {@link Tech}.\n   *\n   * @private\n   * @method Player#handleTechLoadedmetadata_\n   * @fires Player#loadedmetadata\n   * @listens Tech#loadedmetadata\n   */\n  'loadedmetadata',\n  /**\n   * Fires when the browser has loaded the current frame of the audio/video.\n   *\n   * @event Player#loadeddata\n   * @type {event}\n   */\n  /**\n   * Retrigger the `loadeddata` event that was triggered by the {@link Tech}.\n   *\n   * @private\n   * @method Player#handleTechLoaddeddata_\n   * @fires Player#loadeddata\n   * @listens Tech#loadeddata\n   */\n  'loadeddata',\n  /**\n   * Fires when the current playback position has changed.\n   *\n   * @event Player#timeupdate\n   * @type {event}\n   */\n  /**\n   * Retrigger the `timeupdate` event that was triggered by the {@link Tech}.\n   *\n   * @private\n   * @method Player#handleTechTimeUpdate_\n   * @fires Player#timeupdate\n   * @listens Tech#timeupdate\n   */\n  'timeupdate',\n  /**\n   * Fires when the video's intrinsic dimensions change\n   *\n   * @event Player#resize\n   * @type {event}\n   */\n  /**\n   * Retrigger the `resize` event that was triggered by the {@link Tech}.\n   *\n   * @private\n   * @method Player#handleTechResize_\n   * @fires Player#resize\n   * @listens Tech#resize\n   */\n  'resize',\n  /**\n   * Fires when the volume has been changed\n   *\n   * @event Player#volumechange\n   * @type {event}\n   */\n  /**\n   * Retrigger the `volumechange` event that was triggered by the {@link Tech}.\n   *\n   * @private\n   * @method Player#handleTechVolumechange_\n   * @fires Player#volumechange\n   * @listens Tech#volumechange\n   */\n  'volumechange',\n  /**\n   * Fires when the text track has been changed\n   *\n   * @event Player#texttrackchange\n   * @type {event}\n   */\n  /**\n   * Retrigger the `texttrackchange` event that was triggered by the {@link Tech}.\n   *\n   * @private\n   * @method Player#handleTechTexttrackchange_\n   * @fires Player#texttrackchange\n   * @listens Tech#texttrackchange\n   */\n  'texttrackchange'];\n\n  // events to queue when playback rate is zero\n  // this is a hash for the sole purpose of mapping non-camel-cased event names\n  // to camel-cased function names\n  const TECH_EVENTS_QUEUE = {\n    canplay: 'CanPlay',\n    canplaythrough: 'CanPlayThrough',\n    playing: 'Playing',\n    seeked: 'Seeked'\n  };\n  const BREAKPOINT_ORDER = ['tiny', 'xsmall', 'small', 'medium', 'large', 'xlarge', 'huge'];\n  const BREAKPOINT_CLASSES = {};\n\n  // grep: vjs-layout-tiny\n  // grep: vjs-layout-x-small\n  // grep: vjs-layout-small\n  // grep: vjs-layout-medium\n  // grep: vjs-layout-large\n  // grep: vjs-layout-x-large\n  // grep: vjs-layout-huge\n  BREAKPOINT_ORDER.forEach(k => {\n    const v = k.charAt(0) === 'x' ? `x-${k.substring(1)}` : k;\n    BREAKPOINT_CLASSES[k] = `vjs-layout-${v}`;\n  });\n  const DEFAULT_BREAKPOINTS = {\n    tiny: 210,\n    xsmall: 320,\n    small: 425,\n    medium: 768,\n    large: 1440,\n    xlarge: 2560,\n    huge: Infinity\n  };\n\n  /**\n   * An instance of the `Player` class is created when any of the Video.js setup methods\n   * are used to initialize a video.\n   *\n   * After an instance has been created it can be accessed globally in three ways:\n   * 1. By calling `videojs.getPlayer('example_video_1');`\n   * 2. By calling `videojs('example_video_1');` (not recommended)\n   * 2. By using it directly via `videojs.players.example_video_1;`\n   *\n   * @extends Component\n   * @global\n   */\n  class Player extends Component$1 {\n    /**\n     * Create an instance of this class.\n     *\n     * @param {Element} tag\n     *        The original video DOM element used for configuring options.\n     *\n     * @param {Object} [options]\n     *        Object of option names and values.\n     *\n     * @param {PlayerReadyCallback} [ready]\n     *        Ready callback function.\n     */\n    constructor(tag, options, ready) {\n      // Make sure tag ID exists\n      // also here.. probably better\n      tag.id = tag.id || options.id || `vjs_video_${newGUID()}`;\n\n      // Set Options\n      // The options argument overrides options set in the video tag\n      // which overrides globally set options.\n      // This latter part coincides with the load order\n      // (tag must exist before Player)\n      options = Object.assign(Player.getTagSettings(tag), options);\n\n      // Delay the initialization of children because we need to set up\n      // player properties first, and can't use `this` before `super()`\n      options.initChildren = false;\n\n      // Same with creating the element\n      options.createEl = false;\n\n      // don't auto mixin the evented mixin\n      options.evented = false;\n\n      // we don't want the player to report touch activity on itself\n      // see enableTouchActivity in Component\n      options.reportTouchActivity = false;\n\n      // If language is not set, get the closest lang attribute\n      if (!options.language) {\n        const closest = tag.closest('[lang]');\n        if (closest) {\n          options.language = closest.getAttribute('lang');\n        }\n      }\n\n      // Run base component initializing with new options\n      super(null, options, ready);\n\n      // Create bound methods for document listeners.\n      this.boundDocumentFullscreenChange_ = e => this.documentFullscreenChange_(e);\n      this.boundFullWindowOnEscKey_ = e => this.fullWindowOnEscKey(e);\n      this.boundUpdateStyleEl_ = e => this.updateStyleEl_(e);\n      this.boundApplyInitTime_ = e => this.applyInitTime_(e);\n      this.boundUpdateCurrentBreakpoint_ = e => this.updateCurrentBreakpoint_(e);\n      this.boundHandleTechClick_ = e => this.handleTechClick_(e);\n      this.boundHandleTechDoubleClick_ = e => this.handleTechDoubleClick_(e);\n      this.boundHandleTechTouchStart_ = e => this.handleTechTouchStart_(e);\n      this.boundHandleTechTouchMove_ = e => this.handleTechTouchMove_(e);\n      this.boundHandleTechTouchEnd_ = e => this.handleTechTouchEnd_(e);\n      this.boundHandleTechTap_ = e => this.handleTechTap_(e);\n      this.boundUpdatePlayerHeightOnAudioOnlyMode_ = e => this.updatePlayerHeightOnAudioOnlyMode_(e);\n\n      // default isFullscreen_ to false\n      this.isFullscreen_ = false;\n\n      // create logger\n      this.log = createLogger(this.id_);\n\n      // Hold our own reference to fullscreen api so it can be mocked in tests\n      this.fsApi_ = FullscreenApi;\n\n      // Tracks when a tech changes the poster\n      this.isPosterFromTech_ = false;\n\n      // Holds callback info that gets queued when playback rate is zero\n      // and a seek is happening\n      this.queuedCallbacks_ = [];\n\n      // Turn off API access because we're loading a new tech that might load asynchronously\n      this.isReady_ = false;\n\n      // Init state hasStarted_\n      this.hasStarted_ = false;\n\n      // Init state userActive_\n      this.userActive_ = false;\n\n      // Init debugEnabled_\n      this.debugEnabled_ = false;\n\n      // Init state audioOnlyMode_\n      this.audioOnlyMode_ = false;\n\n      // Init state audioPosterMode_\n      this.audioPosterMode_ = false;\n\n      // Init state audioOnlyCache_\n      this.audioOnlyCache_ = {\n        controlBarHeight: null,\n        playerHeight: null,\n        hiddenChildren: []\n      };\n\n      // if the global option object was accidentally blown away by\n      // someone, bail early with an informative error\n      if (!this.options_ || !this.options_.techOrder || !this.options_.techOrder.length) {\n        throw new Error('No techOrder specified. Did you overwrite ' + 'videojs.options instead of just changing the ' + 'properties you want to override?');\n      }\n\n      // Store the original tag used to set options\n      this.tag = tag;\n\n      // Store the tag attributes used to restore html5 element\n      this.tagAttributes = tag && getAttributes(tag);\n\n      // Update current language\n      this.language(this.options_.language);\n\n      // Update Supported Languages\n      if (options.languages) {\n        // Normalise player option languages to lowercase\n        const languagesToLower = {};\n        Object.getOwnPropertyNames(options.languages).forEach(function (name) {\n          languagesToLower[name.toLowerCase()] = options.languages[name];\n        });\n        this.languages_ = languagesToLower;\n      } else {\n        this.languages_ = Player.prototype.options_.languages;\n      }\n      this.resetCache_();\n\n      // Set poster\n      /** @type string */\n      this.poster_ = options.poster || '';\n\n      // Set controls\n      /** @type {boolean} */\n      this.controls_ = !!options.controls;\n\n      // Original tag settings stored in options\n      // now remove immediately so native controls don't flash.\n      // May be turned back on by HTML5 tech if nativeControlsForTouch is true\n      tag.controls = false;\n      tag.removeAttribute('controls');\n      this.changingSrc_ = false;\n      this.playCallbacks_ = [];\n      this.playTerminatedQueue_ = [];\n\n      // the attribute overrides the option\n      if (tag.hasAttribute('autoplay')) {\n        this.autoplay(true);\n      } else {\n        // otherwise use the setter to validate and\n        // set the correct value.\n        this.autoplay(this.options_.autoplay);\n      }\n\n      // check plugins\n      if (options.plugins) {\n        Object.keys(options.plugins).forEach(name => {\n          if (typeof this[name] !== 'function') {\n            throw new Error(`plugin \"${name}\" does not exist`);\n          }\n        });\n      }\n\n      /*\n       * Store the internal state of scrubbing\n       *\n       * @private\n       * @return {Boolean} True if the user is scrubbing\n       */\n      this.scrubbing_ = false;\n      this.el_ = this.createEl();\n\n      // Make this an evented object and use `el_` as its event bus.\n      evented(this, {\n        eventBusKey: 'el_'\n      });\n\n      // listen to document and player fullscreenchange handlers so we receive those events\n      // before a user can receive them so we can update isFullscreen appropriately.\n      // make sure that we listen to fullscreenchange events before everything else to make sure that\n      // our isFullscreen method is updated properly for internal components as well as external.\n      if (this.fsApi_.requestFullscreen) {\n        on(document, this.fsApi_.fullscreenchange, this.boundDocumentFullscreenChange_);\n        this.on(this.fsApi_.fullscreenchange, this.boundDocumentFullscreenChange_);\n      }\n      if (this.fluid_) {\n        this.on(['playerreset', 'resize'], this.boundUpdateStyleEl_);\n      }\n      // We also want to pass the original player options to each component and plugin\n      // as well so they don't need to reach back into the player for options later.\n      // We also need to do another copy of this.options_ so we don't end up with\n      // an infinite loop.\n      const playerOptionsCopy = merge$2(this.options_);\n\n      // Load plugins\n      if (options.plugins) {\n        Object.keys(options.plugins).forEach(name => {\n          this[name](options.plugins[name]);\n        });\n      }\n\n      // Enable debug mode to fire debugon event for all plugins.\n      if (options.debug) {\n        this.debug(true);\n      }\n      this.options_.playerOptions = playerOptionsCopy;\n      this.middleware_ = [];\n      this.playbackRates(options.playbackRates);\n      if (options.experimentalSvgIcons) {\n        // Add SVG Sprite to the DOM\n        const parser = new window.DOMParser();\n        const parsedSVG = parser.parseFromString(icons, 'image/svg+xml');\n        const errorNode = parsedSVG.querySelector('parsererror');\n        if (errorNode) {\n          log$1.warn('Failed to load SVG Icons. Falling back to Font Icons.');\n          this.options_.experimentalSvgIcons = null;\n        } else {\n          const sprite = parsedSVG.documentElement;\n          sprite.style.display = 'none';\n          this.el_.appendChild(sprite);\n          this.addClass('vjs-svg-icons-enabled');\n        }\n      }\n      this.initChildren();\n\n      // Set isAudio based on whether or not an audio tag was used\n      this.isAudio(tag.nodeName.toLowerCase() === 'audio');\n\n      // Update controls className. Can't do this when the controls are initially\n      // set because the element doesn't exist yet.\n      if (this.controls()) {\n        this.addClass('vjs-controls-enabled');\n      } else {\n        this.addClass('vjs-controls-disabled');\n      }\n\n      // Set ARIA label and region role depending on player type\n      this.el_.setAttribute('role', 'region');\n      if (this.isAudio()) {\n        this.el_.setAttribute('aria-label', this.localize('Audio Player'));\n      } else {\n        this.el_.setAttribute('aria-label', this.localize('Video Player'));\n      }\n      if (this.isAudio()) {\n        this.addClass('vjs-audio');\n      }\n\n      // Check if spatial navigation is enabled in the options.\n      // If enabled, instantiate the SpatialNavigation class.\n      if (options.spatialNavigation && options.spatialNavigation.enabled) {\n        this.spatialNavigation = new SpatialNavigation(this);\n        this.addClass('vjs-spatial-navigation-enabled');\n      }\n\n      // TODO: Make this smarter. Toggle user state between touching/mousing\n      // using events, since devices can have both touch and mouse events.\n      // TODO: Make this check be performed again when the window switches between monitors\n      // (See https://github.com/videojs/video.js/issues/5683)\n      if (TOUCH_ENABLED) {\n        this.addClass('vjs-touch-enabled');\n      }\n\n      // iOS Safari has broken hover handling\n      if (!IS_IOS) {\n        this.addClass('vjs-workinghover');\n      }\n\n      // Make player easily findable by ID\n      Player.players[this.id_] = this;\n\n      // Add a major version class to aid css in plugins\n      const majorVersion = version$5.split('.')[0];\n      this.addClass(`vjs-v${majorVersion}`);\n\n      // When the player is first initialized, trigger activity so components\n      // like the control bar show themselves if needed\n      this.userActive(true);\n      this.reportUserActivity();\n      this.one('play', e => this.listenForUserActivity_(e));\n      this.on('keydown', e => this.handleKeyDown(e));\n      this.on('languagechange', e => this.handleLanguagechange(e));\n      this.breakpoints(this.options_.breakpoints);\n      this.responsive(this.options_.responsive);\n\n      // Calling both the audio mode methods after the player is fully\n      // setup to be able to listen to the events triggered by them\n      this.on('ready', () => {\n        // Calling the audioPosterMode method first so that\n        // the audioOnlyMode can take precedence when both options are set to true\n        this.audioPosterMode(this.options_.audioPosterMode);\n        this.audioOnlyMode(this.options_.audioOnlyMode);\n      });\n    }\n\n    /**\n     * Destroys the video player and does any necessary cleanup.\n     *\n     * This is especially helpful if you are dynamically adding and removing videos\n     * to/from the DOM.\n     *\n     * @fires Player#dispose\n     */\n    dispose() {\n      /**\n       * Called when the player is being disposed of.\n       *\n       * @event Player#dispose\n       * @type {Event}\n       */\n      this.trigger('dispose');\n      // prevent dispose from being called twice\n      this.off('dispose');\n\n      // Make sure all player-specific document listeners are unbound. This is\n      off(document, this.fsApi_.fullscreenchange, this.boundDocumentFullscreenChange_);\n      off(document, 'keydown', this.boundFullWindowOnEscKey_);\n      if (this.styleEl_ && this.styleEl_.parentNode) {\n        this.styleEl_.parentNode.removeChild(this.styleEl_);\n        this.styleEl_ = null;\n      }\n\n      // Kill reference to this player\n      Player.players[this.id_] = null;\n      if (this.tag && this.tag.player) {\n        this.tag.player = null;\n      }\n      if (this.el_ && this.el_.player) {\n        this.el_.player = null;\n      }\n      if (this.tech_) {\n        this.tech_.dispose();\n        this.isPosterFromTech_ = false;\n        this.poster_ = '';\n      }\n      if (this.playerElIngest_) {\n        this.playerElIngest_ = null;\n      }\n      if (this.tag) {\n        this.tag = null;\n      }\n      clearCacheForPlayer(this);\n\n      // remove all event handlers for track lists\n      // all tracks and track listeners are removed on\n      // tech dispose\n      ALL.names.forEach(name => {\n        const props = ALL[name];\n        const list = this[props.getterName]();\n\n        // if it is not a native list\n        // we have to manually remove event listeners\n        if (list && list.off) {\n          list.off();\n        }\n      });\n\n      // the actual .el_ is removed here, or replaced if\n      super.dispose({\n        restoreEl: this.options_.restoreEl\n      });\n    }\n\n    /**\n     * Create the `Player`'s DOM element.\n     *\n     * @return {Element}\n     *         The DOM element that gets created.\n     */\n    createEl() {\n      let tag = this.tag;\n      let el;\n      let playerElIngest = this.playerElIngest_ = tag.parentNode && tag.parentNode.hasAttribute && tag.parentNode.hasAttribute('data-vjs-player');\n      const divEmbed = this.tag.tagName.toLowerCase() === 'video-js';\n      if (playerElIngest) {\n        el = this.el_ = tag.parentNode;\n      } else if (!divEmbed) {\n        el = this.el_ = super.createEl('div');\n      }\n\n      // Copy over all the attributes from the tag, including ID and class\n      // ID will now reference player box, not the video tag\n      const attrs = getAttributes(tag);\n      if (divEmbed) {\n        el = this.el_ = tag;\n        tag = this.tag = document.createElement('video');\n        while (el.children.length) {\n          tag.appendChild(el.firstChild);\n        }\n        if (!hasClass(el, 'video-js')) {\n          addClass(el, 'video-js');\n        }\n        el.appendChild(tag);\n        playerElIngest = this.playerElIngest_ = el;\n        // move properties over from our custom `video-js` element\n        // to our new `video` element. This will move things like\n        // `src` or `controls` that were set via js before the player\n        // was initialized.\n        Object.keys(el).forEach(k => {\n          try {\n            tag[k] = el[k];\n          } catch (e) {\n            // we got a a property like outerHTML which we can't actually copy, ignore it\n          }\n        });\n      }\n\n      // set tabindex to -1 to remove the video element from the focus order\n      tag.setAttribute('tabindex', '-1');\n      attrs.tabindex = '-1';\n\n      // Workaround for #4583 on Chrome (on Windows) with JAWS.\n      // See https://github.com/FreedomScientific/VFO-standards-support/issues/78\n      // Note that we can't detect if JAWS is being used, but this ARIA attribute\n      // doesn't change behavior of Chrome if JAWS is not being used\n      if (IS_CHROME && IS_WINDOWS) {\n        tag.setAttribute('role', 'application');\n        attrs.role = 'application';\n      }\n\n      // Remove width/height attrs from tag so CSS can make it 100% width/height\n      tag.removeAttribute('width');\n      tag.removeAttribute('height');\n      if ('width' in attrs) {\n        delete attrs.width;\n      }\n      if ('height' in attrs) {\n        delete attrs.height;\n      }\n      Object.getOwnPropertyNames(attrs).forEach(function (attr) {\n        // don't copy over the class attribute to the player element when we're in a div embed\n        // the class is already set up properly in the divEmbed case\n        // and we want to make sure that the `video-js` class doesn't get lost\n        if (!(divEmbed && attr === 'class')) {\n          el.setAttribute(attr, attrs[attr]);\n        }\n        if (divEmbed) {\n          tag.setAttribute(attr, attrs[attr]);\n        }\n      });\n\n      // Update tag id/class for use as HTML5 playback tech\n      // Might think we should do this after embedding in container so .vjs-tech class\n      // doesn't flash 100% width/height, but class only applies with .video-js parent\n      tag.playerId = tag.id;\n      tag.id += '_html5_api';\n      tag.className = 'vjs-tech';\n\n      // Make player findable on elements\n      tag.player = el.player = this;\n      // Default state of video is paused\n      this.addClass('vjs-paused');\n      const deviceClassNames = ['IS_SMART_TV', 'IS_TIZEN', 'IS_WEBOS', 'IS_ANDROID', 'IS_IPAD', 'IS_IPHONE', 'IS_CHROMECAST_RECEIVER'].filter(key => browser[key]).map(key => {\n        return 'vjs-device-' + key.substring(3).toLowerCase().replace(/\\_/g, '-');\n      });\n      this.addClass(...deviceClassNames);\n\n      // Add a style element in the player that we'll use to set the width/height\n      // of the player in a way that's still overridable by CSS, just like the\n      // video element\n      if (window.VIDEOJS_NO_DYNAMIC_STYLE !== true) {\n        this.styleEl_ = createStyleElement('vjs-styles-dimensions');\n        const defaultsStyleEl = $('.vjs-styles-defaults');\n        const head = $('head');\n        head.insertBefore(this.styleEl_, defaultsStyleEl ? defaultsStyleEl.nextSibling : head.firstChild);\n      }\n      this.fill_ = false;\n      this.fluid_ = false;\n\n      // Pass in the width/height/aspectRatio options which will update the style el\n      this.width(this.options_.width);\n      this.height(this.options_.height);\n      this.fill(this.options_.fill);\n      this.fluid(this.options_.fluid);\n      this.aspectRatio(this.options_.aspectRatio);\n      // support both crossOrigin and crossorigin to reduce confusion and issues around the name\n      this.crossOrigin(this.options_.crossOrigin || this.options_.crossorigin);\n\n      // Hide any links within the video/audio tag,\n      // because IE doesn't hide them completely from screen readers.\n      const links = tag.getElementsByTagName('a');\n      for (let i = 0; i < links.length; i++) {\n        const linkEl = links.item(i);\n        addClass(linkEl, 'vjs-hidden');\n        linkEl.setAttribute('hidden', 'hidden');\n      }\n\n      // insertElFirst seems to cause the networkState to flicker from 3 to 2, so\n      // keep track of the original for later so we can know if the source originally failed\n      tag.initNetworkState_ = tag.networkState;\n\n      // Wrap video tag in div (el/box) container\n      if (tag.parentNode && !playerElIngest) {\n        tag.parentNode.insertBefore(el, tag);\n      }\n\n      // insert the tag as the first child of the player element\n      // then manually add it to the children array so that this.addChild\n      // will work properly for other components\n      //\n      // Breaks iPhone, fixed in HTML5 setup.\n      prependTo(tag, el);\n      this.children_.unshift(tag);\n\n      // Set lang attr on player to ensure CSS :lang() in consistent with player\n      // if it's been set to something different to the doc\n      this.el_.setAttribute('lang', this.language_);\n      this.el_.setAttribute('translate', 'no');\n      this.el_ = el;\n      return el;\n    }\n\n    /**\n     * Get or set the `Player`'s crossOrigin option. For the HTML5 player, this\n     * sets the `crossOrigin` property on the `<video>` tag to control the CORS\n     * behavior.\n     *\n     * @see [Video Element Attributes]{@link https://developer.mozilla.org/en-US/docs/Web/HTML/Element/video#attr-crossorigin}\n     *\n     * @param {string|null} [value]\n     *        The value to set the `Player`'s crossOrigin to. If an argument is\n     *        given, must be one of `'anonymous'` or `'use-credentials'`, or 'null'.\n     *\n     * @return {string|null|undefined}\n     *         - The current crossOrigin value of the `Player` when getting.\n     *         - undefined when setting\n     */\n    crossOrigin(value) {\n      // `null` can be set to unset a value\n      if (typeof value === 'undefined') {\n        return this.techGet_('crossOrigin');\n      }\n      if (value !== null && value !== 'anonymous' && value !== 'use-credentials') {\n        log$1.warn(`crossOrigin must be null,  \"anonymous\" or \"use-credentials\", given \"${value}\"`);\n        return;\n      }\n      this.techCall_('setCrossOrigin', value);\n      if (this.posterImage) {\n        this.posterImage.crossOrigin(value);\n      }\n      return;\n    }\n\n    /**\n     * A getter/setter for the `Player`'s width. Returns the player's configured value.\n     * To get the current width use `currentWidth()`.\n     *\n     * @param {number|string} [value]\n     *        CSS value to set the `Player`'s width to.\n     *\n     * @return {number|undefined}\n     *         - The current width of the `Player` when getting.\n     *         - Nothing when setting\n     */\n    width(value) {\n      return this.dimension('width', value);\n    }\n\n    /**\n     * A getter/setter for the `Player`'s height. Returns the player's configured value.\n     * To get the current height use `currentheight()`.\n     *\n     * @param {number|string} [value]\n     *        CSS value to set the `Player`'s height to.\n     *\n     * @return {number|undefined}\n     *         - The current height of the `Player` when getting.\n     *         - Nothing when setting\n     */\n    height(value) {\n      return this.dimension('height', value);\n    }\n\n    /**\n     * A getter/setter for the `Player`'s width & height.\n     *\n     * @param {string} dimension\n     *        This string can be:\n     *        - 'width'\n     *        - 'height'\n     *\n     * @param {number|string} [value]\n     *        Value for dimension specified in the first argument.\n     *\n     * @return {number}\n     *         The dimension arguments value when getting (width/height).\n     */\n    dimension(dimension, value) {\n      const privDimension = dimension + '_';\n      if (value === undefined) {\n        return this[privDimension] || 0;\n      }\n      if (value === '' || value === 'auto') {\n        // If an empty string is given, reset the dimension to be automatic\n        this[privDimension] = undefined;\n        this.updateStyleEl_();\n        return;\n      }\n      const parsedVal = parseFloat(value);\n      if (isNaN(parsedVal)) {\n        log$1.error(`Improper value \"${value}\" supplied for for ${dimension}`);\n        return;\n      }\n      this[privDimension] = parsedVal;\n      this.updateStyleEl_();\n    }\n\n    /**\n     * A getter/setter/toggler for the vjs-fluid `className` on the `Player`.\n     *\n     * Turning this on will turn off fill mode.\n     *\n     * @param {boolean} [bool]\n     *        - A value of true adds the class.\n     *        - A value of false removes the class.\n     *        - No value will be a getter.\n     *\n     * @return {boolean|undefined}\n     *         - The value of fluid when getting.\n     *         - `undefined` when setting.\n     */\n    fluid(bool) {\n      if (bool === undefined) {\n        return !!this.fluid_;\n      }\n      this.fluid_ = !!bool;\n      if (isEvented(this)) {\n        this.off(['playerreset', 'resize'], this.boundUpdateStyleEl_);\n      }\n      if (bool) {\n        this.addClass('vjs-fluid');\n        this.fill(false);\n        addEventedCallback(this, () => {\n          this.on(['playerreset', 'resize'], this.boundUpdateStyleEl_);\n        });\n      } else {\n        this.removeClass('vjs-fluid');\n      }\n      this.updateStyleEl_();\n    }\n\n    /**\n     * A getter/setter/toggler for the vjs-fill `className` on the `Player`.\n     *\n     * Turning this on will turn off fluid mode.\n     *\n     * @param {boolean} [bool]\n     *        - A value of true adds the class.\n     *        - A value of false removes the class.\n     *        - No value will be a getter.\n     *\n     * @return {boolean|undefined}\n     *         - The value of fluid when getting.\n     *         - `undefined` when setting.\n     */\n    fill(bool) {\n      if (bool === undefined) {\n        return !!this.fill_;\n      }\n      this.fill_ = !!bool;\n      if (bool) {\n        this.addClass('vjs-fill');\n        this.fluid(false);\n      } else {\n        this.removeClass('vjs-fill');\n      }\n    }\n\n    /**\n     * Get/Set the aspect ratio\n     *\n     * @param {string} [ratio]\n     *        Aspect ratio for player\n     *\n     * @return {string|undefined}\n     *         returns the current aspect ratio when getting\n     */\n\n    /**\n     * A getter/setter for the `Player`'s aspect ratio.\n     *\n     * @param {string} [ratio]\n     *        The value to set the `Player`'s aspect ratio to.\n     *\n     * @return {string|undefined}\n     *         - The current aspect ratio of the `Player` when getting.\n     *         - undefined when setting\n     */\n    aspectRatio(ratio) {\n      if (ratio === undefined) {\n        return this.aspectRatio_;\n      }\n\n      // Check for width:height format\n      if (!/^\\d+\\:\\d+$/.test(ratio)) {\n        throw new Error('Improper value supplied for aspect ratio. The format should be width:height, for example 16:9.');\n      }\n      this.aspectRatio_ = ratio;\n\n      // We're assuming if you set an aspect ratio you want fluid mode,\n      // because in fixed mode you could calculate width and height yourself.\n      this.fluid(true);\n      this.updateStyleEl_();\n    }\n\n    /**\n     * Update styles of the `Player` element (height, width and aspect ratio).\n     *\n     * @private\n     * @listens Tech#loadedmetadata\n     */\n    updateStyleEl_() {\n      if (window.VIDEOJS_NO_DYNAMIC_STYLE === true) {\n        const width = typeof this.width_ === 'number' ? this.width_ : this.options_.width;\n        const height = typeof this.height_ === 'number' ? this.height_ : this.options_.height;\n        const techEl = this.tech_ && this.tech_.el();\n        if (techEl) {\n          if (width >= 0) {\n            techEl.width = width;\n          }\n          if (height >= 0) {\n            techEl.height = height;\n          }\n        }\n        return;\n      }\n      let width;\n      let height;\n      let aspectRatio;\n      let idClass;\n\n      // The aspect ratio is either used directly or to calculate width and height.\n      if (this.aspectRatio_ !== undefined && this.aspectRatio_ !== 'auto') {\n        // Use any aspectRatio that's been specifically set\n        aspectRatio = this.aspectRatio_;\n      } else if (this.videoWidth() > 0) {\n        // Otherwise try to get the aspect ratio from the video metadata\n        aspectRatio = this.videoWidth() + ':' + this.videoHeight();\n      } else {\n        // Or use a default. The video element's is 2:1, but 16:9 is more common.\n        aspectRatio = '16:9';\n      }\n\n      // Get the ratio as a decimal we can use to calculate dimensions\n      const ratioParts = aspectRatio.split(':');\n      const ratioMultiplier = ratioParts[1] / ratioParts[0];\n      if (this.width_ !== undefined) {\n        // Use any width that's been specifically set\n        width = this.width_;\n      } else if (this.height_ !== undefined) {\n        // Or calculate the width from the aspect ratio if a height has been set\n        width = this.height_ / ratioMultiplier;\n      } else {\n        // Or use the video's metadata, or use the video el's default of 300\n        width = this.videoWidth() || 300;\n      }\n      if (this.height_ !== undefined) {\n        // Use any height that's been specifically set\n        height = this.height_;\n      } else {\n        // Otherwise calculate the height from the ratio and the width\n        height = width * ratioMultiplier;\n      }\n\n      // Ensure the CSS class is valid by starting with an alpha character\n      if (/^[^a-zA-Z]/.test(this.id())) {\n        idClass = 'dimensions-' + this.id();\n      } else {\n        idClass = this.id() + '-dimensions';\n      }\n\n      // Ensure the right class is still on the player for the style element\n      this.addClass(idClass);\n      setTextContent(this.styleEl_, `\n      .${idClass} {\n        width: ${width}px;\n        height: ${height}px;\n      }\n\n      .${idClass}.vjs-fluid:not(.vjs-audio-only-mode) {\n        padding-top: ${ratioMultiplier * 100}%;\n      }\n    `);\n    }\n\n    /**\n     * Load/Create an instance of playback {@link Tech} including element\n     * and API methods. Then append the `Tech` element in `Player` as a child.\n     *\n     * @param {string} techName\n     *        name of the playback technology\n     *\n     * @param {string} source\n     *        video source\n     *\n     * @private\n     */\n    loadTech_(techName, source) {\n      // Pause and remove current playback technology\n      if (this.tech_) {\n        this.unloadTech_();\n      }\n      const titleTechName = toTitleCase$1(techName);\n      const camelTechName = techName.charAt(0).toLowerCase() + techName.slice(1);\n\n      // get rid of the HTML5 video tag as soon as we are using another tech\n      if (titleTechName !== 'Html5' && this.tag) {\n        Tech.getTech('Html5').disposeMediaElement(this.tag);\n        this.tag.player = null;\n        this.tag = null;\n      }\n      this.techName_ = titleTechName;\n\n      // Turn off API access because we're loading a new tech that might load asynchronously\n      this.isReady_ = false;\n      let autoplay = this.autoplay();\n\n      // if autoplay is a string (or `true` with normalizeAutoplay: true) we pass false to the tech\n      // because the player is going to handle autoplay on `loadstart`\n      if (typeof this.autoplay() === 'string' || this.autoplay() === true && this.options_.normalizeAutoplay) {\n        autoplay = false;\n      }\n\n      // Grab tech-specific options from player options and add source and parent element to use.\n      const techOptions = {\n        source,\n        autoplay,\n        'nativeControlsForTouch': this.options_.nativeControlsForTouch,\n        'playerId': this.id(),\n        'techId': `${this.id()}_${camelTechName}_api`,\n        'playsinline': this.options_.playsinline,\n        'preload': this.options_.preload,\n        'loop': this.options_.loop,\n        'disablePictureInPicture': this.options_.disablePictureInPicture,\n        'muted': this.options_.muted,\n        'poster': this.poster(),\n        'language': this.language(),\n        'playerElIngest': this.playerElIngest_ || false,\n        'vtt.js': this.options_['vtt.js'],\n        'canOverridePoster': !!this.options_.techCanOverridePoster,\n        'enableSourceset': this.options_.enableSourceset\n      };\n      ALL.names.forEach(name => {\n        const props = ALL[name];\n        techOptions[props.getterName] = this[props.privateName];\n      });\n      Object.assign(techOptions, this.options_[titleTechName]);\n      Object.assign(techOptions, this.options_[camelTechName]);\n      Object.assign(techOptions, this.options_[techName.toLowerCase()]);\n      if (this.tag) {\n        techOptions.tag = this.tag;\n      }\n      if (source && source.src === this.cache_.src && this.cache_.currentTime > 0) {\n        techOptions.startTime = this.cache_.currentTime;\n      }\n\n      // Initialize tech instance\n      const TechClass = Tech.getTech(techName);\n      if (!TechClass) {\n        throw new Error(`No Tech named '${titleTechName}' exists! '${titleTechName}' should be registered using videojs.registerTech()'`);\n      }\n      this.tech_ = new TechClass(techOptions);\n\n      // player.triggerReady is always async, so don't need this to be async\n      this.tech_.ready(bind_(this, this.handleTechReady_), true);\n      textTrackConverter.jsonToTextTracks(this.textTracksJson_ || [], this.tech_);\n\n      // Listen to all HTML5-defined events and trigger them on the player\n      TECH_EVENTS_RETRIGGER.forEach(event => {\n        this.on(this.tech_, event, e => this[`handleTech${toTitleCase$1(event)}_`](e));\n      });\n      Object.keys(TECH_EVENTS_QUEUE).forEach(event => {\n        this.on(this.tech_, event, eventObj => {\n          if (this.tech_.playbackRate() === 0 && this.tech_.seeking()) {\n            this.queuedCallbacks_.push({\n              callback: this[`handleTech${TECH_EVENTS_QUEUE[event]}_`].bind(this),\n              event: eventObj\n            });\n            return;\n          }\n          this[`handleTech${TECH_EVENTS_QUEUE[event]}_`](eventObj);\n        });\n      });\n      this.on(this.tech_, 'loadstart', e => this.handleTechLoadStart_(e));\n      this.on(this.tech_, 'sourceset', e => this.handleTechSourceset_(e));\n      this.on(this.tech_, 'waiting', e => this.handleTechWaiting_(e));\n      this.on(this.tech_, 'ended', e => this.handleTechEnded_(e));\n      this.on(this.tech_, 'seeking', e => this.handleTechSeeking_(e));\n      this.on(this.tech_, 'play', e => this.handleTechPlay_(e));\n      this.on(this.tech_, 'pause', e => this.handleTechPause_(e));\n      this.on(this.tech_, 'durationchange', e => this.handleTechDurationChange_(e));\n      this.on(this.tech_, 'fullscreenchange', (e, data) => this.handleTechFullscreenChange_(e, data));\n      this.on(this.tech_, 'fullscreenerror', (e, err) => this.handleTechFullscreenError_(e, err));\n      this.on(this.tech_, 'enterpictureinpicture', e => this.handleTechEnterPictureInPicture_(e));\n      this.on(this.tech_, 'leavepictureinpicture', e => this.handleTechLeavePictureInPicture_(e));\n      this.on(this.tech_, 'error', e => this.handleTechError_(e));\n      this.on(this.tech_, 'posterchange', e => this.handleTechPosterChange_(e));\n      this.on(this.tech_, 'textdata', e => this.handleTechTextData_(e));\n      this.on(this.tech_, 'ratechange', e => this.handleTechRateChange_(e));\n      this.on(this.tech_, 'loadedmetadata', this.boundUpdateStyleEl_);\n      this.usingNativeControls(this.techGet_('controls'));\n      if (this.controls() && !this.usingNativeControls()) {\n        this.addTechControlsListeners_();\n      }\n\n      // Add the tech element in the DOM if it was not already there\n      // Make sure to not insert the original video element if using Html5\n      if (this.tech_.el().parentNode !== this.el() && (titleTechName !== 'Html5' || !this.tag)) {\n        prependTo(this.tech_.el(), this.el());\n      }\n\n      // Get rid of the original video tag reference after the first tech is loaded\n      if (this.tag) {\n        this.tag.player = null;\n        this.tag = null;\n      }\n    }\n\n    /**\n     * Unload and dispose of the current playback {@link Tech}.\n     *\n     * @private\n     */\n    unloadTech_() {\n      // Save the current text tracks so that we can reuse the same text tracks with the next tech\n      ALL.names.forEach(name => {\n        const props = ALL[name];\n        this[props.privateName] = this[props.getterName]();\n      });\n      this.textTracksJson_ = textTrackConverter.textTracksToJson(this.tech_);\n      this.isReady_ = false;\n      this.tech_.dispose();\n      this.tech_ = false;\n      if (this.isPosterFromTech_) {\n        this.poster_ = '';\n        this.trigger('posterchange');\n      }\n      this.isPosterFromTech_ = false;\n    }\n\n    /**\n     * Return a reference to the current {@link Tech}.\n     * It will print a warning by default about the danger of using the tech directly\n     * but any argument that is passed in will silence the warning.\n     *\n     * @param {*} [safety]\n     *        Anything passed in to silence the warning\n     *\n     * @return {Tech}\n     *         The Tech\n     */\n    tech(safety) {\n      if (safety === undefined) {\n        log$1.warn('Using the tech directly can be dangerous. I hope you know what you\\'re doing.\\n' + 'See https://github.com/videojs/video.js/issues/2617 for more info.\\n');\n      }\n      return this.tech_;\n    }\n\n    /**\n     * An object that contains Video.js version.\n     *\n     * @typedef {Object} PlayerVersion\n     *\n     * @property {string} 'video.js' - Video.js version\n     */\n\n    /**\n     * Returns an object with Video.js version.\n     *\n     * @return {PlayerVersion}\n     *          An object with Video.js version.\n     */\n    version() {\n      return {\n        'video.js': version$5\n      };\n    }\n\n    /**\n     * Set up click and touch listeners for the playback element\n     *\n     * - On desktops: a click on the video itself will toggle playback\n     * - On mobile devices: a click on the video toggles controls\n     *   which is done by toggling the user state between active and\n     *   inactive\n     * - A tap can signal that a user has become active or has become inactive\n     *   e.g. a quick tap on an iPhone movie should reveal the controls. Another\n     *   quick tap should hide them again (signaling the user is in an inactive\n     *   viewing state)\n     * - In addition to this, we still want the user to be considered inactive after\n     *   a few seconds of inactivity.\n     *\n     * > Note: the only part of iOS interaction we can't mimic with this setup\n     * is a touch and hold on the video element counting as activity in order to\n     * keep the controls showing, but that shouldn't be an issue. A touch and hold\n     * on any controls will still keep the user active\n     *\n     * @private\n     */\n    addTechControlsListeners_() {\n      // Make sure to remove all the previous listeners in case we are called multiple times.\n      this.removeTechControlsListeners_();\n      this.on(this.tech_, 'click', this.boundHandleTechClick_);\n      this.on(this.tech_, 'dblclick', this.boundHandleTechDoubleClick_);\n\n      // If the controls were hidden we don't want that to change without a tap event\n      // so we'll check if the controls were already showing before reporting user\n      // activity\n      this.on(this.tech_, 'touchstart', this.boundHandleTechTouchStart_);\n      this.on(this.tech_, 'touchmove', this.boundHandleTechTouchMove_);\n      this.on(this.tech_, 'touchend', this.boundHandleTechTouchEnd_);\n\n      // The tap listener needs to come after the touchend listener because the tap\n      // listener cancels out any reportedUserActivity when setting userActive(false)\n      this.on(this.tech_, 'tap', this.boundHandleTechTap_);\n    }\n\n    /**\n     * Remove the listeners used for click and tap controls. This is needed for\n     * toggling to controls disabled, where a tap/touch should do nothing.\n     *\n     * @private\n     */\n    removeTechControlsListeners_() {\n      // We don't want to just use `this.off()` because there might be other needed\n      // listeners added by techs that extend this.\n      this.off(this.tech_, 'tap', this.boundHandleTechTap_);\n      this.off(this.tech_, 'touchstart', this.boundHandleTechTouchStart_);\n      this.off(this.tech_, 'touchmove', this.boundHandleTechTouchMove_);\n      this.off(this.tech_, 'touchend', this.boundHandleTechTouchEnd_);\n      this.off(this.tech_, 'click', this.boundHandleTechClick_);\n      this.off(this.tech_, 'dblclick', this.boundHandleTechDoubleClick_);\n    }\n\n    /**\n     * Player waits for the tech to be ready\n     *\n     * @private\n     */\n    handleTechReady_() {\n      this.triggerReady();\n\n      // Keep the same volume as before\n      if (this.cache_.volume) {\n        this.techCall_('setVolume', this.cache_.volume);\n      }\n\n      // Look if the tech found a higher resolution poster while loading\n      this.handleTechPosterChange_();\n\n      // Update the duration if available\n      this.handleTechDurationChange_();\n    }\n\n    /**\n     * Retrigger the `loadstart` event that was triggered by the {@link Tech}.\n     *\n     * @fires Player#loadstart\n     * @listens Tech#loadstart\n     * @private\n     */\n    handleTechLoadStart_() {\n      // TODO: Update to use `emptied` event instead. See #1277.\n\n      this.removeClass('vjs-ended', 'vjs-seeking');\n\n      // reset the error state\n      this.error(null);\n\n      // Update the duration\n      this.handleTechDurationChange_();\n      if (!this.paused()) {\n        /**\n         * Fired when the user agent begins looking for media data\n         *\n         * @event Player#loadstart\n         * @type {Event}\n         */\n        this.trigger('loadstart');\n      } else {\n        // reset the hasStarted state\n        this.hasStarted(false);\n        this.trigger('loadstart');\n      }\n\n      // autoplay happens after loadstart for the browser,\n      // so we mimic that behavior\n      this.manualAutoplay_(this.autoplay() === true && this.options_.normalizeAutoplay ? 'play' : this.autoplay());\n    }\n\n    /**\n     * Handle autoplay string values, rather than the typical boolean\n     * values that should be handled by the tech. Note that this is not\n     * part of any specification. Valid values and what they do can be\n     * found on the autoplay getter at Player#autoplay()\n     */\n    manualAutoplay_(type) {\n      if (!this.tech_ || typeof type !== 'string') {\n        return;\n      }\n\n      // Save original muted() value, set muted to true, and attempt to play().\n      // On promise rejection, restore muted from saved value\n      const resolveMuted = () => {\n        const previouslyMuted = this.muted();\n        this.muted(true);\n        const restoreMuted = () => {\n          this.muted(previouslyMuted);\n        };\n\n        // restore muted on play terminatation\n        this.playTerminatedQueue_.push(restoreMuted);\n        const mutedPromise = this.play();\n        if (!isPromise(mutedPromise)) {\n          return;\n        }\n        return mutedPromise.catch(err => {\n          restoreMuted();\n          throw new Error(`Rejection at manualAutoplay. Restoring muted value. ${err ? err : ''}`);\n        });\n      };\n      let promise;\n\n      // if muted defaults to true\n      // the only thing we can do is call play\n      if (type === 'any' && !this.muted()) {\n        promise = this.play();\n        if (isPromise(promise)) {\n          promise = promise.catch(resolveMuted);\n        }\n      } else if (type === 'muted' && !this.muted()) {\n        promise = resolveMuted();\n      } else {\n        promise = this.play();\n      }\n      if (!isPromise(promise)) {\n        return;\n      }\n      return promise.then(() => {\n        this.trigger({\n          type: 'autoplay-success',\n          autoplay: type\n        });\n      }).catch(() => {\n        this.trigger({\n          type: 'autoplay-failure',\n          autoplay: type\n        });\n      });\n    }\n\n    /**\n     * Update the internal source caches so that we return the correct source from\n     * `src()`, `currentSource()`, and `currentSources()`.\n     *\n     * > Note: `currentSources` will not be updated if the source that is passed in exists\n     *         in the current `currentSources` cache.\n     *\n     *\n     * @param {Tech~SourceObject} srcObj\n     *        A string or object source to update our caches to.\n     */\n    updateSourceCaches_(srcObj = '') {\n      let src = srcObj;\n      let type = '';\n      if (typeof src !== 'string') {\n        src = srcObj.src;\n        type = srcObj.type;\n      }\n\n      // make sure all the caches are set to default values\n      // to prevent null checking\n      this.cache_.source = this.cache_.source || {};\n      this.cache_.sources = this.cache_.sources || [];\n\n      // try to get the type of the src that was passed in\n      if (src && !type) {\n        type = findMimetype(this, src);\n      }\n\n      // update `currentSource` cache always\n      this.cache_.source = merge$2({}, srcObj, {\n        src,\n        type\n      });\n      const matchingSources = this.cache_.sources.filter(s => s.src && s.src === src);\n      const sourceElSources = [];\n      const sourceEls = this.$$('source');\n      const matchingSourceEls = [];\n      for (let i = 0; i < sourceEls.length; i++) {\n        const sourceObj = getAttributes(sourceEls[i]);\n        sourceElSources.push(sourceObj);\n        if (sourceObj.src && sourceObj.src === src) {\n          matchingSourceEls.push(sourceObj.src);\n        }\n      }\n\n      // if we have matching source els but not matching sources\n      // the current source cache is not up to date\n      if (matchingSourceEls.length && !matchingSources.length) {\n        this.cache_.sources = sourceElSources;\n        // if we don't have matching source or source els set the\n        // sources cache to the `currentSource` cache\n      } else if (!matchingSources.length) {\n        this.cache_.sources = [this.cache_.source];\n      }\n\n      // update the tech `src` cache\n      this.cache_.src = src;\n    }\n\n    /**\n     * *EXPERIMENTAL* Fired when the source is set or changed on the {@link Tech}\n     * causing the media element to reload.\n     *\n     * It will fire for the initial source and each subsequent source.\n     * This event is a custom event from Video.js and is triggered by the {@link Tech}.\n     *\n     * The event object for this event contains a `src` property that will contain the source\n     * that was available when the event was triggered. This is generally only necessary if Video.js\n     * is switching techs while the source was being changed.\n     *\n     * It is also fired when `load` is called on the player (or media element)\n     * because the {@link https://html.spec.whatwg.org/multipage/media.html#dom-media-load|specification for `load`}\n     * says that the resource selection algorithm needs to be aborted and restarted.\n     * In this case, it is very likely that the `src` property will be set to the\n     * empty string `\"\"` to indicate we do not know what the source will be but\n     * that it is changing.\n     *\n     * *This event is currently still experimental and may change in minor releases.*\n     * __To use this, pass `enableSourceset` option to the player.__\n     *\n     * @event Player#sourceset\n     * @type {Event}\n     * @prop {string} src\n     *                The source url available when the `sourceset` was triggered.\n     *                It will be an empty string if we cannot know what the source is\n     *                but know that the source will change.\n     */\n    /**\n     * Retrigger the `sourceset` event that was triggered by the {@link Tech}.\n     *\n     * @fires Player#sourceset\n     * @listens Tech#sourceset\n     * @private\n     */\n    handleTechSourceset_(event) {\n      // only update the source cache when the source\n      // was not updated using the player api\n      if (!this.changingSrc_) {\n        let updateSourceCaches = src => this.updateSourceCaches_(src);\n        const playerSrc = this.currentSource().src;\n        const eventSrc = event.src;\n\n        // if we have a playerSrc that is not a blob, and a tech src that is a blob\n        if (playerSrc && !/^blob:/.test(playerSrc) && /^blob:/.test(eventSrc)) {\n          // if both the tech source and the player source were updated we assume\n          // something like @videojs/http-streaming did the sourceset and skip updating the source cache.\n          if (!this.lastSource_ || this.lastSource_.tech !== eventSrc && this.lastSource_.player !== playerSrc) {\n            updateSourceCaches = () => {};\n          }\n        }\n\n        // update the source to the initial source right away\n        // in some cases this will be empty string\n        updateSourceCaches(eventSrc);\n\n        // if the `sourceset` `src` was an empty string\n        // wait for a `loadstart` to update the cache to `currentSrc`.\n        // If a sourceset happens before a `loadstart`, we reset the state\n        if (!event.src) {\n          this.tech_.any(['sourceset', 'loadstart'], e => {\n            // if a sourceset happens before a `loadstart` there\n            // is nothing to do as this `handleTechSourceset_`\n            // will be called again and this will be handled there.\n            if (e.type === 'sourceset') {\n              return;\n            }\n            const techSrc = this.techGet_('currentSrc');\n            this.lastSource_.tech = techSrc;\n            this.updateSourceCaches_(techSrc);\n          });\n        }\n      }\n      this.lastSource_ = {\n        player: this.currentSource().src,\n        tech: event.src\n      };\n      this.trigger({\n        src: event.src,\n        type: 'sourceset'\n      });\n    }\n\n    /**\n     * Add/remove the vjs-has-started class\n     *\n     *\n     * @param {boolean} request\n     *        - true: adds the class\n     *        - false: remove the class\n     *\n     * @return {boolean}\n     *         the boolean value of hasStarted_\n     */\n    hasStarted(request) {\n      if (request === undefined) {\n        // act as getter, if we have no request to change\n        return this.hasStarted_;\n      }\n      if (request === this.hasStarted_) {\n        return;\n      }\n      this.hasStarted_ = request;\n      if (this.hasStarted_) {\n        this.addClass('vjs-has-started');\n      } else {\n        this.removeClass('vjs-has-started');\n      }\n    }\n\n    /**\n     * Fired whenever the media begins or resumes playback\n     *\n     * @see [Spec]{@link https://html.spec.whatwg.org/multipage/embedded-content.html#dom-media-play}\n     * @fires Player#play\n     * @listens Tech#play\n     * @private\n     */\n    handleTechPlay_() {\n      this.removeClass('vjs-ended', 'vjs-paused');\n      this.addClass('vjs-playing');\n\n      // hide the poster when the user hits play\n      this.hasStarted(true);\n      /**\n       * Triggered whenever an {@link Tech#play} event happens. Indicates that\n       * playback has started or resumed.\n       *\n       * @event Player#play\n       * @type {Event}\n       */\n      this.trigger('play');\n    }\n\n    /**\n     * Retrigger the `ratechange` event that was triggered by the {@link Tech}.\n     *\n     * If there were any events queued while the playback rate was zero, fire\n     * those events now.\n     *\n     * @private\n     * @method Player#handleTechRateChange_\n     * @fires Player#ratechange\n     * @listens Tech#ratechange\n     */\n    handleTechRateChange_() {\n      if (this.tech_.playbackRate() > 0 && this.cache_.lastPlaybackRate === 0) {\n        this.queuedCallbacks_.forEach(queued => queued.callback(queued.event));\n        this.queuedCallbacks_ = [];\n      }\n      this.cache_.lastPlaybackRate = this.tech_.playbackRate();\n      /**\n       * Fires when the playing speed of the audio/video is changed\n       *\n       * @event Player#ratechange\n       * @type {event}\n       */\n      this.trigger('ratechange');\n    }\n\n    /**\n     * Retrigger the `waiting` event that was triggered by the {@link Tech}.\n     *\n     * @fires Player#waiting\n     * @listens Tech#waiting\n     * @private\n     */\n    handleTechWaiting_() {\n      this.addClass('vjs-waiting');\n      /**\n       * A readyState change on the DOM element has caused playback to stop.\n       *\n       * @event Player#waiting\n       * @type {Event}\n       */\n      this.trigger('waiting');\n\n      // Browsers may emit a timeupdate event after a waiting event. In order to prevent\n      // premature removal of the waiting class, wait for the time to change.\n      const timeWhenWaiting = this.currentTime();\n      const timeUpdateListener = () => {\n        if (timeWhenWaiting !== this.currentTime()) {\n          this.removeClass('vjs-waiting');\n          this.off('timeupdate', timeUpdateListener);\n        }\n      };\n      this.on('timeupdate', timeUpdateListener);\n    }\n\n    /**\n     * Retrigger the `canplay` event that was triggered by the {@link Tech}.\n     * > Note: This is not consistent between browsers. See #1351\n     *\n     * @fires Player#canplay\n     * @listens Tech#canplay\n     * @private\n     */\n    handleTechCanPlay_() {\n      this.removeClass('vjs-waiting');\n      /**\n       * The media has a readyState of HAVE_FUTURE_DATA or greater.\n       *\n       * @event Player#canplay\n       * @type {Event}\n       */\n      this.trigger('canplay');\n    }\n\n    /**\n     * Retrigger the `canplaythrough` event that was triggered by the {@link Tech}.\n     *\n     * @fires Player#canplaythrough\n     * @listens Tech#canplaythrough\n     * @private\n     */\n    handleTechCanPlayThrough_() {\n      this.removeClass('vjs-waiting');\n      /**\n       * The media has a readyState of HAVE_ENOUGH_DATA or greater. This means that the\n       * entire media file can be played without buffering.\n       *\n       * @event Player#canplaythrough\n       * @type {Event}\n       */\n      this.trigger('canplaythrough');\n    }\n\n    /**\n     * Retrigger the `playing` event that was triggered by the {@link Tech}.\n     *\n     * @fires Player#playing\n     * @listens Tech#playing\n     * @private\n     */\n    handleTechPlaying_() {\n      this.removeClass('vjs-waiting');\n      /**\n       * The media is no longer blocked from playback, and has started playing.\n       *\n       * @event Player#playing\n       * @type {Event}\n       */\n      this.trigger('playing');\n    }\n\n    /**\n     * Retrigger the `seeking` event that was triggered by the {@link Tech}.\n     *\n     * @fires Player#seeking\n     * @listens Tech#seeking\n     * @private\n     */\n    handleTechSeeking_() {\n      this.addClass('vjs-seeking');\n      /**\n       * Fired whenever the player is jumping to a new time\n       *\n       * @event Player#seeking\n       * @type {Event}\n       */\n      this.trigger('seeking');\n    }\n\n    /**\n     * Retrigger the `seeked` event that was triggered by the {@link Tech}.\n     *\n     * @fires Player#seeked\n     * @listens Tech#seeked\n     * @private\n     */\n    handleTechSeeked_() {\n      this.removeClass('vjs-seeking', 'vjs-ended');\n      /**\n       * Fired when the player has finished jumping to a new time\n       *\n       * @event Player#seeked\n       * @type {Event}\n       */\n      this.trigger('seeked');\n    }\n\n    /**\n     * Retrigger the `pause` event that was triggered by the {@link Tech}.\n     *\n     * @fires Player#pause\n     * @listens Tech#pause\n     * @private\n     */\n    handleTechPause_() {\n      this.removeClass('vjs-playing');\n      this.addClass('vjs-paused');\n      /**\n       * Fired whenever the media has been paused\n       *\n       * @event Player#pause\n       * @type {Event}\n       */\n      this.trigger('pause');\n    }\n\n    /**\n     * Retrigger the `ended` event that was triggered by the {@link Tech}.\n     *\n     * @fires Player#ended\n     * @listens Tech#ended\n     * @private\n     */\n    handleTechEnded_() {\n      this.addClass('vjs-ended');\n      this.removeClass('vjs-waiting');\n      if (this.options_.loop) {\n        this.currentTime(0);\n        this.play();\n      } else if (!this.paused()) {\n        this.pause();\n      }\n\n      /**\n       * Fired when the end of the media resource is reached (currentTime == duration)\n       *\n       * @event Player#ended\n       * @type {Event}\n       */\n      this.trigger('ended');\n    }\n\n    /**\n     * Fired when the duration of the media resource is first known or changed\n     *\n     * @listens Tech#durationchange\n     * @private\n     */\n    handleTechDurationChange_() {\n      this.duration(this.techGet_('duration'));\n    }\n\n    /**\n     * Handle a click on the media element to play/pause\n     *\n     * @param {Event} event\n     *        the event that caused this function to trigger\n     *\n     * @listens Tech#click\n     * @private\n     */\n    handleTechClick_(event) {\n      // When controls are disabled a click should not toggle playback because\n      // the click is considered a control\n      if (!this.controls_) {\n        return;\n      }\n      if (this.options_ === undefined || this.options_.userActions === undefined || this.options_.userActions.click === undefined || this.options_.userActions.click !== false) {\n        if (this.options_ !== undefined && this.options_.userActions !== undefined && typeof this.options_.userActions.click === 'function') {\n          this.options_.userActions.click.call(this, event);\n        } else if (this.paused()) {\n          silencePromise(this.play());\n        } else {\n          this.pause();\n        }\n      }\n    }\n\n    /**\n     * Handle a double-click on the media element to enter/exit fullscreen,\n     * or exit documentPictureInPicture mode\n     *\n     * @param {Event} event\n     *        the event that caused this function to trigger\n     *\n     * @listens Tech#dblclick\n     * @private\n     */\n    handleTechDoubleClick_(event) {\n      if (!this.controls_) {\n        return;\n      }\n\n      // we do not want to toggle fullscreen state\n      // when double-clicking inside a control bar or a modal\n      const inAllowedEls = Array.prototype.some.call(this.$$('.vjs-control-bar, .vjs-modal-dialog'), el => el.contains(event.target));\n      if (!inAllowedEls) {\n        /*\n         * options.userActions.doubleClick\n         *\n         * If `undefined` or `true`, double-click toggles fullscreen if controls are present\n         * Set to `false` to disable double-click handling\n         * Set to a function to substitute an external double-click handler\n         */\n        if (this.options_ === undefined || this.options_.userActions === undefined || this.options_.userActions.doubleClick === undefined || this.options_.userActions.doubleClick !== false) {\n          if (this.options_ !== undefined && this.options_.userActions !== undefined && typeof this.options_.userActions.doubleClick === 'function') {\n            this.options_.userActions.doubleClick.call(this, event);\n          } else if (this.isInPictureInPicture() && !document.pictureInPictureElement) {\n            // Checking the presence of `window.documentPictureInPicture.window` complicates\n            // tests, checking `document.pictureInPictureElement` also works. It wouldn't\n            // be null in regular picture in picture.\n            // Exit picture in picture mode. This gesture can't trigger pip on the main window.\n            this.exitPictureInPicture();\n          } else if (this.isFullscreen()) {\n            this.exitFullscreen();\n          } else {\n            this.requestFullscreen();\n          }\n        }\n      }\n    }\n\n    /**\n     * Handle a tap on the media element. It will toggle the user\n     * activity state, which hides and shows the controls.\n     *\n     * @listens Tech#tap\n     * @private\n     */\n    handleTechTap_() {\n      this.userActive(!this.userActive());\n    }\n\n    /**\n     * Handle touch to start\n     *\n     * @listens Tech#touchstart\n     * @private\n     */\n    handleTechTouchStart_() {\n      this.userWasActive = this.userActive();\n    }\n\n    /**\n     * Handle touch to move\n     *\n     * @listens Tech#touchmove\n     * @private\n     */\n    handleTechTouchMove_() {\n      if (this.userWasActive) {\n        this.reportUserActivity();\n      }\n    }\n\n    /**\n     * Handle touch to end\n     *\n     * @param {Event} event\n     *        the touchend event that triggered\n     *        this function\n     *\n     * @listens Tech#touchend\n     * @private\n     */\n    handleTechTouchEnd_(event) {\n      // Stop the mouse events from also happening\n      if (event.cancelable) {\n        event.preventDefault();\n      }\n    }\n\n    /**\n     * @private\n     */\n    toggleFullscreenClass_() {\n      if (this.isFullscreen()) {\n        this.addClass('vjs-fullscreen');\n      } else {\n        this.removeClass('vjs-fullscreen');\n      }\n    }\n\n    /**\n     * when the document fschange event triggers it calls this\n     */\n    documentFullscreenChange_(e) {\n      const targetPlayer = e.target.player;\n\n      // if another player was fullscreen\n      // do a null check for targetPlayer because older firefox's would put document as e.target\n      if (targetPlayer && targetPlayer !== this) {\n        return;\n      }\n      const el = this.el();\n      let isFs = document[this.fsApi_.fullscreenElement] === el;\n      if (!isFs && el.matches) {\n        isFs = el.matches(':' + this.fsApi_.fullscreen);\n      }\n      this.isFullscreen(isFs);\n    }\n\n    /**\n     * Handle Tech Fullscreen Change\n     *\n     * @param {Event} event\n     *        the fullscreenchange event that triggered this function\n     *\n     * @param {Object} data\n     *        the data that was sent with the event\n     *\n     * @private\n     * @listens Tech#fullscreenchange\n     * @fires Player#fullscreenchange\n     */\n    handleTechFullscreenChange_(event, data) {\n      if (data) {\n        if (data.nativeIOSFullscreen) {\n          this.addClass('vjs-ios-native-fs');\n          this.tech_.one('webkitendfullscreen', () => {\n            this.removeClass('vjs-ios-native-fs');\n          });\n        }\n        this.isFullscreen(data.isFullscreen);\n      }\n    }\n    handleTechFullscreenError_(event, err) {\n      this.trigger('fullscreenerror', err);\n    }\n\n    /**\n     * @private\n     */\n    togglePictureInPictureClass_() {\n      if (this.isInPictureInPicture()) {\n        this.addClass('vjs-picture-in-picture');\n      } else {\n        this.removeClass('vjs-picture-in-picture');\n      }\n    }\n\n    /**\n     * Handle Tech Enter Picture-in-Picture.\n     *\n     * @param {Event} event\n     *        the enterpictureinpicture event that triggered this function\n     *\n     * @private\n     * @listens Tech#enterpictureinpicture\n     */\n    handleTechEnterPictureInPicture_(event) {\n      this.isInPictureInPicture(true);\n    }\n\n    /**\n     * Handle Tech Leave Picture-in-Picture.\n     *\n     * @param {Event} event\n     *        the leavepictureinpicture event that triggered this function\n     *\n     * @private\n     * @listens Tech#leavepictureinpicture\n     */\n    handleTechLeavePictureInPicture_(event) {\n      this.isInPictureInPicture(false);\n    }\n\n    /**\n     * Fires when an error occurred during the loading of an audio/video.\n     *\n     * @private\n     * @listens Tech#error\n     */\n    handleTechError_() {\n      const error = this.tech_.error();\n      if (error) {\n        this.error(error);\n      }\n    }\n\n    /**\n     * Retrigger the `textdata` event that was triggered by the {@link Tech}.\n     *\n     * @fires Player#textdata\n     * @listens Tech#textdata\n     * @private\n     */\n    handleTechTextData_() {\n      let data = null;\n      if (arguments.length > 1) {\n        data = arguments[1];\n      }\n\n      /**\n       * Fires when we get a textdata event from tech\n       *\n       * @event Player#textdata\n       * @type {Event}\n       */\n      this.trigger('textdata', data);\n    }\n\n    /**\n     * Get object for cached values.\n     *\n     * @return {Object}\n     *         get the current object cache\n     */\n    getCache() {\n      return this.cache_;\n    }\n\n    /**\n     * Resets the internal cache object.\n     *\n     * Using this function outside the player constructor or reset method may\n     * have unintended side-effects.\n     *\n     * @private\n     */\n    resetCache_() {\n      this.cache_ = {\n        // Right now, the currentTime is not _really_ cached because it is always\n        // retrieved from the tech (see: currentTime). However, for completeness,\n        // we set it to zero here to ensure that if we do start actually caching\n        // it, we reset it along with everything else.\n        currentTime: 0,\n        initTime: 0,\n        inactivityTimeout: this.options_.inactivityTimeout,\n        duration: NaN,\n        lastVolume: 1,\n        lastPlaybackRate: this.defaultPlaybackRate(),\n        media: null,\n        src: '',\n        source: {},\n        sources: [],\n        playbackRates: [],\n        volume: 1\n      };\n    }\n\n    /**\n     * Pass values to the playback tech\n     *\n     * @param {string} [method]\n     *        the method to call\n     *\n     * @param {Object} [arg]\n     *        the argument to pass\n     *\n     * @private\n     */\n    techCall_(method, arg) {\n      // If it's not ready yet, call method when it is\n\n      this.ready(function () {\n        if (method in allowedSetters) {\n          return set(this.middleware_, this.tech_, method, arg);\n        } else if (method in allowedMediators) {\n          return mediate(this.middleware_, this.tech_, method, arg);\n        }\n        try {\n          if (this.tech_) {\n            this.tech_[method](arg);\n          }\n        } catch (e) {\n          log$1(e);\n          throw e;\n        }\n      }, true);\n    }\n\n    /**\n     * Mediate attempt to call playback tech method\n     * and return the value of the method called.\n     *\n     * @param {string} method\n     *        Tech method\n     *\n     * @return {*}\n     *         Value returned by the tech method called, undefined if tech\n     *         is not ready or tech method is not present\n     *\n     * @private\n     */\n    techGet_(method) {\n      if (!this.tech_ || !this.tech_.isReady_) {\n        return;\n      }\n      if (method in allowedGetters) {\n        return get(this.middleware_, this.tech_, method);\n      } else if (method in allowedMediators) {\n        return mediate(this.middleware_, this.tech_, method);\n      }\n\n      // Log error when playback tech object is present but method\n      // is undefined or unavailable\n      try {\n        return this.tech_[method]();\n      } catch (e) {\n        // When building additional tech libs, an expected method may not be defined yet\n        if (this.tech_[method] === undefined) {\n          log$1(`Video.js: ${method} method not defined for ${this.techName_} playback technology.`, e);\n          throw e;\n        }\n\n        // When a method isn't available on the object it throws a TypeError\n        if (e.name === 'TypeError') {\n          log$1(`Video.js: ${method} unavailable on ${this.techName_} playback technology element.`, e);\n          this.tech_.isReady_ = false;\n          throw e;\n        }\n\n        // If error unknown, just log and throw\n        log$1(e);\n        throw e;\n      }\n    }\n\n    /**\n     * Attempt to begin playback at the first opportunity.\n     *\n     * @return {Promise|undefined}\n     *         Returns a promise if the browser supports Promises (or one\n     *         was passed in as an option). This promise will be resolved on\n     *         the return value of play. If this is undefined it will fulfill the\n     *         promise chain otherwise the promise chain will be fulfilled when\n     *         the promise from play is fulfilled.\n     */\n    play() {\n      return new Promise(resolve => {\n        this.play_(resolve);\n      });\n    }\n\n    /**\n     * The actual logic for play, takes a callback that will be resolved on the\n     * return value of play. This allows us to resolve to the play promise if there\n     * is one on modern browsers.\n     *\n     * @private\n     * @param {Function} [callback]\n     *        The callback that should be called when the techs play is actually called\n     */\n    play_(callback = silencePromise) {\n      this.playCallbacks_.push(callback);\n      const isSrcReady = Boolean(!this.changingSrc_ && (this.src() || this.currentSrc()));\n      const isSafariOrIOS = Boolean(IS_ANY_SAFARI || IS_IOS);\n\n      // treat calls to play_ somewhat like the `one` event function\n      if (this.waitToPlay_) {\n        this.off(['ready', 'loadstart'], this.waitToPlay_);\n        this.waitToPlay_ = null;\n      }\n\n      // if the player/tech is not ready or the src itself is not ready\n      // queue up a call to play on `ready` or `loadstart`\n      if (!this.isReady_ || !isSrcReady) {\n        this.waitToPlay_ = e => {\n          this.play_();\n        };\n        this.one(['ready', 'loadstart'], this.waitToPlay_);\n\n        // if we are in Safari, there is a high chance that loadstart will trigger after the gesture timeperiod\n        // in that case, we need to prime the video element by calling load so it'll be ready in time\n        if (!isSrcReady && isSafariOrIOS) {\n          this.load();\n        }\n        return;\n      }\n\n      // If the player/tech is ready and we have a source, we can attempt playback.\n      const val = this.techGet_('play');\n\n      // For native playback, reset the progress bar if we get a play call from a replay.\n      const isNativeReplay = isSafariOrIOS && this.hasClass('vjs-ended');\n      if (isNativeReplay) {\n        this.resetProgressBar_();\n      }\n      // play was terminated if the returned value is null\n      if (val === null) {\n        this.runPlayTerminatedQueue_();\n      } else {\n        this.runPlayCallbacks_(val);\n      }\n    }\n\n    /**\n     * These functions will be run when if play is terminated. If play\n     * runPlayCallbacks_ is run these function will not be run. This allows us\n     * to differentiate between a terminated play and an actual call to play.\n     */\n    runPlayTerminatedQueue_() {\n      const queue = this.playTerminatedQueue_.slice(0);\n      this.playTerminatedQueue_ = [];\n      queue.forEach(function (q) {\n        q();\n      });\n    }\n\n    /**\n     * When a callback to play is delayed we have to run these\n     * callbacks when play is actually called on the tech. This function\n     * runs the callbacks that were delayed and accepts the return value\n     * from the tech.\n     *\n     * @param {undefined|Promise} val\n     *        The return value from the tech.\n     */\n    runPlayCallbacks_(val) {\n      const callbacks = this.playCallbacks_.slice(0);\n      this.playCallbacks_ = [];\n      // clear play terminatedQueue since we finished a real play\n      this.playTerminatedQueue_ = [];\n      callbacks.forEach(function (cb) {\n        cb(val);\n      });\n    }\n\n    /**\n     * Pause the video playback\n     */\n    pause() {\n      this.techCall_('pause');\n    }\n\n    /**\n     * Check if the player is paused or has yet to play\n     *\n     * @return {boolean}\n     *         - false: if the media is currently playing\n     *         - true: if media is not currently playing\n     */\n    paused() {\n      // The initial state of paused should be true (in Safari it's actually false)\n      return this.techGet_('paused') === false ? false : true;\n    }\n\n    /**\n     * Get a TimeRange object representing the current ranges of time that the user\n     * has played.\n     *\n     * @return {TimeRange}\n     *         A time range object that represents all the increments of time that have\n     *         been played.\n     */\n    played() {\n      return this.techGet_('played') || createTimeRanges$1(0, 0);\n    }\n\n    /**\n     * Sets or returns whether or not the user is \"scrubbing\". Scrubbing is\n     * when the user has clicked the progress bar handle and is\n     * dragging it along the progress bar.\n     *\n     * @param {boolean} [isScrubbing]\n     *        whether the user is or is not scrubbing\n     *\n     * @return {boolean|undefined}\n     *         - The value of scrubbing when getting\n     *         - Nothing when setting\n     */\n    scrubbing(isScrubbing) {\n      if (typeof isScrubbing === 'undefined') {\n        return this.scrubbing_;\n      }\n      this.scrubbing_ = !!isScrubbing;\n      this.techCall_('setScrubbing', this.scrubbing_);\n      if (isScrubbing) {\n        this.addClass('vjs-scrubbing');\n      } else {\n        this.removeClass('vjs-scrubbing');\n      }\n    }\n\n    /**\n     * Get or set the current time (in seconds)\n     *\n     * @param {number|string} [seconds]\n     *        The time to seek to in seconds\n     *\n     * @return {number|undefined}\n     *         - the current time in seconds when getting\n     *         - Nothing when setting\n     */\n    currentTime(seconds) {\n      if (seconds === undefined) {\n        // cache last currentTime and return. default to 0 seconds\n        //\n        // Caching the currentTime is meant to prevent a massive amount of reads on the tech's\n        // currentTime when scrubbing, but may not provide much performance benefit after all.\n        // Should be tested. Also something has to read the actual current time or the cache will\n        // never get updated.\n        this.cache_.currentTime = this.techGet_('currentTime') || 0;\n        return this.cache_.currentTime;\n      }\n      if (seconds < 0) {\n        seconds = 0;\n      }\n      if (!this.isReady_ || this.changingSrc_ || !this.tech_ || !this.tech_.isReady_) {\n        this.cache_.initTime = seconds;\n        this.off('canplay', this.boundApplyInitTime_);\n        this.one('canplay', this.boundApplyInitTime_);\n        return;\n      }\n      this.techCall_('setCurrentTime', seconds);\n      this.cache_.initTime = 0;\n      if (isFinite(seconds)) {\n        this.cache_.currentTime = Number(seconds);\n      }\n    }\n\n    /**\n     * Apply the value of initTime stored in cache as currentTime.\n     *\n     * @private\n     */\n    applyInitTime_() {\n      this.currentTime(this.cache_.initTime);\n    }\n\n    /**\n     * Normally gets the length in time of the video in seconds;\n     * in all but the rarest use cases an argument will NOT be passed to the method\n     *\n     * > **NOTE**: The video must have started loading before the duration can be\n     * known, and depending on preload behaviour may not be known until the video starts\n     * playing.\n     *\n     * @fires Player#durationchange\n     *\n     * @param {number} [seconds]\n     *        The duration of the video to set in seconds\n     *\n     * @return {number|undefined}\n     *         - The duration of the video in seconds when getting\n     *         - Nothing when setting\n     */\n    duration(seconds) {\n      if (seconds === undefined) {\n        // return NaN if the duration is not known\n        return this.cache_.duration !== undefined ? this.cache_.duration : NaN;\n      }\n      seconds = parseFloat(seconds);\n\n      // Standardize on Infinity for signaling video is live\n      if (seconds < 0) {\n        seconds = Infinity;\n      }\n      if (seconds !== this.cache_.duration) {\n        // Cache the last set value for optimized scrubbing\n        this.cache_.duration = seconds;\n        if (seconds === Infinity) {\n          this.addClass('vjs-live');\n        } else {\n          this.removeClass('vjs-live');\n        }\n        if (!isNaN(seconds)) {\n          // Do not fire durationchange unless the duration value is known.\n          // @see [Spec]{@link https://www.w3.org/TR/2011/WD-html5-20110113/video.html#media-element-load-algorithm}\n\n          /**\n           * @event Player#durationchange\n           * @type {Event}\n           */\n          this.trigger('durationchange');\n        }\n      }\n    }\n\n    /**\n     * Calculates how much time is left in the video. Not part\n     * of the native video API.\n     *\n     * @return {number}\n     *         The time remaining in seconds\n     */\n    remainingTime() {\n      return this.duration() - this.currentTime();\n    }\n\n    /**\n     * A remaining time function that is intended to be used when\n     * the time is to be displayed directly to the user.\n     *\n     * @return {number}\n     *         The rounded time remaining in seconds\n     */\n    remainingTimeDisplay() {\n      return Math.floor(this.duration()) - Math.floor(this.currentTime());\n    }\n\n    //\n    // Kind of like an array of portions of the video that have been downloaded.\n\n    /**\n     * Get a TimeRange object with an array of the times of the video\n     * that have been downloaded. If you just want the percent of the\n     * video that's been downloaded, use bufferedPercent.\n     *\n     * @see [Buffered Spec]{@link http://dev.w3.org/html5/spec/video.html#dom-media-buffered}\n     *\n     * @return {TimeRange}\n     *         A mock {@link TimeRanges} object (following HTML spec)\n     */\n    buffered() {\n      let buffered = this.techGet_('buffered');\n      if (!buffered || !buffered.length) {\n        buffered = createTimeRanges$1(0, 0);\n      }\n      return buffered;\n    }\n\n    /**\n     * Get the TimeRanges of the media that are currently available\n     * for seeking to.\n     *\n     * @see [Seekable Spec]{@link https://html.spec.whatwg.org/multipage/media.html#dom-media-seekable}\n     *\n     * @return {TimeRange}\n     *         A mock {@link TimeRanges} object (following HTML spec)\n     */\n    seekable() {\n      let seekable = this.techGet_('seekable');\n      if (!seekable || !seekable.length) {\n        seekable = createTimeRanges$1(0, 0);\n      }\n      return seekable;\n    }\n\n    /**\n     * Returns whether the player is in the \"seeking\" state.\n     *\n     * @return {boolean} True if the player is in the seeking state, false if not.\n     */\n    seeking() {\n      return this.techGet_('seeking');\n    }\n\n    /**\n     * Returns whether the player is in the \"ended\" state.\n     *\n     * @return {boolean} True if the player is in the ended state, false if not.\n     */\n    ended() {\n      return this.techGet_('ended');\n    }\n\n    /**\n     * Returns the current state of network activity for the element, from\n     * the codes in the list below.\n     * - NETWORK_EMPTY (numeric value 0)\n     *   The element has not yet been initialised. All attributes are in\n     *   their initial states.\n     * - NETWORK_IDLE (numeric value 1)\n     *   The element's resource selection algorithm is active and has\n     *   selected a resource, but it is not actually using the network at\n     *   this time.\n     * - NETWORK_LOADING (numeric value 2)\n     *   The user agent is actively trying to download data.\n     * - NETWORK_NO_SOURCE (numeric value 3)\n     *   The element's resource selection algorithm is active, but it has\n     *   not yet found a resource to use.\n     *\n     * @see https://html.spec.whatwg.org/multipage/embedded-content.html#network-states\n     * @return {number} the current network activity state\n     */\n    networkState() {\n      return this.techGet_('networkState');\n    }\n\n    /**\n     * Returns a value that expresses the current state of the element\n     * with respect to rendering the current playback position, from the\n     * codes in the list below.\n     * - HAVE_NOTHING (numeric value 0)\n     *   No information regarding the media resource is available.\n     * - HAVE_METADATA (numeric value 1)\n     *   Enough of the resource has been obtained that the duration of the\n     *   resource is available.\n     * - HAVE_CURRENT_DATA (numeric value 2)\n     *   Data for the immediate current playback position is available.\n     * - HAVE_FUTURE_DATA (numeric value 3)\n     *   Data for the immediate current playback position is available, as\n     *   well as enough data for the user agent to advance the current\n     *   playback position in the direction of playback.\n     * - HAVE_ENOUGH_DATA (numeric value 4)\n     *   The user agent estimates that enough data is available for\n     *   playback to proceed uninterrupted.\n     *\n     * @see https://html.spec.whatwg.org/multipage/embedded-content.html#dom-media-readystate\n     * @return {number} the current playback rendering state\n     */\n    readyState() {\n      return this.techGet_('readyState');\n    }\n\n    /**\n     * Get the percent (as a decimal) of the video that's been downloaded.\n     * This method is not a part of the native HTML video API.\n     *\n     * @return {number}\n     *         A decimal between 0 and 1 representing the percent\n     *         that is buffered 0 being 0% and 1 being 100%\n     */\n    bufferedPercent() {\n      return bufferedPercent(this.buffered(), this.duration());\n    }\n\n    /**\n     * Get the ending time of the last buffered time range\n     * This is used in the progress bar to encapsulate all time ranges.\n     *\n     * @return {number}\n     *         The end of the last buffered time range\n     */\n    bufferedEnd() {\n      const buffered = this.buffered();\n      const duration = this.duration();\n      let end = buffered.end(buffered.length - 1);\n      if (end > duration) {\n        end = duration;\n      }\n      return end;\n    }\n\n    /**\n     * Get or set the current volume of the media\n     *\n     * @param  {number} [percentAsDecimal]\n     *         The new volume as a decimal percent:\n     *         - 0 is muted/0%/off\n     *         - 1.0 is 100%/full\n     *         - 0.5 is half volume or 50%\n     *\n     * @return {number|undefined}\n     *         The current volume as a percent when getting\n     */\n    volume(percentAsDecimal) {\n      let vol;\n      if (percentAsDecimal !== undefined) {\n        // Force value to between 0 and 1\n        vol = Math.max(0, Math.min(1, percentAsDecimal));\n        this.cache_.volume = vol;\n        this.techCall_('setVolume', vol);\n        if (vol > 0) {\n          this.lastVolume_(vol);\n        }\n        return;\n      }\n\n      // Default to 1 when returning current volume.\n      vol = parseFloat(this.techGet_('volume'));\n      return isNaN(vol) ? 1 : vol;\n    }\n\n    /**\n     * Get the current muted state, or turn mute on or off\n     *\n     * @param {boolean} [muted]\n     *        - true to mute\n     *        - false to unmute\n     *\n     * @return {boolean|undefined}\n     *         - true if mute is on and getting\n     *         - false if mute is off and getting\n     *         - nothing if setting\n     */\n    muted(muted) {\n      if (muted !== undefined) {\n        this.techCall_('setMuted', muted);\n        return;\n      }\n      return this.techGet_('muted') || false;\n    }\n\n    /**\n     * Get the current defaultMuted state, or turn defaultMuted on or off. defaultMuted\n     * indicates the state of muted on initial playback.\n     *\n     * ```js\n     *   var myPlayer = videojs('some-player-id');\n     *\n     *   myPlayer.src(\"http://www.example.com/path/to/video.mp4\");\n     *\n     *   // get, should be false\n     *   console.log(myPlayer.defaultMuted());\n     *   // set to true\n     *   myPlayer.defaultMuted(true);\n     *   // get should be true\n     *   console.log(myPlayer.defaultMuted());\n     * ```\n     *\n     * @param {boolean} [defaultMuted]\n     *        - true to mute\n     *        - false to unmute\n     *\n     * @return {boolean|undefined}\n     *         - true if defaultMuted is on and getting\n     *         - false if defaultMuted is off and getting\n     *         - Nothing when setting\n     */\n    defaultMuted(defaultMuted) {\n      if (defaultMuted !== undefined) {\n        this.techCall_('setDefaultMuted', defaultMuted);\n      }\n      return this.techGet_('defaultMuted') || false;\n    }\n\n    /**\n     * Get the last volume, or set it\n     *\n     * @param  {number} [percentAsDecimal]\n     *         The new last volume as a decimal percent:\n     *         - 0 is muted/0%/off\n     *         - 1.0 is 100%/full\n     *         - 0.5 is half volume or 50%\n     *\n     * @return {number|undefined}\n     *         - The current value of lastVolume as a percent when getting\n     *         - Nothing when setting\n     *\n     * @private\n     */\n    lastVolume_(percentAsDecimal) {\n      if (percentAsDecimal !== undefined && percentAsDecimal !== 0) {\n        this.cache_.lastVolume = percentAsDecimal;\n        return;\n      }\n      return this.cache_.lastVolume;\n    }\n\n    /**\n     * Check if current tech can support native fullscreen\n     * (e.g. with built in controls like iOS)\n     *\n     * @return {boolean}\n     *         if native fullscreen is supported\n     */\n    supportsFullScreen() {\n      return this.techGet_('supportsFullScreen') || false;\n    }\n\n    /**\n     * Check if the player is in fullscreen mode or tell the player that it\n     * is or is not in fullscreen mode.\n     *\n     * > NOTE: As of the latest HTML5 spec, isFullscreen is no longer an official\n     * property and instead document.fullscreenElement is used. But isFullscreen is\n     * still a valuable property for internal player workings.\n     *\n     * @param  {boolean} [isFS]\n     *         Set the players current fullscreen state\n     *\n     * @return {boolean|undefined}\n     *         - true if fullscreen is on and getting\n     *         - false if fullscreen is off and getting\n     *         - Nothing when setting\n     */\n    isFullscreen(isFS) {\n      if (isFS !== undefined) {\n        const oldValue = this.isFullscreen_;\n        this.isFullscreen_ = Boolean(isFS);\n\n        // if we changed fullscreen state and we're in prefixed mode, trigger fullscreenchange\n        // this is the only place where we trigger fullscreenchange events for older browsers\n        // fullWindow mode is treated as a prefixed event and will get a fullscreenchange event as well\n        if (this.isFullscreen_ !== oldValue && this.fsApi_.prefixed) {\n          /**\n             * @event Player#fullscreenchange\n             * @type {Event}\n             */\n          this.trigger('fullscreenchange');\n        }\n        this.toggleFullscreenClass_();\n        return;\n      }\n      return this.isFullscreen_;\n    }\n\n    /**\n     * Increase the size of the video to full screen\n     * In some browsers, full screen is not supported natively, so it enters\n     * \"full window mode\", where the video fills the browser window.\n     * In browsers and devices that support native full screen, sometimes the\n     * browser's default controls will be shown, and not the Video.js custom skin.\n     * This includes most mobile devices (iOS, Android) and older versions of\n     * Safari.\n     *\n     * @param  {Object} [fullscreenOptions]\n     *         Override the player fullscreen options\n     *\n     * @fires Player#fullscreenchange\n     */\n    requestFullscreen(fullscreenOptions) {\n      if (this.isInPictureInPicture()) {\n        this.exitPictureInPicture();\n      }\n      const self = this;\n      return new Promise((resolve, reject) => {\n        function offHandler() {\n          self.off('fullscreenerror', errorHandler);\n          self.off('fullscreenchange', changeHandler);\n        }\n        function changeHandler() {\n          offHandler();\n          resolve();\n        }\n        function errorHandler(e, err) {\n          offHandler();\n          reject(err);\n        }\n        self.one('fullscreenchange', changeHandler);\n        self.one('fullscreenerror', errorHandler);\n        const promise = self.requestFullscreenHelper_(fullscreenOptions);\n        if (promise) {\n          promise.then(offHandler, offHandler);\n          promise.then(resolve, reject);\n        }\n      });\n    }\n    requestFullscreenHelper_(fullscreenOptions) {\n      let fsOptions;\n\n      // Only pass fullscreen options to requestFullscreen in spec-compliant browsers.\n      // Use defaults or player configured option unless passed directly to this method.\n      if (!this.fsApi_.prefixed) {\n        fsOptions = this.options_.fullscreen && this.options_.fullscreen.options || {};\n        if (fullscreenOptions !== undefined) {\n          fsOptions = fullscreenOptions;\n        }\n      }\n\n      // This method works as follows:\n      // 1. if a fullscreen api is available, use it\n      //   1. call requestFullscreen with potential options\n      //   2. if we got a promise from above, use it to update isFullscreen()\n      // 2. otherwise, if the tech supports fullscreen, call `enterFullScreen` on it.\n      //   This is particularly used for iPhone, older iPads, and non-safari browser on iOS.\n      // 3. otherwise, use \"fullWindow\" mode\n      if (this.fsApi_.requestFullscreen) {\n        const promise = this.el_[this.fsApi_.requestFullscreen](fsOptions);\n\n        // Even on browsers with promise support this may not return a promise\n        if (promise) {\n          promise.then(() => this.isFullscreen(true), () => this.isFullscreen(false));\n        }\n        return promise;\n      } else if (this.tech_.supportsFullScreen() && !this.options_.preferFullWindow === true) {\n        // we can't take the video.js controls fullscreen but we can go fullscreen\n        // with native controls\n        this.techCall_('enterFullScreen');\n      } else {\n        // fullscreen isn't supported so we'll just stretch the video element to\n        // fill the viewport\n        this.enterFullWindow();\n      }\n    }\n\n    /**\n     * Return the video to its normal size after having been in full screen mode\n     *\n     * @fires Player#fullscreenchange\n     */\n    exitFullscreen() {\n      const self = this;\n      return new Promise((resolve, reject) => {\n        function offHandler() {\n          self.off('fullscreenerror', errorHandler);\n          self.off('fullscreenchange', changeHandler);\n        }\n        function changeHandler() {\n          offHandler();\n          resolve();\n        }\n        function errorHandler(e, err) {\n          offHandler();\n          reject(err);\n        }\n        self.one('fullscreenchange', changeHandler);\n        self.one('fullscreenerror', errorHandler);\n        const promise = self.exitFullscreenHelper_();\n        if (promise) {\n          promise.then(offHandler, offHandler);\n          // map the promise to our resolve/reject methods\n          promise.then(resolve, reject);\n        }\n      });\n    }\n    exitFullscreenHelper_() {\n      if (this.fsApi_.requestFullscreen) {\n        const promise = document[this.fsApi_.exitFullscreen]();\n\n        // Even on browsers with promise support this may not return a promise\n        if (promise) {\n          // we're splitting the promise here, so, we want to catch the\n          // potential error so that this chain doesn't have unhandled errors\n          silencePromise(promise.then(() => this.isFullscreen(false)));\n        }\n        return promise;\n      } else if (this.tech_.supportsFullScreen() && !this.options_.preferFullWindow === true) {\n        this.techCall_('exitFullScreen');\n      } else {\n        this.exitFullWindow();\n      }\n    }\n\n    /**\n     * When fullscreen isn't supported we can stretch the\n     * video container to as wide as the browser will let us.\n     *\n     * @fires Player#enterFullWindow\n     */\n    enterFullWindow() {\n      this.isFullscreen(true);\n      this.isFullWindow = true;\n\n      // Storing original doc overflow value to return to when fullscreen is off\n      this.docOrigOverflow = document.documentElement.style.overflow;\n\n      // Add listener for esc key to exit fullscreen\n      on(document, 'keydown', this.boundFullWindowOnEscKey_);\n\n      // Hide any scroll bars\n      document.documentElement.style.overflow = 'hidden';\n\n      // Apply fullscreen styles\n      addClass(document.body, 'vjs-full-window');\n\n      /**\n       * @event Player#enterFullWindow\n       * @type {Event}\n       */\n      this.trigger('enterFullWindow');\n    }\n\n    /**\n     * Check for call to either exit full window or\n     * full screen on ESC key\n     *\n     * @param {string} event\n     *        Event to check for key press\n     */\n    fullWindowOnEscKey(event) {\n      if (event.key === 'Escape') {\n        if (this.isFullscreen() === true) {\n          if (!this.isFullWindow) {\n            this.exitFullscreen();\n          } else {\n            this.exitFullWindow();\n          }\n        }\n      }\n    }\n\n    /**\n     * Exit full window\n     *\n     * @fires Player#exitFullWindow\n     */\n    exitFullWindow() {\n      this.isFullscreen(false);\n      this.isFullWindow = false;\n      off(document, 'keydown', this.boundFullWindowOnEscKey_);\n\n      // Unhide scroll bars.\n      document.documentElement.style.overflow = this.docOrigOverflow;\n\n      // Remove fullscreen styles\n      removeClass(document.body, 'vjs-full-window');\n\n      // Resize the box, controller, and poster to original sizes\n      // this.positionAll();\n      /**\n       * @event Player#exitFullWindow\n       * @type {Event}\n       */\n      this.trigger('exitFullWindow');\n    }\n\n    /**\n     * Get or set disable Picture-in-Picture mode.\n     *\n     * @param {boolean} [value]\n     *                  - true will disable Picture-in-Picture mode\n     *                  - false will enable Picture-in-Picture mode\n     */\n    disablePictureInPicture(value) {\n      if (value === undefined) {\n        return this.techGet_('disablePictureInPicture');\n      }\n      this.techCall_('setDisablePictureInPicture', value);\n      this.options_.disablePictureInPicture = value;\n      this.trigger('disablepictureinpicturechanged');\n    }\n\n    /**\n     * Check if the player is in Picture-in-Picture mode or tell the player that it\n     * is or is not in Picture-in-Picture mode.\n     *\n     * @param  {boolean} [isPiP]\n     *         Set the players current Picture-in-Picture state\n     *\n     * @return {boolean|undefined}\n     *         - true if Picture-in-Picture is on and getting\n     *         - false if Picture-in-Picture is off and getting\n     *         - nothing if setting\n     */\n    isInPictureInPicture(isPiP) {\n      if (isPiP !== undefined) {\n        this.isInPictureInPicture_ = !!isPiP;\n        this.togglePictureInPictureClass_();\n        return;\n      }\n      return !!this.isInPictureInPicture_;\n    }\n\n    /**\n     * Create a floating video window always on top of other windows so that users may\n     * continue consuming media while they interact with other content sites, or\n     * applications on their device.\n     *\n     * This can use document picture-in-picture or element picture in picture\n     *\n     * Set `enableDocumentPictureInPicture` to `true` to use docPiP on a supported browser\n     * Else set `disablePictureInPicture` to `false` to disable elPiP on a supported browser\n     *\n     *\n     * @see [Spec]{@link https://w3c.github.io/picture-in-picture/}\n     * @see [Spec]{@link https://wicg.github.io/document-picture-in-picture/}\n     *\n     * @fires Player#enterpictureinpicture\n     *\n     * @return {Promise}\n     *         A promise with a Picture-in-Picture window.\n     */\n    requestPictureInPicture() {\n      if (this.options_.enableDocumentPictureInPicture && window.documentPictureInPicture) {\n        const pipContainer = document.createElement(this.el().tagName);\n        pipContainer.classList = this.el().classList;\n        pipContainer.classList.add('vjs-pip-container');\n        if (this.posterImage) {\n          pipContainer.appendChild(this.posterImage.el().cloneNode(true));\n        }\n        if (this.titleBar) {\n          pipContainer.appendChild(this.titleBar.el().cloneNode(true));\n        }\n        pipContainer.appendChild(createEl('p', {\n          className: 'vjs-pip-text'\n        }, {}, this.localize('Playing in picture-in-picture')));\n        return window.documentPictureInPicture.requestWindow({\n          // The aspect ratio won't be correct, Chrome bug https://crbug.com/1407629\n          width: this.videoWidth(),\n          height: this.videoHeight()\n        }).then(pipWindow => {\n          copyStyleSheetsToWindow(pipWindow);\n          this.el_.parentNode.insertBefore(pipContainer, this.el_);\n          pipWindow.document.body.appendChild(this.el_);\n          pipWindow.document.body.classList.add('vjs-pip-window');\n          this.player_.isInPictureInPicture(true);\n          this.player_.trigger({\n            type: 'enterpictureinpicture',\n            pipWindow\n          });\n\n          // Listen for the PiP closing event to move the video back.\n          pipWindow.addEventListener('pagehide', event => {\n            const pipVideo = event.target.querySelector('.video-js');\n            pipContainer.parentNode.replaceChild(pipVideo, pipContainer);\n            this.player_.isInPictureInPicture(false);\n            this.player_.trigger('leavepictureinpicture');\n          });\n          return pipWindow;\n        });\n      }\n      if ('pictureInPictureEnabled' in document && this.disablePictureInPicture() === false) {\n        /**\n         * This event fires when the player enters picture in picture mode\n         *\n         * @event Player#enterpictureinpicture\n         * @type {Event}\n         */\n        return this.techGet_('requestPictureInPicture');\n      }\n      return Promise.reject('No PiP mode is available');\n    }\n\n    /**\n     * Exit Picture-in-Picture mode.\n     *\n     * @see [Spec]{@link https://wicg.github.io/picture-in-picture}\n     *\n     * @fires Player#leavepictureinpicture\n     *\n     * @return {Promise}\n     *         A promise.\n     */\n    exitPictureInPicture() {\n      if (window.documentPictureInPicture && window.documentPictureInPicture.window) {\n        // With documentPictureInPicture, Player#leavepictureinpicture is fired in the pagehide handler\n        window.documentPictureInPicture.window.close();\n        return Promise.resolve();\n      }\n      if ('pictureInPictureEnabled' in document) {\n        /**\n         * This event fires when the player leaves picture in picture mode\n         *\n         * @event Player#leavepictureinpicture\n         * @type {Event}\n         */\n        return document.exitPictureInPicture();\n      }\n    }\n\n    /**\n     * Called when this Player has focus and a key gets pressed down, or when\n     * any Component of this player receives a key press that it doesn't handle.\n     * This allows player-wide hotkeys (either as defined below, or optionally\n     * by an external function).\n     *\n     * @param {KeyboardEvent} event\n     *        The `keydown` event that caused this function to be called.\n     *\n     * @listens keydown\n     */\n    handleKeyDown(event) {\n      const {\n        userActions\n      } = this.options_;\n\n      // Bail out if hotkeys are not configured.\n      if (!userActions || !userActions.hotkeys) {\n        return;\n      }\n\n      // Function that determines whether or not to exclude an element from\n      // hotkeys handling.\n      const excludeElement = el => {\n        const tagName = el.tagName.toLowerCase();\n\n        // The first and easiest test is for `contenteditable` elements.\n        if (el.isContentEditable) {\n          return true;\n        }\n\n        // Inputs matching these types will still trigger hotkey handling as\n        // they are not text inputs.\n        const allowedInputTypes = ['button', 'checkbox', 'hidden', 'radio', 'reset', 'submit'];\n        if (tagName === 'input') {\n          return allowedInputTypes.indexOf(el.type) === -1;\n        }\n\n        // The final test is by tag name. These tags will be excluded entirely.\n        const excludedTags = ['textarea'];\n        return excludedTags.indexOf(tagName) !== -1;\n      };\n\n      // Bail out if the user is focused on an interactive form element.\n      if (excludeElement(this.el_.ownerDocument.activeElement)) {\n        return;\n      }\n      if (typeof userActions.hotkeys === 'function') {\n        userActions.hotkeys.call(this, event);\n      } else {\n        this.handleHotkeys(event);\n      }\n    }\n\n    /**\n     * Called when this Player receives a hotkey keydown event.\n     * Supported player-wide hotkeys are:\n     *\n     *   f          - toggle fullscreen\n     *   m          - toggle mute\n     *   k or Space - toggle play/pause\n     *\n     * @param {Event} event\n     *        The `keydown` event that caused this function to be called.\n     */\n    handleHotkeys(event) {\n      const hotkeys = this.options_.userActions ? this.options_.userActions.hotkeys : {};\n\n      // set fullscreenKey, muteKey, playPauseKey from `hotkeys`, use defaults if not set\n      const {\n        fullscreenKey = keydownEvent => event.key.toLowerCase() === 'f',\n        muteKey = keydownEvent => event.key.toLowerCase() === 'm',\n        playPauseKey = keydownEvent => event.key.toLowerCase() === 'k' || event.key.toLowerCase() === ' '\n      } = hotkeys;\n      if (fullscreenKey.call(this, event)) {\n        event.preventDefault();\n        event.stopPropagation();\n        const FSToggle = Component$1.getComponent('FullscreenToggle');\n        if (document[this.fsApi_.fullscreenEnabled] !== false) {\n          FSToggle.prototype.handleClick.call(this, event);\n        }\n      } else if (muteKey.call(this, event)) {\n        event.preventDefault();\n        event.stopPropagation();\n        const MuteToggle = Component$1.getComponent('MuteToggle');\n        MuteToggle.prototype.handleClick.call(this, event);\n      } else if (playPauseKey.call(this, event)) {\n        event.preventDefault();\n        event.stopPropagation();\n        const PlayToggle = Component$1.getComponent('PlayToggle');\n        PlayToggle.prototype.handleClick.call(this, event);\n      }\n    }\n\n    /**\n     * Check whether the player can play a given mimetype\n     *\n     * @see https://www.w3.org/TR/2011/WD-html5-20110113/video.html#dom-navigator-canplaytype\n     *\n     * @param {string} type\n     *        The mimetype to check\n     *\n     * @return {string}\n     *         'probably', 'maybe', or '' (empty string)\n     */\n    canPlayType(type) {\n      let can;\n\n      // Loop through each playback technology in the options order\n      for (let i = 0, j = this.options_.techOrder; i < j.length; i++) {\n        const techName = j[i];\n        let tech = Tech.getTech(techName);\n\n        // Support old behavior of techs being registered as components.\n        // Remove once that deprecated behavior is removed.\n        if (!tech) {\n          tech = Component$1.getComponent(techName);\n        }\n\n        // Check if the current tech is defined before continuing\n        if (!tech) {\n          log$1.error(`The \"${techName}\" tech is undefined. Skipped browser support check for that tech.`);\n          continue;\n        }\n\n        // Check if the browser supports this technology\n        if (tech.isSupported()) {\n          can = tech.canPlayType(type);\n          if (can) {\n            return can;\n          }\n        }\n      }\n      return '';\n    }\n\n    /**\n     * Select source based on tech-order or source-order\n     * Uses source-order selection if `options.sourceOrder` is truthy. Otherwise,\n     * defaults to tech-order selection\n     *\n     * @param {Array} sources\n     *        The sources for a media asset\n     *\n     * @return {Object|boolean}\n     *         Object of source and tech order or false\n     */\n    selectSource(sources) {\n      // Get only the techs specified in `techOrder` that exist and are supported by the\n      // current platform\n      const techs = this.options_.techOrder.map(techName => {\n        return [techName, Tech.getTech(techName)];\n      }).filter(([techName, tech]) => {\n        // Check if the current tech is defined before continuing\n        if (tech) {\n          // Check if the browser supports this technology\n          return tech.isSupported();\n        }\n        log$1.error(`The \"${techName}\" tech is undefined. Skipped browser support check for that tech.`);\n        return false;\n      });\n\n      // Iterate over each `innerArray` element once per `outerArray` element and execute\n      // `tester` with both. If `tester` returns a non-falsy value, exit early and return\n      // that value.\n      const findFirstPassingTechSourcePair = function (outerArray, innerArray, tester) {\n        let found;\n        outerArray.some(outerChoice => {\n          return innerArray.some(innerChoice => {\n            found = tester(outerChoice, innerChoice);\n            if (found) {\n              return true;\n            }\n          });\n        });\n        return found;\n      };\n      let foundSourceAndTech;\n      const flip = fn => (a, b) => fn(b, a);\n      const finder = ([techName, tech], source) => {\n        if (tech.canPlaySource(source, this.options_[techName.toLowerCase()])) {\n          return {\n            source,\n            tech: techName\n          };\n        }\n      };\n\n      // Depending on the truthiness of `options.sourceOrder`, we swap the order of techs and sources\n      // to select from them based on their priority.\n      if (this.options_.sourceOrder) {\n        // Source-first ordering\n        foundSourceAndTech = findFirstPassingTechSourcePair(sources, techs, flip(finder));\n      } else {\n        // Tech-first ordering\n        foundSourceAndTech = findFirstPassingTechSourcePair(techs, sources, finder);\n      }\n      return foundSourceAndTech || false;\n    }\n\n    /**\n     * Executes source setting and getting logic\n     *\n     * @param {Tech~SourceObject|Tech~SourceObject[]|string} [source]\n     *        A SourceObject, an array of SourceObjects, or a string referencing\n     *        a URL to a media source. It is _highly recommended_ that an object\n     *        or array of objects is used here, so that source selection\n     *        algorithms can take the `type` into account.\n     *\n     *        If not provided, this method acts as a getter.\n     * @param {boolean} [isRetry]\n     *        Indicates whether this is being called internally as a result of a retry\n     *\n     * @return {string|undefined}\n     *         If the `source` argument is missing, returns the current source\n     *         URL. Otherwise, returns nothing/undefined.\n     */\n    handleSrc_(source, isRetry) {\n      // getter usage\n      if (typeof source === 'undefined') {\n        return this.cache_.src || '';\n      }\n\n      // Reset retry behavior for new source\n      if (this.resetRetryOnError_) {\n        this.resetRetryOnError_();\n      }\n\n      // filter out invalid sources and turn our source into\n      // an array of source objects\n      const sources = filterSource(source);\n\n      // if a source was passed in then it is invalid because\n      // it was filtered to a zero length Array. So we have to\n      // show an error\n      if (!sources.length) {\n        this.setTimeout(function () {\n          this.error({\n            code: 4,\n            message: this.options_.notSupportedMessage\n          });\n        }, 0);\n        return;\n      }\n\n      // initial sources\n      this.changingSrc_ = true;\n\n      // Only update the cached source list if we are not retrying a new source after error,\n      // since in that case we want to include the failed source(s) in the cache\n      if (!isRetry) {\n        this.cache_.sources = sources;\n      }\n      this.updateSourceCaches_(sources[0]);\n\n      // middlewareSource is the source after it has been changed by middleware\n      setSource(this, sources[0], (middlewareSource, mws) => {\n        this.middleware_ = mws;\n\n        // since sourceSet is async we have to update the cache again after we select a source since\n        // the source that is selected could be out of order from the cache update above this callback.\n        if (!isRetry) {\n          this.cache_.sources = sources;\n        }\n        this.updateSourceCaches_(middlewareSource);\n        const err = this.src_(middlewareSource);\n        if (err) {\n          if (sources.length > 1) {\n            return this.handleSrc_(sources.slice(1));\n          }\n          this.changingSrc_ = false;\n\n          // We need to wrap this in a timeout to give folks a chance to add error event handlers\n          this.setTimeout(function () {\n            this.error({\n              code: 4,\n              message: this.options_.notSupportedMessage\n            });\n          }, 0);\n\n          // we could not find an appropriate tech, but let's still notify the delegate that this is it\n          // this needs a better comment about why this is needed\n          this.triggerReady();\n          return;\n        }\n        setTech(mws, this.tech_);\n      });\n\n      // Try another available source if this one fails before playback.\n      if (sources.length > 1) {\n        const retry = () => {\n          // Remove the error modal\n          this.error(null);\n          this.handleSrc_(sources.slice(1), true);\n        };\n        const stopListeningForErrors = () => {\n          this.off('error', retry);\n        };\n        this.one('error', retry);\n        this.one('playing', stopListeningForErrors);\n        this.resetRetryOnError_ = () => {\n          this.off('error', retry);\n          this.off('playing', stopListeningForErrors);\n        };\n      }\n    }\n\n    /**\n     * Get or set the video source.\n     *\n     * @param {Tech~SourceObject|Tech~SourceObject[]|string} [source]\n     *        A SourceObject, an array of SourceObjects, or a string referencing\n     *        a URL to a media source. It is _highly recommended_ that an object\n     *        or array of objects is used here, so that source selection\n     *        algorithms can take the `type` into account.\n     *\n     *        If not provided, this method acts as a getter.\n     *\n     * @return {string|undefined}\n     *         If the `source` argument is missing, returns the current source\n     *         URL. Otherwise, returns nothing/undefined.\n     */\n    src(source) {\n      return this.handleSrc_(source, false);\n    }\n\n    /**\n     * Set the source object on the tech, returns a boolean that indicates whether\n     * there is a tech that can play the source or not\n     *\n     * @param {Tech~SourceObject} source\n     *        The source object to set on the Tech\n     *\n     * @return {boolean}\n     *         - True if there is no Tech to playback this source\n     *         - False otherwise\n     *\n     * @private\n     */\n    src_(source) {\n      const sourceTech = this.selectSource([source]);\n      if (!sourceTech) {\n        return true;\n      }\n      if (!titleCaseEquals(sourceTech.tech, this.techName_)) {\n        this.changingSrc_ = true;\n        // load this technology with the chosen source\n        this.loadTech_(sourceTech.tech, sourceTech.source);\n        this.tech_.ready(() => {\n          this.changingSrc_ = false;\n        });\n        return false;\n      }\n\n      // wait until the tech is ready to set the source\n      // and set it synchronously if possible (#2326)\n      this.ready(function () {\n        // The setSource tech method was added with source handlers\n        // so older techs won't support it\n        // We need to check the direct prototype for the case where subclasses\n        // of the tech do not support source handlers\n        if (this.tech_.constructor.prototype.hasOwnProperty('setSource')) {\n          this.techCall_('setSource', source);\n        } else {\n          this.techCall_('src', source.src);\n        }\n        this.changingSrc_ = false;\n      }, true);\n      return false;\n    }\n\n    /**\n     * Add a <source> element to the <video> element.\n     *\n     * @param {string} srcUrl\n     *        The URL of the video source.\n     *\n     * @param {string} [mimeType]\n     *        The MIME type of the video source. Optional but recommended.\n     *\n     * @return {boolean}\n     *         Returns true if the source element was successfully added, false otherwise.\n     */\n    addSourceElement(srcUrl, mimeType) {\n      if (!this.tech_) {\n        return false;\n      }\n      return this.tech_.addSourceElement(srcUrl, mimeType);\n    }\n\n    /**\n     * Remove a <source> element from the <video> element by its URL.\n     *\n     * @param {string} srcUrl\n     *        The URL of the source to remove.\n     *\n     * @return {boolean}\n     *         Returns true if the source element was successfully removed, false otherwise.\n     */\n    removeSourceElement(srcUrl) {\n      if (!this.tech_) {\n        return false;\n      }\n      return this.tech_.removeSourceElement(srcUrl);\n    }\n\n    /**\n     * Begin loading the src data.\n     */\n    load() {\n      // Workaround to use the load method with the VHS.\n      // Does not cover the case when the load method is called directly from the mediaElement.\n      if (this.tech_ && this.tech_.vhs) {\n        this.src(this.currentSource());\n        return;\n      }\n      this.techCall_('load');\n    }\n\n    /**\n     * Reset the player. Loads the first tech in the techOrder,\n     * removes all the text tracks in the existing `tech`,\n     * and calls `reset` on the `tech`.\n     */\n    reset() {\n      if (this.paused()) {\n        this.doReset_();\n      } else {\n        const playPromise = this.play();\n        silencePromise(playPromise.then(() => this.doReset_()));\n      }\n    }\n    doReset_() {\n      if (this.tech_) {\n        this.tech_.clearTracks('text');\n      }\n      this.removeClass('vjs-playing');\n      this.addClass('vjs-paused');\n      this.resetCache_();\n      this.poster('');\n      this.loadTech_(this.options_.techOrder[0], null);\n      this.techCall_('reset');\n      this.resetControlBarUI_();\n      this.error(null);\n      if (this.titleBar) {\n        this.titleBar.update({\n          title: undefined,\n          description: undefined\n        });\n      }\n      if (isEvented(this)) {\n        this.trigger('playerreset');\n      }\n    }\n\n    /**\n     * Reset Control Bar's UI by calling sub-methods that reset\n     * all of Control Bar's components\n     */\n    resetControlBarUI_() {\n      this.resetProgressBar_();\n      this.resetPlaybackRate_();\n      this.resetVolumeBar_();\n    }\n\n    /**\n     * Reset tech's progress so progress bar is reset in the UI\n     */\n    resetProgressBar_() {\n      this.currentTime(0);\n      const {\n        currentTimeDisplay,\n        durationDisplay,\n        progressControl,\n        remainingTimeDisplay\n      } = this.controlBar || {};\n      const {\n        seekBar\n      } = progressControl || {};\n      if (currentTimeDisplay) {\n        currentTimeDisplay.updateContent();\n      }\n      if (durationDisplay) {\n        durationDisplay.updateContent();\n      }\n      if (remainingTimeDisplay) {\n        remainingTimeDisplay.updateContent();\n      }\n      if (seekBar) {\n        seekBar.update();\n        if (seekBar.loadProgressBar) {\n          seekBar.loadProgressBar.update();\n        }\n      }\n    }\n\n    /**\n     * Reset Playback ratio\n     */\n    resetPlaybackRate_() {\n      this.playbackRate(this.defaultPlaybackRate());\n      this.handleTechRateChange_();\n    }\n\n    /**\n     * Reset Volume bar\n     */\n    resetVolumeBar_() {\n      this.volume(1.0);\n      this.trigger('volumechange');\n    }\n\n    /**\n     * Returns all of the current source objects.\n     *\n     * @return {Tech~SourceObject[]}\n     *         The current source objects\n     */\n    currentSources() {\n      const source = this.currentSource();\n      const sources = [];\n\n      // assume `{}` or `{ src }`\n      if (Object.keys(source).length !== 0) {\n        sources.push(source);\n      }\n      return this.cache_.sources || sources;\n    }\n\n    /**\n     * Returns the current source object.\n     *\n     * @return {Tech~SourceObject}\n     *         The current source object\n     */\n    currentSource() {\n      return this.cache_.source || {};\n    }\n\n    /**\n     * Returns the fully qualified URL of the current source value e.g. http://mysite.com/video.mp4\n     * Can be used in conjunction with `currentType` to assist in rebuilding the current source object.\n     *\n     * @return {string}\n     *         The current source\n     */\n    currentSrc() {\n      return this.currentSource() && this.currentSource().src || '';\n    }\n\n    /**\n     * Get the current source type e.g. video/mp4\n     * This can allow you rebuild the current source object so that you could load the same\n     * source and tech later\n     *\n     * @return {string}\n     *         The source MIME type\n     */\n    currentType() {\n      return this.currentSource() && this.currentSource().type || '';\n    }\n\n    /**\n     * Get or set the preload attribute\n     *\n     * @param {'none'|'auto'|'metadata'} [value]\n     *        Preload mode to pass to tech\n     *\n     * @return {string|undefined}\n     *         - The preload attribute value when getting\n     *         - Nothing when setting\n     */\n    preload(value) {\n      if (value !== undefined) {\n        this.techCall_('setPreload', value);\n        this.options_.preload = value;\n        return;\n      }\n      return this.techGet_('preload');\n    }\n\n    /**\n     * Get or set the autoplay option. When this is a boolean it will\n     * modify the attribute on the tech. When this is a string the attribute on\n     * the tech will be removed and `Player` will handle autoplay on loadstarts.\n     *\n     * @param {boolean|'play'|'muted'|'any'} [value]\n     *        - true: autoplay using the browser behavior\n     *        - false: do not autoplay\n     *        - 'play': call play() on every loadstart\n     *        - 'muted': call muted() then play() on every loadstart\n     *        - 'any': call play() on every loadstart. if that fails call muted() then play().\n     *        - *: values other than those listed here will be set `autoplay` to true\n     *\n     * @return {boolean|string|undefined}\n     *         - The current value of autoplay when getting\n     *         - Nothing when setting\n     */\n    autoplay(value) {\n      // getter usage\n      if (value === undefined) {\n        return this.options_.autoplay || false;\n      }\n      let techAutoplay;\n\n      // if the value is a valid string set it to that, or normalize `true` to 'play', if need be\n      if (typeof value === 'string' && /(any|play|muted)/.test(value) || value === true && this.options_.normalizeAutoplay) {\n        this.options_.autoplay = value;\n        this.manualAutoplay_(typeof value === 'string' ? value : 'play');\n        techAutoplay = false;\n\n        // any falsy value sets autoplay to false in the browser,\n        // lets do the same\n      } else if (!value) {\n        this.options_.autoplay = false;\n\n        // any other value (ie truthy) sets autoplay to true\n      } else {\n        this.options_.autoplay = true;\n      }\n      techAutoplay = typeof techAutoplay === 'undefined' ? this.options_.autoplay : techAutoplay;\n\n      // if we don't have a tech then we do not queue up\n      // a setAutoplay call on tech ready. We do this because the\n      // autoplay option will be passed in the constructor and we\n      // do not need to set it twice\n      if (this.tech_) {\n        this.techCall_('setAutoplay', techAutoplay);\n      }\n    }\n\n    /**\n     * Set or unset the playsinline attribute.\n     * Playsinline tells the browser that non-fullscreen playback is preferred.\n     *\n     * @param {boolean} [value]\n     *        - true means that we should try to play inline by default\n     *        - false means that we should use the browser's default playback mode,\n     *          which in most cases is inline. iOS Safari is a notable exception\n     *          and plays fullscreen by default.\n     *\n     * @return {string|undefined}\n     *         - the current value of playsinline\n     *         - Nothing when setting\n     *\n     * @see [Spec]{@link https://html.spec.whatwg.org/#attr-video-playsinline}\n     */\n    playsinline(value) {\n      if (value !== undefined) {\n        this.techCall_('setPlaysinline', value);\n        this.options_.playsinline = value;\n      }\n      return this.techGet_('playsinline');\n    }\n\n    /**\n     * Get or set the loop attribute on the video element.\n     *\n     * @param {boolean} [value]\n     *        - true means that we should loop the video\n     *        - false means that we should not loop the video\n     *\n     * @return {boolean|undefined}\n     *         - The current value of loop when getting\n     *         - Nothing when setting\n     */\n    loop(value) {\n      if (value !== undefined) {\n        this.techCall_('setLoop', value);\n        this.options_.loop = value;\n        return;\n      }\n      return this.techGet_('loop');\n    }\n\n    /**\n     * Get or set the poster image source url\n     *\n     * @fires Player#posterchange\n     *\n     * @param {string} [src]\n     *        Poster image source URL\n     *\n     * @return {string|undefined}\n     *         - The current value of poster when getting\n     *         - Nothing when setting\n     */\n    poster(src) {\n      if (src === undefined) {\n        return this.poster_;\n      }\n\n      // The correct way to remove a poster is to set as an empty string\n      // other falsey values will throw errors\n      if (!src) {\n        src = '';\n      }\n      if (src === this.poster_) {\n        return;\n      }\n\n      // update the internal poster variable\n      this.poster_ = src;\n\n      // update the tech's poster\n      this.techCall_('setPoster', src);\n      this.isPosterFromTech_ = false;\n\n      // alert components that the poster has been set\n      /**\n       * This event fires when the poster image is changed on the player.\n       *\n       * @event Player#posterchange\n       * @type {Event}\n       */\n      this.trigger('posterchange');\n    }\n\n    /**\n     * Some techs (e.g. YouTube) can provide a poster source in an\n     * asynchronous way. We want the poster component to use this\n     * poster source so that it covers up the tech's controls.\n     * (YouTube's play button). However we only want to use this\n     * source if the player user hasn't set a poster through\n     * the normal APIs.\n     *\n     * @fires Player#posterchange\n     * @listens Tech#posterchange\n     * @private\n     */\n    handleTechPosterChange_() {\n      if ((!this.poster_ || this.options_.techCanOverridePoster) && this.tech_ && this.tech_.poster) {\n        const newPoster = this.tech_.poster() || '';\n        if (newPoster !== this.poster_) {\n          this.poster_ = newPoster;\n          this.isPosterFromTech_ = true;\n\n          // Let components know the poster has changed\n          this.trigger('posterchange');\n        }\n      }\n    }\n\n    /**\n     * Get or set whether or not the controls are showing.\n     *\n     * @fires Player#controlsenabled\n     *\n     * @param {boolean} [bool]\n     *        - true to turn controls on\n     *        - false to turn controls off\n     *\n     * @return {boolean|undefined}\n     *         - The current value of controls when getting\n     *         - Nothing when setting\n     */\n    controls(bool) {\n      if (bool === undefined) {\n        return !!this.controls_;\n      }\n      bool = !!bool;\n\n      // Don't trigger a change event unless it actually changed\n      if (this.controls_ === bool) {\n        return;\n      }\n      this.controls_ = bool;\n      if (this.usingNativeControls()) {\n        this.techCall_('setControls', bool);\n      }\n      if (this.controls_) {\n        this.removeClass('vjs-controls-disabled');\n        this.addClass('vjs-controls-enabled');\n        /**\n         * @event Player#controlsenabled\n         * @type {Event}\n         */\n        this.trigger('controlsenabled');\n        if (!this.usingNativeControls()) {\n          this.addTechControlsListeners_();\n        }\n      } else {\n        this.removeClass('vjs-controls-enabled');\n        this.addClass('vjs-controls-disabled');\n        /**\n         * @event Player#controlsdisabled\n         * @type {Event}\n         */\n        this.trigger('controlsdisabled');\n        if (!this.usingNativeControls()) {\n          this.removeTechControlsListeners_();\n        }\n      }\n    }\n\n    /**\n     * Toggle native controls on/off. Native controls are the controls built into\n     * devices (e.g. default iPhone controls) or other techs\n     * (e.g. Vimeo Controls)\n     * **This should only be set by the current tech, because only the tech knows\n     * if it can support native controls**\n     *\n     * @fires Player#usingnativecontrols\n     * @fires Player#usingcustomcontrols\n     *\n     * @param {boolean} [bool]\n     *        - true to turn native controls on\n     *        - false to turn native controls off\n     *\n     * @return {boolean|undefined}\n     *         - The current value of native controls when getting\n     *         - Nothing when setting\n     */\n    usingNativeControls(bool) {\n      if (bool === undefined) {\n        return !!this.usingNativeControls_;\n      }\n      bool = !!bool;\n\n      // Don't trigger a change event unless it actually changed\n      if (this.usingNativeControls_ === bool) {\n        return;\n      }\n      this.usingNativeControls_ = bool;\n      if (this.usingNativeControls_) {\n        this.addClass('vjs-using-native-controls');\n\n        /**\n         * player is using the native device controls\n         *\n         * @event Player#usingnativecontrols\n         * @type {Event}\n         */\n        this.trigger('usingnativecontrols');\n      } else {\n        this.removeClass('vjs-using-native-controls');\n\n        /**\n         * player is using the custom HTML controls\n         *\n         * @event Player#usingcustomcontrols\n         * @type {Event}\n         */\n        this.trigger('usingcustomcontrols');\n      }\n    }\n\n    /**\n     * Set or get the current MediaError\n     *\n     * @fires Player#error\n     *\n     * @param  {MediaError|string|number} [err]\n     *         A MediaError or a string/number to be turned\n     *         into a MediaError\n     *\n     * @return {MediaError|null|undefined}\n     *         - The current MediaError when getting (or null)\n     *         - Nothing when setting\n     */\n    error(err) {\n      if (err === undefined) {\n        return this.error_ || null;\n      }\n\n      // allow hooks to modify error object\n      hooks('beforeerror').forEach(hookFunction => {\n        const newErr = hookFunction(this, err);\n        if (!(isObject$1(newErr) && !Array.isArray(newErr) || typeof newErr === 'string' || typeof newErr === 'number' || newErr === null)) {\n          this.log.error('please return a value that MediaError expects in beforeerror hooks');\n          return;\n        }\n        err = newErr;\n      });\n\n      // Suppress the first error message for no compatible source until\n      // user interaction\n      if (this.options_.suppressNotSupportedError && err && err.code === 4) {\n        const triggerSuppressedError = function () {\n          this.error(err);\n        };\n        this.options_.suppressNotSupportedError = false;\n        this.any(['click', 'touchstart'], triggerSuppressedError);\n        this.one('loadstart', function () {\n          this.off(['click', 'touchstart'], triggerSuppressedError);\n        });\n        return;\n      }\n\n      // restoring to default\n      if (err === null) {\n        this.error_ = null;\n        this.removeClass('vjs-error');\n        if (this.errorDisplay) {\n          this.errorDisplay.close();\n        }\n        return;\n      }\n      this.error_ = new MediaError(err);\n\n      // add the vjs-error classname to the player\n      this.addClass('vjs-error');\n\n      // log the name of the error type and any message\n      // IE11 logs \"[object object]\" and required you to expand message to see error object\n      log$1.error(`(CODE:${this.error_.code} ${MediaError.errorTypes[this.error_.code]})`, this.error_.message, this.error_);\n\n      /**\n       * @event Player#error\n       * @type {Event}\n       */\n      this.trigger('error');\n\n      // notify hooks of the per player error\n      hooks('error').forEach(hookFunction => hookFunction(this, this.error_));\n      return;\n    }\n\n    /**\n     * Report user activity\n     *\n     * @param {Object} event\n     *        Event object\n     */\n    reportUserActivity(event) {\n      this.userActivity_ = true;\n    }\n\n    /**\n     * Get/set if user is active\n     *\n     * @fires Player#useractive\n     * @fires Player#userinactive\n     *\n     * @param {boolean} [bool]\n     *        - true if the user is active\n     *        - false if the user is inactive\n     *\n     * @return {boolean|undefined}\n     *         - The current value of userActive when getting\n     *         - Nothing when setting\n     */\n    userActive(bool) {\n      if (bool === undefined) {\n        return this.userActive_;\n      }\n      bool = !!bool;\n      if (bool === this.userActive_) {\n        return;\n      }\n      this.userActive_ = bool;\n      if (this.userActive_) {\n        this.userActivity_ = true;\n        this.removeClass('vjs-user-inactive');\n        this.addClass('vjs-user-active');\n        /**\n         * @event Player#useractive\n         * @type {Event}\n         */\n        this.trigger('useractive');\n        return;\n      }\n\n      // Chrome/Safari/IE have bugs where when you change the cursor it can\n      // trigger a mousemove event. This causes an issue when you're hiding\n      // the cursor when the user is inactive, and a mousemove signals user\n      // activity. Making it impossible to go into inactive mode. Specifically\n      // this happens in fullscreen when we really need to hide the cursor.\n      //\n      // When this gets resolved in ALL browsers it can be removed\n      // https://code.google.com/p/chromium/issues/detail?id=103041\n      if (this.tech_) {\n        this.tech_.one('mousemove', function (e) {\n          e.stopPropagation();\n          e.preventDefault();\n        });\n      }\n      this.userActivity_ = false;\n      this.removeClass('vjs-user-active');\n      this.addClass('vjs-user-inactive');\n      /**\n       * @event Player#userinactive\n       * @type {Event}\n       */\n      this.trigger('userinactive');\n    }\n\n    /**\n     * Listen for user activity based on timeout value\n     *\n     * @private\n     */\n    listenForUserActivity_() {\n      let mouseInProgress;\n      let lastMoveX;\n      let lastMoveY;\n      const handleActivity = bind_(this, this.reportUserActivity);\n      const handleMouseMove = function (e) {\n        // #1068 - Prevent mousemove spamming\n        // Chrome Bug: https://code.google.com/p/chromium/issues/detail?id=366970\n        if (e.screenX !== lastMoveX || e.screenY !== lastMoveY) {\n          lastMoveX = e.screenX;\n          lastMoveY = e.screenY;\n          handleActivity();\n        }\n      };\n      const handleMouseDown = function () {\n        handleActivity();\n        // For as long as the they are touching the device or have their mouse down,\n        // we consider them active even if they're not moving their finger or mouse.\n        // So we want to continue to update that they are active\n        this.clearInterval(mouseInProgress);\n        // Setting userActivity=true now and setting the interval to the same time\n        // as the activityCheck interval (250) should ensure we never miss the\n        // next activityCheck\n        mouseInProgress = this.setInterval(handleActivity, 250);\n      };\n      const handleMouseUpAndMouseLeave = function (event) {\n        handleActivity();\n        // Stop the interval that maintains activity if the mouse/touch is down\n        this.clearInterval(mouseInProgress);\n      };\n\n      // Any mouse movement will be considered user activity\n      this.on('mousedown', handleMouseDown);\n      this.on('mousemove', handleMouseMove);\n      this.on('mouseup', handleMouseUpAndMouseLeave);\n      this.on('mouseleave', handleMouseUpAndMouseLeave);\n      const controlBar = this.getChild('controlBar');\n\n      // Fixes bug on Android & iOS where when tapping progressBar (when control bar is displayed)\n      // controlBar would no longer be hidden by default timeout.\n      if (controlBar && !IS_IOS && !IS_ANDROID) {\n        controlBar.on('mouseenter', function (event) {\n          if (this.player().options_.inactivityTimeout !== 0) {\n            this.player().cache_.inactivityTimeout = this.player().options_.inactivityTimeout;\n          }\n          this.player().options_.inactivityTimeout = 0;\n        });\n        controlBar.on('mouseleave', function (event) {\n          this.player().options_.inactivityTimeout = this.player().cache_.inactivityTimeout;\n        });\n      }\n\n      // Listen for keyboard navigation\n      // Shouldn't need to use inProgress interval because of key repeat\n      this.on('keydown', handleActivity);\n      this.on('keyup', handleActivity);\n\n      // Run an interval every 250 milliseconds instead of stuffing everything into\n      // the mousemove/touchmove function itself, to prevent performance degradation.\n      // `this.reportUserActivity` simply sets this.userActivity_ to true, which\n      // then gets picked up by this loop\n      // http://ejohn.org/blog/learning-from-twitter/\n      let inactivityTimeout;\n\n      /** @this Player */\n      const activityCheck = function () {\n        // Check to see if mouse/touch activity has happened\n        if (!this.userActivity_) {\n          return;\n        }\n\n        // Reset the activity tracker\n        this.userActivity_ = false;\n\n        // If the user state was inactive, set the state to active\n        this.userActive(true);\n\n        // Clear any existing inactivity timeout to start the timer over\n        this.clearTimeout(inactivityTimeout);\n        const timeout = this.options_.inactivityTimeout;\n        if (timeout <= 0) {\n          return;\n        }\n\n        // In <timeout> milliseconds, if no more activity has occurred the\n        // user will be considered inactive\n        inactivityTimeout = this.setTimeout(function () {\n          // Protect against the case where the inactivityTimeout can trigger just\n          // before the next user activity is picked up by the activity check loop\n          // causing a flicker\n          if (!this.userActivity_) {\n            this.userActive(false);\n          }\n        }, timeout);\n      };\n      this.setInterval(activityCheck, 250);\n    }\n\n    /**\n     * Gets or sets the current playback rate. A playback rate of\n     * 1.0 represents normal speed and 0.5 would indicate half-speed\n     * playback, for instance.\n     *\n     * @see https://html.spec.whatwg.org/multipage/embedded-content.html#dom-media-playbackrate\n     *\n     * @param {number} [rate]\n     *       New playback rate to set.\n     *\n     * @return {number|undefined}\n     *         - The current playback rate when getting or 1.0\n     *         - Nothing when setting\n     */\n    playbackRate(rate) {\n      if (rate !== undefined) {\n        // NOTE: this.cache_.lastPlaybackRate is set from the tech handler\n        // that is registered above\n        this.techCall_('setPlaybackRate', rate);\n        return;\n      }\n      if (this.tech_ && this.tech_.featuresPlaybackRate) {\n        return this.cache_.lastPlaybackRate || this.techGet_('playbackRate');\n      }\n      return 1.0;\n    }\n\n    /**\n     * Gets or sets the current default playback rate. A default playback rate of\n     * 1.0 represents normal speed and 0.5 would indicate half-speed playback, for instance.\n     * defaultPlaybackRate will only represent what the initial playbackRate of a video was, not\n     * not the current playbackRate.\n     *\n     * @see https://html.spec.whatwg.org/multipage/embedded-content.html#dom-media-defaultplaybackrate\n     *\n     * @param {number} [rate]\n     *       New default playback rate to set.\n     *\n     * @return {number|undefined}\n     *         - The default playback rate when getting or 1.0\n     *         - Nothing when setting\n     */\n    defaultPlaybackRate(rate) {\n      if (rate !== undefined) {\n        return this.techCall_('setDefaultPlaybackRate', rate);\n      }\n      if (this.tech_ && this.tech_.featuresPlaybackRate) {\n        return this.techGet_('defaultPlaybackRate');\n      }\n      return 1.0;\n    }\n\n    /**\n     * Gets or sets the audio flag\n     *\n     * @param {boolean} [bool]\n     *        - true signals that this is an audio player\n     *        - false signals that this is not an audio player\n     *\n     * @return {boolean|undefined}\n     *         - The current value of isAudio when getting\n     *         - Nothing when setting\n     */\n    isAudio(bool) {\n      if (bool !== undefined) {\n        this.isAudio_ = !!bool;\n        return;\n      }\n      return !!this.isAudio_;\n    }\n    updatePlayerHeightOnAudioOnlyMode_() {\n      const controlBar = this.getChild('ControlBar');\n      if (!controlBar || this.audioOnlyCache_.controlBarHeight === controlBar.currentHeight()) {\n        return;\n      }\n      this.audioOnlyCache_.controlBarHeight = controlBar.currentHeight();\n      this.height(this.audioOnlyCache_.controlBarHeight);\n    }\n    enableAudioOnlyUI_() {\n      // Update styling immediately to show the control bar so we can get its height\n      this.addClass('vjs-audio-only-mode');\n      const playerChildren = this.children();\n      const controlBar = this.getChild('ControlBar');\n      const controlBarHeight = controlBar && controlBar.currentHeight();\n\n      // Hide all player components except the control bar. Control bar components\n      // needed only for video are hidden with CSS\n      playerChildren.forEach(child => {\n        if (child === controlBar) {\n          return;\n        }\n        if (child.el_ && !child.hasClass('vjs-hidden')) {\n          child.hide();\n          this.audioOnlyCache_.hiddenChildren.push(child);\n        }\n      });\n      this.audioOnlyCache_.playerHeight = this.currentHeight();\n      this.audioOnlyCache_.controlBarHeight = controlBarHeight;\n      this.on('playerresize', this.boundUpdatePlayerHeightOnAudioOnlyMode_);\n\n      // Set the player height the same as the control bar\n      this.height(controlBarHeight);\n      this.trigger('audioonlymodechange');\n    }\n    disableAudioOnlyUI_() {\n      this.removeClass('vjs-audio-only-mode');\n      this.off('playerresize', this.boundUpdatePlayerHeightOnAudioOnlyMode_);\n\n      // Show player components that were previously hidden\n      this.audioOnlyCache_.hiddenChildren.forEach(child => child.show());\n\n      // Reset player height\n      this.height(this.audioOnlyCache_.playerHeight);\n      this.trigger('audioonlymodechange');\n    }\n\n    /**\n     * Get the current audioOnlyMode state or set audioOnlyMode to true or false.\n     *\n     * Setting this to `true` will hide all player components except the control bar,\n     * as well as control bar components needed only for video.\n     *\n     * @param {boolean} [value]\n     *         The value to set audioOnlyMode to.\n     *\n     * @return {Promise|boolean}\n     *        A Promise is returned when setting the state, and a boolean when getting\n     *        the present state\n     */\n    audioOnlyMode(value) {\n      if (typeof value !== 'boolean' || value === this.audioOnlyMode_) {\n        return this.audioOnlyMode_;\n      }\n      this.audioOnlyMode_ = value;\n\n      // Enable Audio Only Mode\n      if (value) {\n        const exitPromises = [];\n\n        // Fullscreen and PiP are not supported in audioOnlyMode, so exit if we need to.\n        if (this.isInPictureInPicture()) {\n          exitPromises.push(this.exitPictureInPicture());\n        }\n        if (this.isFullscreen()) {\n          exitPromises.push(this.exitFullscreen());\n        }\n        if (this.audioPosterMode()) {\n          exitPromises.push(this.audioPosterMode(false));\n        }\n        return Promise.all(exitPromises).then(() => this.enableAudioOnlyUI_());\n      }\n\n      // Disable Audio Only Mode\n      return Promise.resolve().then(() => this.disableAudioOnlyUI_());\n    }\n    enablePosterModeUI_() {\n      // Hide the video element and show the poster image to enable posterModeUI\n      const tech = this.tech_ && this.tech_;\n      tech.hide();\n      this.addClass('vjs-audio-poster-mode');\n      this.trigger('audiopostermodechange');\n    }\n    disablePosterModeUI_() {\n      // Show the video element and hide the poster image to disable posterModeUI\n      const tech = this.tech_ && this.tech_;\n      tech.show();\n      this.removeClass('vjs-audio-poster-mode');\n      this.trigger('audiopostermodechange');\n    }\n\n    /**\n     * Get the current audioPosterMode state or set audioPosterMode to true or false\n     *\n     * @param {boolean} [value]\n     *         The value to set audioPosterMode to.\n     *\n     * @return {Promise|boolean}\n     *         A Promise is returned when setting the state, and a boolean when getting\n     *        the present state\n     */\n    audioPosterMode(value) {\n      if (typeof value !== 'boolean' || value === this.audioPosterMode_) {\n        return this.audioPosterMode_;\n      }\n      this.audioPosterMode_ = value;\n      if (value) {\n        if (this.audioOnlyMode()) {\n          const audioOnlyModePromise = this.audioOnlyMode(false);\n          return audioOnlyModePromise.then(() => {\n            // enable audio poster mode after audio only mode is disabled\n            this.enablePosterModeUI_();\n          });\n        }\n        return Promise.resolve().then(() => {\n          // enable audio poster mode\n          this.enablePosterModeUI_();\n        });\n      }\n      return Promise.resolve().then(() => {\n        // disable audio poster mode\n        this.disablePosterModeUI_();\n      });\n    }\n\n    /**\n     * A helper method for adding a {@link TextTrack} to our\n     * {@link TextTrackList}.\n     *\n     * In addition to the W3C settings we allow adding additional info through options.\n     *\n     * @see http://www.w3.org/html/wg/drafts/html/master/embedded-content-0.html#dom-media-addtexttrack\n     *\n     * @param {string} [kind]\n     *        the kind of TextTrack you are adding\n     *\n     * @param {string} [label]\n     *        the label to give the TextTrack label\n     *\n     * @param {string} [language]\n     *        the language to set on the TextTrack\n     *\n     * @return {TextTrack|undefined}\n     *         the TextTrack that was added or undefined\n     *         if there is no tech\n     */\n    addTextTrack(kind, label, language) {\n      if (this.tech_) {\n        return this.tech_.addTextTrack(kind, label, language);\n      }\n    }\n\n    /**\n     * Create a remote {@link TextTrack} and an {@link HTMLTrackElement}.\n     *\n     * @param {Object} options\n     *        Options to pass to {@link HTMLTrackElement} during creation. See\n     *        {@link HTMLTrackElement} for object properties that you should use.\n     *\n     * @param {boolean} [manualCleanup=false] if set to true, the TextTrack will not be removed\n     *                                        from the TextTrackList and HtmlTrackElementList\n     *                                        after a source change\n     *\n     * @return {HtmlTrackElement}\n     *         the HTMLTrackElement that was created and added\n     *         to the HtmlTrackElementList and the remote\n     *         TextTrackList\n     *\n     */\n    addRemoteTextTrack(options, manualCleanup) {\n      if (this.tech_) {\n        return this.tech_.addRemoteTextTrack(options, manualCleanup);\n      }\n    }\n\n    /**\n     * Remove a remote {@link TextTrack} from the respective\n     * {@link TextTrackList} and {@link HtmlTrackElementList}.\n     *\n     * @param {Object} track\n     *        Remote {@link TextTrack} to remove\n     *\n     * @return {undefined}\n     *         does not return anything\n     */\n    removeRemoteTextTrack(obj = {}) {\n      let {\n        track\n      } = obj;\n      if (!track) {\n        track = obj;\n      }\n\n      // destructure the input into an object with a track argument, defaulting to arguments[0]\n      // default the whole argument to an empty object if nothing was passed in\n\n      if (this.tech_) {\n        return this.tech_.removeRemoteTextTrack(track);\n      }\n    }\n\n    /**\n     * Gets available media playback quality metrics as specified by the W3C's Media\n     * Playback Quality API.\n     *\n     * @see [Spec]{@link https://wicg.github.io/media-playback-quality}\n     *\n     * @return {Object|undefined}\n     *         An object with supported media playback quality metrics or undefined if there\n     *         is no tech or the tech does not support it.\n     */\n    getVideoPlaybackQuality() {\n      return this.techGet_('getVideoPlaybackQuality');\n    }\n\n    /**\n     * Get video width\n     *\n     * @return {number}\n     *         current video width\n     */\n    videoWidth() {\n      return this.tech_ && this.tech_.videoWidth && this.tech_.videoWidth() || 0;\n    }\n\n    /**\n     * Get video height\n     *\n     * @return {number}\n     *         current video height\n     */\n    videoHeight() {\n      return this.tech_ && this.tech_.videoHeight && this.tech_.videoHeight() || 0;\n    }\n\n    /**\n     * Set or get the player's language code.\n     *\n     * Changing the language will trigger\n     * [languagechange]{@link Player#event:languagechange}\n     * which Components can use to update control text.\n     * ClickableComponent will update its control text by default on\n     * [languagechange]{@link Player#event:languagechange}.\n     *\n     * @fires Player#languagechange\n     *\n     * @param {string} [code]\n     *        the language code to set the player to\n     *\n     * @return {string|undefined}\n     *         - The current language code when getting\n     *         - Nothing when setting\n     */\n    language(code) {\n      if (code === undefined) {\n        return this.language_;\n      }\n      if (this.language_ !== String(code).toLowerCase()) {\n        this.language_ = String(code).toLowerCase();\n\n        // during first init, it's possible some things won't be evented\n        if (isEvented(this)) {\n          /**\n          * fires when the player language change\n          *\n          * @event Player#languagechange\n          * @type {Event}\n          */\n          this.trigger('languagechange');\n        }\n      }\n    }\n\n    /**\n     * Get the player's language dictionary\n     * Merge every time, because a newly added plugin might call videojs.addLanguage() at any time\n     * Languages specified directly in the player options have precedence\n     *\n     * @return {Array}\n     *         An array of of supported languages\n     */\n    languages() {\n      return merge$2(Player.prototype.options_.languages, this.languages_);\n    }\n\n    /**\n     * returns a JavaScript object representing the current track\n     * information. **DOES not return it as JSON**\n     *\n     * @return {Object}\n     *         Object representing the current of track info\n     */\n    toJSON() {\n      const options = merge$2(this.options_);\n      const tracks = options.tracks;\n      options.tracks = [];\n      for (let i = 0; i < tracks.length; i++) {\n        let track = tracks[i];\n\n        // deep merge tracks and null out player so no circular references\n        track = merge$2(track);\n        track.player = undefined;\n        options.tracks[i] = track;\n      }\n      return options;\n    }\n\n    /**\n     * Creates a simple modal dialog (an instance of the {@link ModalDialog}\n     * component) that immediately overlays the player with arbitrary\n     * content and removes itself when closed.\n     *\n     * @param {string|Function|Element|Array|null} content\n     *        Same as {@link ModalDialog#content}'s param of the same name.\n     *        The most straight-forward usage is to provide a string or DOM\n     *        element.\n     *\n     * @param {Object} [options]\n     *        Extra options which will be passed on to the {@link ModalDialog}.\n     *\n     * @return {ModalDialog}\n     *         the {@link ModalDialog} that was created\n     */\n    createModal(content, options) {\n      options = options || {};\n      options.content = content || '';\n      const modal = new ModalDialog(this, options);\n      this.addChild(modal);\n      modal.on('dispose', () => {\n        this.removeChild(modal);\n      });\n      modal.open();\n      return modal;\n    }\n\n    /**\n     * Change breakpoint classes when the player resizes.\n     *\n     * @private\n     */\n    updateCurrentBreakpoint_() {\n      if (!this.responsive()) {\n        return;\n      }\n      const currentBreakpoint = this.currentBreakpoint();\n      const currentWidth = this.currentWidth();\n      for (let i = 0; i < BREAKPOINT_ORDER.length; i++) {\n        const candidateBreakpoint = BREAKPOINT_ORDER[i];\n        const maxWidth = this.breakpoints_[candidateBreakpoint];\n        if (currentWidth <= maxWidth) {\n          // The current breakpoint did not change, nothing to do.\n          if (currentBreakpoint === candidateBreakpoint) {\n            return;\n          }\n\n          // Only remove a class if there is a current breakpoint.\n          if (currentBreakpoint) {\n            this.removeClass(BREAKPOINT_CLASSES[currentBreakpoint]);\n          }\n          this.addClass(BREAKPOINT_CLASSES[candidateBreakpoint]);\n          this.breakpoint_ = candidateBreakpoint;\n          break;\n        }\n      }\n    }\n\n    /**\n     * Removes the current breakpoint.\n     *\n     * @private\n     */\n    removeCurrentBreakpoint_() {\n      const className = this.currentBreakpointClass();\n      this.breakpoint_ = '';\n      if (className) {\n        this.removeClass(className);\n      }\n    }\n\n    /**\n     * Get or set breakpoints on the player.\n     *\n     * Calling this method with an object or `true` will remove any previous\n     * custom breakpoints and start from the defaults again.\n     *\n     * @param  {Object|boolean} [breakpoints]\n     *         If an object is given, it can be used to provide custom\n     *         breakpoints. If `true` is given, will set default breakpoints.\n     *         If this argument is not given, will simply return the current\n     *         breakpoints.\n     *\n     * @param  {number} [breakpoints.tiny]\n     *         The maximum width for the \"vjs-layout-tiny\" class.\n     *\n     * @param  {number} [breakpoints.xsmall]\n     *         The maximum width for the \"vjs-layout-x-small\" class.\n     *\n     * @param  {number} [breakpoints.small]\n     *         The maximum width for the \"vjs-layout-small\" class.\n     *\n     * @param  {number} [breakpoints.medium]\n     *         The maximum width for the \"vjs-layout-medium\" class.\n     *\n     * @param  {number} [breakpoints.large]\n     *         The maximum width for the \"vjs-layout-large\" class.\n     *\n     * @param  {number} [breakpoints.xlarge]\n     *         The maximum width for the \"vjs-layout-x-large\" class.\n     *\n     * @param  {number} [breakpoints.huge]\n     *         The maximum width for the \"vjs-layout-huge\" class.\n     *\n     * @return {Object}\n     *         An object mapping breakpoint names to maximum width values.\n     */\n    breakpoints(breakpoints) {\n      // Used as a getter.\n      if (breakpoints === undefined) {\n        return Object.assign(this.breakpoints_);\n      }\n      this.breakpoint_ = '';\n      this.breakpoints_ = Object.assign({}, DEFAULT_BREAKPOINTS, breakpoints);\n\n      // When breakpoint definitions change, we need to update the currently\n      // selected breakpoint.\n      this.updateCurrentBreakpoint_();\n\n      // Clone the breakpoints before returning.\n      return Object.assign(this.breakpoints_);\n    }\n\n    /**\n     * Get or set a flag indicating whether or not this player should adjust\n     * its UI based on its dimensions.\n     *\n     * @param  {boolean} [value]\n     *         Should be `true` if the player should adjust its UI based on its\n     *         dimensions; otherwise, should be `false`.\n     *\n     * @return {boolean|undefined}\n     *         Will be `true` if this player should adjust its UI based on its\n     *         dimensions; otherwise, will be `false`.\n     *         Nothing if setting\n     */\n    responsive(value) {\n      // Used as a getter.\n      if (value === undefined) {\n        return this.responsive_;\n      }\n      value = Boolean(value);\n      const current = this.responsive_;\n\n      // Nothing changed.\n      if (value === current) {\n        return;\n      }\n\n      // The value actually changed, set it.\n      this.responsive_ = value;\n\n      // Start listening for breakpoints and set the initial breakpoint if the\n      // player is now responsive.\n      if (value) {\n        this.on('playerresize', this.boundUpdateCurrentBreakpoint_);\n        this.updateCurrentBreakpoint_();\n\n        // Stop listening for breakpoints if the player is no longer responsive.\n      } else {\n        this.off('playerresize', this.boundUpdateCurrentBreakpoint_);\n        this.removeCurrentBreakpoint_();\n      }\n      return value;\n    }\n\n    /**\n     * Get current breakpoint name, if any.\n     *\n     * @return {string}\n     *         If there is currently a breakpoint set, returns a the key from the\n     *         breakpoints object matching it. Otherwise, returns an empty string.\n     */\n    currentBreakpoint() {\n      return this.breakpoint_;\n    }\n\n    /**\n     * Get the current breakpoint class name.\n     *\n     * @return {string}\n     *         The matching class name (e.g. `\"vjs-layout-tiny\"` or\n     *         `\"vjs-layout-large\"`) for the current breakpoint. Empty string if\n     *         there is no current breakpoint.\n     */\n    currentBreakpointClass() {\n      return BREAKPOINT_CLASSES[this.breakpoint_] || '';\n    }\n\n    /**\n     * An object that describes a single piece of media.\n     *\n     * Properties that are not part of this type description will be retained; so,\n     * this can be viewed as a generic metadata storage mechanism as well.\n     *\n     * @see      {@link https://wicg.github.io/mediasession/#the-mediametadata-interface}\n     * @typedef  {Object} Player~MediaObject\n     *\n     * @property {string} [album]\n     *           Unused, except if this object is passed to the `MediaSession`\n     *           API.\n     *\n     * @property {string} [artist]\n     *           Unused, except if this object is passed to the `MediaSession`\n     *           API.\n     *\n     * @property {Object[]} [artwork]\n     *           Unused, except if this object is passed to the `MediaSession`\n     *           API. If not specified, will be populated via the `poster`, if\n     *           available.\n     *\n     * @property {string} [poster]\n     *           URL to an image that will display before playback.\n     *\n     * @property {Tech~SourceObject|Tech~SourceObject[]|string} [src]\n     *           A single source object, an array of source objects, or a string\n     *           referencing a URL to a media source. It is _highly recommended_\n     *           that an object or array of objects is used here, so that source\n     *           selection algorithms can take the `type` into account.\n     *\n     * @property {string} [title]\n     *           Unused, except if this object is passed to the `MediaSession`\n     *           API.\n     *\n     * @property {Object[]} [textTracks]\n     *           An array of objects to be used to create text tracks, following\n     *           the {@link https://www.w3.org/TR/html50/embedded-content-0.html#the-track-element|native track element format}.\n     *           For ease of removal, these will be created as \"remote\" text\n     *           tracks and set to automatically clean up on source changes.\n     *\n     *           These objects may have properties like `src`, `kind`, `label`,\n     *           and `language`, see {@link Tech#createRemoteTextTrack}.\n     */\n\n    /**\n     * Populate the player using a {@link Player~MediaObject|MediaObject}.\n     *\n     * @param  {Player~MediaObject} media\n     *         A media object.\n     *\n     * @param  {Function} ready\n     *         A callback to be called when the player is ready.\n     */\n    loadMedia(media, ready) {\n      if (!media || typeof media !== 'object') {\n        return;\n      }\n      const crossOrigin = this.crossOrigin();\n      this.reset();\n\n      // Clone the media object so it cannot be mutated from outside.\n      this.cache_.media = merge$2(media);\n      const {\n        artist,\n        artwork,\n        description,\n        poster,\n        src,\n        textTracks,\n        title\n      } = this.cache_.media;\n\n      // If `artwork` is not given, create it using `poster`.\n      if (!artwork && poster) {\n        this.cache_.media.artwork = [{\n          src: poster,\n          type: getMimetype(poster)\n        }];\n      }\n      if (crossOrigin) {\n        this.crossOrigin(crossOrigin);\n      }\n      if (src) {\n        this.src(src);\n      }\n      if (poster) {\n        this.poster(poster);\n      }\n      if (Array.isArray(textTracks)) {\n        textTracks.forEach(tt => this.addRemoteTextTrack(tt, false));\n      }\n      if (this.titleBar) {\n        this.titleBar.update({\n          title,\n          description: description || artist || ''\n        });\n      }\n      this.ready(ready);\n    }\n\n    /**\n     * Get a clone of the current {@link Player~MediaObject} for this player.\n     *\n     * If the `loadMedia` method has not been used, will attempt to return a\n     * {@link Player~MediaObject} based on the current state of the player.\n     *\n     * @return {Player~MediaObject}\n     */\n    getMedia() {\n      if (!this.cache_.media) {\n        const poster = this.poster();\n        const src = this.currentSources();\n        const textTracks = Array.prototype.map.call(this.remoteTextTracks(), tt => ({\n          kind: tt.kind,\n          label: tt.label,\n          language: tt.language,\n          src: tt.src\n        }));\n        const media = {\n          src,\n          textTracks\n        };\n        if (poster) {\n          media.poster = poster;\n          media.artwork = [{\n            src: media.poster,\n            type: getMimetype(media.poster)\n          }];\n        }\n        return media;\n      }\n      return merge$2(this.cache_.media);\n    }\n\n    /**\n     * Gets tag settings\n     *\n     * @param {Element} tag\n     *        The player tag\n     *\n     * @return {Object}\n     *         An object containing all of the settings\n     *         for a player tag\n     */\n    static getTagSettings(tag) {\n      const baseOptions = {\n        sources: [],\n        tracks: []\n      };\n      const tagOptions = getAttributes(tag);\n      const dataSetup = tagOptions['data-setup'];\n      if (hasClass(tag, 'vjs-fill')) {\n        tagOptions.fill = true;\n      }\n      if (hasClass(tag, 'vjs-fluid')) {\n        tagOptions.fluid = true;\n      }\n\n      // Check if data-setup attr exists.\n      if (dataSetup !== null) {\n        // Parse options JSON\n        try {\n          // If empty string, make it a parsable json object.\n          Object.assign(tagOptions, JSON.parse(dataSetup || '{}'));\n        } catch (e) {\n          log$1.error('data-setup', e);\n        }\n      }\n      Object.assign(baseOptions, tagOptions);\n\n      // Get tag children settings\n      if (tag.hasChildNodes()) {\n        const children = tag.childNodes;\n        for (let i = 0, j = children.length; i < j; i++) {\n          const child = children[i];\n          // Change case needed: http://ejohn.org/blog/nodename-case-sensitivity/\n          const childName = child.nodeName.toLowerCase();\n          if (childName === 'source') {\n            baseOptions.sources.push(getAttributes(child));\n          } else if (childName === 'track') {\n            baseOptions.tracks.push(getAttributes(child));\n          }\n        }\n      }\n      return baseOptions;\n    }\n\n    /**\n     * Set debug mode to enable/disable logs at info level.\n     *\n     * @param {boolean} enabled\n     * @fires Player#debugon\n     * @fires Player#debugoff\n     * @return {boolean|undefined}\n     */\n    debug(enabled) {\n      if (enabled === undefined) {\n        return this.debugEnabled_;\n      }\n      if (enabled) {\n        this.trigger('debugon');\n        this.previousLogLevel_ = this.log.level;\n        this.log.level('debug');\n        this.debugEnabled_ = true;\n      } else {\n        this.trigger('debugoff');\n        this.log.level(this.previousLogLevel_);\n        this.previousLogLevel_ = undefined;\n        this.debugEnabled_ = false;\n      }\n    }\n\n    /**\n     * Set or get current playback rates.\n     * Takes an array and updates the playback rates menu with the new items.\n     * Pass in an empty array to hide the menu.\n     * Values other than arrays are ignored.\n     *\n     * @fires Player#playbackrateschange\n     * @param {number[]} [newRates]\n     *                   The new rates that the playback rates menu should update to.\n     *                   An empty array will hide the menu\n     * @return {number[]} When used as a getter will return the current playback rates\n     */\n    playbackRates(newRates) {\n      if (newRates === undefined) {\n        return this.cache_.playbackRates;\n      }\n\n      // ignore any value that isn't an array\n      if (!Array.isArray(newRates)) {\n        return;\n      }\n\n      // ignore any arrays that don't only contain numbers\n      if (!newRates.every(rate => typeof rate === 'number')) {\n        return;\n      }\n      this.cache_.playbackRates = newRates;\n\n      /**\n      * fires when the playback rates in a player are changed\n      *\n      * @event Player#playbackrateschange\n      * @type {Event}\n      */\n      this.trigger('playbackrateschange');\n    }\n\n    /**\n     * Reports whether or not a player has a plugin available.\n     *\n     * This does not report whether or not the plugin has ever been initialized\n     * on this player. For that, [usingPlugin]{@link Player#usingPlugin}.\n     *\n     * @method hasPlugin\n     * @param  {string}  name\n     *         The name of a plugin.\n     *\n     * @return {boolean}\n     *         Whether or not this player has the requested plugin available.\n     */\n\n    /**\n     * Reports whether or not a player is using a plugin by name.\n     *\n     * For basic plugins, this only reports whether the plugin has _ever_ been\n     * initialized on this player.\n     *\n     * @method Player#usingPlugin\n     * @param  {string} name\n     *         The name of a plugin.\n     *\n     * @return {boolean}\n     *         Whether or not this player is using the requested plugin.\n     */\n  }\n\n  /**\n   * Get the {@link VideoTrackList}\n   *\n   * @link https://html.spec.whatwg.org/multipage/embedded-content.html#videotracklist\n   *\n   * @return {VideoTrackList}\n   *         the current video track list\n   *\n   * @method Player.prototype.videoTracks\n   */\n\n  /**\n   * Get the {@link AudioTrackList}\n   *\n   * @link https://html.spec.whatwg.org/multipage/embedded-content.html#audiotracklist\n   *\n   * @return {AudioTrackList}\n   *         the current audio track list\n   *\n   * @method Player.prototype.audioTracks\n   */\n\n  /**\n   * Get the {@link TextTrackList}\n   *\n   * @link http://www.w3.org/html/wg/drafts/html/master/embedded-content-0.html#dom-media-texttracks\n   *\n   * @return {TextTrackList}\n   *         the current text track list\n   *\n   * @method Player.prototype.textTracks\n   */\n\n  /**\n   * Get the remote {@link TextTrackList}\n   *\n   * @return {TextTrackList}\n   *         The current remote text track list\n   *\n   * @method Player.prototype.remoteTextTracks\n   */\n\n  /**\n   * Get the remote {@link HtmlTrackElementList} tracks.\n   *\n   * @return {HtmlTrackElementList}\n   *         The current remote text track element list\n   *\n   * @method Player.prototype.remoteTextTrackEls\n   */\n\n  ALL.names.forEach(function (name) {\n    const props = ALL[name];\n    Player.prototype[props.getterName] = function () {\n      if (this.tech_) {\n        return this.tech_[props.getterName]();\n      }\n\n      // if we have not yet loadTech_, we create {video,audio,text}Tracks_\n      // these will be passed to the tech during loading\n      this[props.privateName] = this[props.privateName] || new props.ListClass();\n      return this[props.privateName];\n    };\n  });\n\n  /**\n   * Get or set the `Player`'s crossorigin option. For the HTML5 player, this\n   * sets the `crossOrigin` property on the `<video>` tag to control the CORS\n   * behavior.\n   *\n   * @see [Video Element Attributes]{@link https://developer.mozilla.org/en-US/docs/Web/HTML/Element/video#attr-crossorigin}\n   *\n   * @param {string} [value]\n   *        The value to set the `Player`'s crossorigin to. If an argument is\n   *        given, must be one of `anonymous` or `use-credentials`.\n   *\n   * @return {string|undefined}\n   *         - The current crossorigin value of the `Player` when getting.\n   *         - undefined when setting\n   */\n  Player.prototype.crossorigin = Player.prototype.crossOrigin;\n\n  /**\n   * Global enumeration of players.\n   *\n   * The keys are the player IDs and the values are either the {@link Player}\n   * instance or `null` for disposed players.\n   *\n   * @type {Object}\n   */\n  Player.players = {};\n  const navigator = window.navigator;\n\n  /*\n   * Player instance options, surfaced using options\n   * options = Player.prototype.options_\n   * Make changes in options, not here.\n   *\n   * @type {Object}\n   * @private\n   */\n  Player.prototype.options_ = {\n    // Default order of fallback technology\n    techOrder: Tech.defaultTechOrder_,\n    html5: {},\n    // enable sourceset by default\n    enableSourceset: true,\n    // default inactivity timeout\n    inactivityTimeout: 2000,\n    // default playback rates\n    playbackRates: [],\n    // Add playback rate selection by adding rates\n    // 'playbackRates': [0.5, 1, 1.5, 2],\n    liveui: false,\n    // Included control sets\n    children: ['mediaLoader', 'posterImage', 'titleBar', 'textTrackDisplay', 'loadingSpinner', 'bigPlayButton', 'liveTracker', 'controlBar', 'errorDisplay', 'textTrackSettings', 'resizeManager'],\n    language: navigator && (navigator.languages && navigator.languages[0] || navigator.userLanguage || navigator.language) || 'en',\n    // locales and their language translations\n    languages: {},\n    // Default message to show when a video cannot be played.\n    notSupportedMessage: 'No compatible source was found for this media.',\n    normalizeAutoplay: false,\n    fullscreen: {\n      options: {\n        navigationUI: 'hide'\n      }\n    },\n    breakpoints: {},\n    responsive: false,\n    audioOnlyMode: false,\n    audioPosterMode: false,\n    spatialNavigation: {\n      enabled: false,\n      horizontalSeek: false\n    },\n    // Default smooth seeking to false\n    enableSmoothSeeking: false,\n    disableSeekWhileScrubbingOnMobile: false\n  };\n  TECH_EVENTS_RETRIGGER.forEach(function (event) {\n    Player.prototype[`handleTech${toTitleCase$1(event)}_`] = function () {\n      return this.trigger(event);\n    };\n  });\n\n  /**\n   * Fired when the player has initial duration and dimension information\n   *\n   * @event Player#loadedmetadata\n   * @type {Event}\n   */\n\n  /**\n   * Fired when the player has downloaded data at the current playback position\n   *\n   * @event Player#loadeddata\n   * @type {Event}\n   */\n\n  /**\n   * Fired when the current playback position has changed *\n   * During playback this is fired every 15-250 milliseconds, depending on the\n   * playback technology in use.\n   *\n   * @event Player#timeupdate\n   * @type {Event}\n   */\n\n  /**\n   * Fired when the volume changes\n   *\n   * @event Player#volumechange\n   * @type {Event}\n   */\n\n  Component$1.registerComponent('Player', Player);\n\n  /**\n   * @file plugin.js\n   */\n\n  /**\n   * The base plugin name.\n   *\n   * @private\n   * @constant\n   * @type {string}\n   */\n  const BASE_PLUGIN_NAME = 'plugin';\n\n  /**\n   * The key on which a player's active plugins cache is stored.\n   *\n   * @private\n   * @constant\n   * @type     {string}\n   */\n  const PLUGIN_CACHE_KEY = 'activePlugins_';\n\n  /**\n   * Stores registered plugins in a private space.\n   *\n   * @private\n   * @type    {Object}\n   */\n  const pluginStorage = {};\n\n  /**\n   * Reports whether or not a plugin has been registered.\n   *\n   * @private\n   * @param   {string} name\n   *          The name of a plugin.\n   *\n   * @return {boolean}\n   *          Whether or not the plugin has been registered.\n   */\n  const pluginExists = name => pluginStorage.hasOwnProperty(name);\n\n  /**\n   * Get a single registered plugin by name.\n   *\n   * @private\n   * @param   {string} name\n   *          The name of a plugin.\n   *\n   * @return {typeof Plugin|Function|undefined}\n   *          The plugin (or undefined).\n   */\n  const getPlugin = name => pluginExists(name) ? pluginStorage[name] : undefined;\n\n  /**\n   * Marks a plugin as \"active\" on a player.\n   *\n   * Also, ensures that the player has an object for tracking active plugins.\n   *\n   * @private\n   * @param   {Player} player\n   *          A Video.js player instance.\n   *\n   * @param   {string} name\n   *          The name of a plugin.\n   */\n  const markPluginAsActive = (player, name) => {\n    player[PLUGIN_CACHE_KEY] = player[PLUGIN_CACHE_KEY] || {};\n    player[PLUGIN_CACHE_KEY][name] = true;\n  };\n\n  /**\n   * Triggers a pair of plugin setup events.\n   *\n   * @private\n   * @param  {Player} player\n   *         A Video.js player instance.\n   *\n   * @param  {PluginEventHash} hash\n   *         A plugin event hash.\n   *\n   * @param  {boolean} [before]\n   *         If true, prefixes the event name with \"before\". In other words,\n   *         use this to trigger \"beforepluginsetup\" instead of \"pluginsetup\".\n   */\n  const triggerSetupEvent = (player, hash, before) => {\n    const eventName = (before ? 'before' : '') + 'pluginsetup';\n    player.trigger(eventName, hash);\n    player.trigger(eventName + ':' + hash.name, hash);\n  };\n\n  /**\n   * Takes a basic plugin function and returns a wrapper function which marks\n   * on the player that the plugin has been activated.\n   *\n   * @private\n   * @param   {string} name\n   *          The name of the plugin.\n   *\n   * @param   {Function} plugin\n   *          The basic plugin.\n   *\n   * @return {Function}\n   *          A wrapper function for the given plugin.\n   */\n  const createBasicPlugin = function (name, plugin) {\n    const basicPluginWrapper = function () {\n      // We trigger the \"beforepluginsetup\" and \"pluginsetup\" events on the player\n      // regardless, but we want the hash to be consistent with the hash provided\n      // for advanced plugins.\n      //\n      // The only potentially counter-intuitive thing here is the `instance` in\n      // the \"pluginsetup\" event is the value returned by the `plugin` function.\n      triggerSetupEvent(this, {\n        name,\n        plugin,\n        instance: null\n      }, true);\n      const instance = plugin.apply(this, arguments);\n      markPluginAsActive(this, name);\n      triggerSetupEvent(this, {\n        name,\n        plugin,\n        instance\n      });\n      return instance;\n    };\n    Object.keys(plugin).forEach(function (prop) {\n      basicPluginWrapper[prop] = plugin[prop];\n    });\n    return basicPluginWrapper;\n  };\n\n  /**\n   * Takes a plugin sub-class and returns a factory function for generating\n   * instances of it.\n   *\n   * This factory function will replace itself with an instance of the requested\n   * sub-class of Plugin.\n   *\n   * @private\n   * @param   {string} name\n   *          The name of the plugin.\n   *\n   * @param   {Plugin} PluginSubClass\n   *          The advanced plugin.\n   *\n   * @return {Function}\n   */\n  const createPluginFactory = (name, PluginSubClass) => {\n    // Add a `name` property to the plugin prototype so that each plugin can\n    // refer to itself by name.\n    PluginSubClass.prototype.name = name;\n    return function (...args) {\n      triggerSetupEvent(this, {\n        name,\n        plugin: PluginSubClass,\n        instance: null\n      }, true);\n      const instance = new PluginSubClass(...[this, ...args]);\n\n      // The plugin is replaced by a function that returns the current instance.\n      this[name] = () => instance;\n      triggerSetupEvent(this, instance.getEventHash());\n      return instance;\n    };\n  };\n\n  /**\n   * Parent class for all advanced plugins.\n   *\n   * @mixes   module:evented~EventedMixin\n   * @mixes   module:stateful~StatefulMixin\n   * @fires   Player#beforepluginsetup\n   * @fires   Player#beforepluginsetup:$name\n   * @fires   Player#pluginsetup\n   * @fires   Player#pluginsetup:$name\n   * @listens Player#dispose\n   * @throws  {Error}\n   *          If attempting to instantiate the base {@link Plugin} class\n   *          directly instead of via a sub-class.\n   */\n  class Plugin {\n    /**\n     * Creates an instance of this class.\n     *\n     * Sub-classes should call `super` to ensure plugins are properly initialized.\n     *\n     * @param {Player} player\n     *        A Video.js player instance.\n     */\n    constructor(player) {\n      if (this.constructor === Plugin) {\n        throw new Error('Plugin must be sub-classed; not directly instantiated.');\n      }\n      this.player = player;\n      if (!this.log) {\n        this.log = this.player.log.createLogger(this.name);\n      }\n\n      // Make this object evented, but remove the added `trigger` method so we\n      // use the prototype version instead.\n      evented(this);\n      delete this.trigger;\n      stateful(this, this.constructor.defaultState);\n      markPluginAsActive(player, this.name);\n\n      // Auto-bind the dispose method so we can use it as a listener and unbind\n      // it later easily.\n      this.dispose = this.dispose.bind(this);\n\n      // If the player is disposed, dispose the plugin.\n      player.on('dispose', this.dispose);\n    }\n\n    /**\n     * Get the version of the plugin that was set on <pluginName>.VERSION\n     */\n    version() {\n      return this.constructor.VERSION;\n    }\n\n    /**\n     * Each event triggered by plugins includes a hash of additional data with\n     * conventional properties.\n     *\n     * This returns that object or mutates an existing hash.\n     *\n     * @param   {Object} [hash={}]\n     *          An object to be used as event an event hash.\n     *\n     * @return {PluginEventHash}\n     *          An event hash object with provided properties mixed-in.\n     */\n    getEventHash(hash = {}) {\n      hash.name = this.name;\n      hash.plugin = this.constructor;\n      hash.instance = this;\n      return hash;\n    }\n\n    /**\n     * Triggers an event on the plugin object and overrides\n     * {@link module:evented~EventedMixin.trigger|EventedMixin.trigger}.\n     *\n     * @param   {string|Object} event\n     *          An event type or an object with a type property.\n     *\n     * @param   {Object} [hash={}]\n     *          Additional data hash to merge with a\n     *          {@link PluginEventHash|PluginEventHash}.\n     *\n     * @return {boolean}\n     *          Whether or not default was prevented.\n     */\n    trigger(event, hash = {}) {\n      return trigger(this.eventBusEl_, event, this.getEventHash(hash));\n    }\n\n    /**\n     * Handles \"statechanged\" events on the plugin. No-op by default, override by\n     * subclassing.\n     *\n     * @abstract\n     * @param    {Event} e\n     *           An event object provided by a \"statechanged\" event.\n     *\n     * @param    {Object} e.changes\n     *           An object describing changes that occurred with the \"statechanged\"\n     *           event.\n     */\n    handleStateChanged(e) {}\n\n    /**\n     * Disposes a plugin.\n     *\n     * Subclasses can override this if they want, but for the sake of safety,\n     * it's probably best to subscribe the \"dispose\" event.\n     *\n     * @fires Plugin#dispose\n     */\n    dispose() {\n      const {\n        name,\n        player\n      } = this;\n\n      /**\n       * Signals that a advanced plugin is about to be disposed.\n       *\n       * @event Plugin#dispose\n       * @type  {Event}\n       */\n      this.trigger('dispose');\n      this.off();\n      player.off('dispose', this.dispose);\n\n      // Eliminate any possible sources of leaking memory by clearing up\n      // references between the player and the plugin instance and nulling out\n      // the plugin's state and replacing methods with a function that throws.\n      player[PLUGIN_CACHE_KEY][name] = false;\n      this.player = this.state = null;\n\n      // Finally, replace the plugin name on the player with a new factory\n      // function, so that the plugin is ready to be set up again.\n      player[name] = createPluginFactory(name, pluginStorage[name]);\n    }\n\n    /**\n     * Determines if a plugin is a basic plugin (i.e. not a sub-class of `Plugin`).\n     *\n     * @param   {string|Function} plugin\n     *          If a string, matches the name of a plugin. If a function, will be\n     *          tested directly.\n     *\n     * @return {boolean}\n     *          Whether or not a plugin is a basic plugin.\n     */\n    static isBasic(plugin) {\n      const p = typeof plugin === 'string' ? getPlugin(plugin) : plugin;\n      return typeof p === 'function' && !Plugin.prototype.isPrototypeOf(p.prototype);\n    }\n\n    /**\n     * Register a Video.js plugin.\n     *\n     * @param   {string} name\n     *          The name of the plugin to be registered. Must be a string and\n     *          must not match an existing plugin or a method on the `Player`\n     *          prototype.\n     *\n     * @param   {typeof Plugin|Function} plugin\n     *          A sub-class of `Plugin` or a function for basic plugins.\n     *\n     * @return {typeof Plugin|Function}\n     *          For advanced plugins, a factory function for that plugin. For\n     *          basic plugins, a wrapper function that initializes the plugin.\n     */\n    static registerPlugin(name, plugin) {\n      if (typeof name !== 'string') {\n        throw new Error(`Illegal plugin name, \"${name}\", must be a string, was ${typeof name}.`);\n      }\n      if (pluginExists(name)) {\n        log$1.warn(`A plugin named \"${name}\" already exists. You may want to avoid re-registering plugins!`);\n      } else if (Player.prototype.hasOwnProperty(name)) {\n        throw new Error(`Illegal plugin name, \"${name}\", cannot share a name with an existing player method!`);\n      }\n      if (typeof plugin !== 'function') {\n        throw new Error(`Illegal plugin for \"${name}\", must be a function, was ${typeof plugin}.`);\n      }\n      pluginStorage[name] = plugin;\n\n      // Add a player prototype method for all sub-classed plugins (but not for\n      // the base Plugin class).\n      if (name !== BASE_PLUGIN_NAME) {\n        if (Plugin.isBasic(plugin)) {\n          Player.prototype[name] = createBasicPlugin(name, plugin);\n        } else {\n          Player.prototype[name] = createPluginFactory(name, plugin);\n        }\n      }\n      return plugin;\n    }\n\n    /**\n     * De-register a Video.js plugin.\n     *\n     * @param  {string} name\n     *         The name of the plugin to be de-registered. Must be a string that\n     *         matches an existing plugin.\n     *\n     * @throws {Error}\n     *         If an attempt is made to de-register the base plugin.\n     */\n    static deregisterPlugin(name) {\n      if (name === BASE_PLUGIN_NAME) {\n        throw new Error('Cannot de-register base plugin.');\n      }\n      if (pluginExists(name)) {\n        delete pluginStorage[name];\n        delete Player.prototype[name];\n      }\n    }\n\n    /**\n     * Gets an object containing multiple Video.js plugins.\n     *\n     * @param   {Array} [names]\n     *          If provided, should be an array of plugin names. Defaults to _all_\n     *          plugin names.\n     *\n     * @return {Object|undefined}\n     *          An object containing plugin(s) associated with their name(s) or\n     *          `undefined` if no matching plugins exist).\n     */\n    static getPlugins(names = Object.keys(pluginStorage)) {\n      let result;\n      names.forEach(name => {\n        const plugin = getPlugin(name);\n        if (plugin) {\n          result = result || {};\n          result[name] = plugin;\n        }\n      });\n      return result;\n    }\n\n    /**\n     * Gets a plugin's version, if available\n     *\n     * @param   {string} name\n     *          The name of a plugin.\n     *\n     * @return {string}\n     *          The plugin's version or an empty string.\n     */\n    static getPluginVersion(name) {\n      const plugin = getPlugin(name);\n      return plugin && plugin.VERSION || '';\n    }\n  }\n\n  /**\n   * Gets a plugin by name if it exists.\n   *\n   * @static\n   * @method   getPlugin\n   * @memberOf Plugin\n   * @param    {string} name\n   *           The name of a plugin.\n   *\n   * @returns  {typeof Plugin|Function|undefined}\n   *           The plugin (or `undefined`).\n   */\n  Plugin.getPlugin = getPlugin;\n\n  /**\n   * The name of the base plugin class as it is registered.\n   *\n   * @type {string}\n   */\n  Plugin.BASE_PLUGIN_NAME = BASE_PLUGIN_NAME;\n  Plugin.registerPlugin(BASE_PLUGIN_NAME, Plugin);\n\n  /**\n   * Documented in player.js\n   *\n   * @ignore\n   */\n  Player.prototype.usingPlugin = function (name) {\n    return !!this[PLUGIN_CACHE_KEY] && this[PLUGIN_CACHE_KEY][name] === true;\n  };\n\n  /**\n   * Documented in player.js\n   *\n   * @ignore\n   */\n  Player.prototype.hasPlugin = function (name) {\n    return !!pluginExists(name);\n  };\n\n  /**\n   * Signals that a plugin is about to be set up on a player.\n   *\n   * @event    Player#beforepluginsetup\n   * @type     {PluginEventHash}\n   */\n\n  /**\n   * Signals that a plugin is about to be set up on a player - by name. The name\n   * is the name of the plugin.\n   *\n   * @event    Player#beforepluginsetup:$name\n   * @type     {PluginEventHash}\n   */\n\n  /**\n   * Signals that a plugin has just been set up on a player.\n   *\n   * @event    Player#pluginsetup\n   * @type     {PluginEventHash}\n   */\n\n  /**\n   * Signals that a plugin has just been set up on a player - by name. The name\n   * is the name of the plugin.\n   *\n   * @event    Player#pluginsetup:$name\n   * @type     {PluginEventHash}\n   */\n\n  /**\n   * @typedef  {Object} PluginEventHash\n   *\n   * @property {string} instance\n   *           For basic plugins, the return value of the plugin function. For\n   *           advanced plugins, the plugin instance on which the event is fired.\n   *\n   * @property {string} name\n   *           The name of the plugin.\n   *\n   * @property {string} plugin\n   *           For basic plugins, the plugin function. For advanced plugins, the\n   *           plugin class/constructor.\n   */\n\n  /**\n   * @file deprecate.js\n   * @module deprecate\n   */\n\n  /**\n   * Decorate a function with a deprecation message the first time it is called.\n   *\n   * @param  {string}   message\n   *         A deprecation message to log the first time the returned function\n   *         is called.\n   *\n   * @param  {Function} fn\n   *         The function to be deprecated.\n   *\n   * @return {Function}\n   *         A wrapper function that will log a deprecation warning the first\n   *         time it is called. The return value will be the return value of\n   *         the wrapped function.\n   */\n  function deprecate(message, fn) {\n    let warned = false;\n    return function (...args) {\n      if (!warned) {\n        log$1.warn(message);\n      }\n      warned = true;\n      return fn.apply(this, args);\n    };\n  }\n\n  /**\n   * Internal function used to mark a function as deprecated in the next major\n   * version with consistent messaging.\n   *\n   * @param  {number}   major   The major version where it will be removed\n   * @param  {string}   oldName The old function name\n   * @param  {string}   newName The new function name\n   * @param  {Function} fn      The function to deprecate\n   * @return {Function}         The decorated function\n   */\n  function deprecateForMajor(major, oldName, newName, fn) {\n    return deprecate(`${oldName} is deprecated and will be removed in ${major}.0; please use ${newName} instead.`, fn);\n  }\n\n  var VjsErrors = {\n    NetworkBadStatus: 'networkbadstatus',\n    NetworkRequestFailed: 'networkrequestfailed',\n    NetworkRequestAborted: 'networkrequestaborted',\n    NetworkRequestTimeout: 'networkrequesttimeout',\n    NetworkBodyParserFailed: 'networkbodyparserfailed',\n    StreamingHlsPlaylistParserError: 'streaminghlsplaylistparsererror',\n    StreamingDashManifestParserError: 'streamingdashmanifestparsererror',\n    StreamingContentSteeringParserError: 'streamingcontentsteeringparsererror',\n    StreamingVttParserError: 'streamingvttparsererror',\n    StreamingFailedToSelectNextSegment: 'streamingfailedtoselectnextsegment',\n    StreamingFailedToDecryptSegment: 'streamingfailedtodecryptsegment',\n    StreamingFailedToTransmuxSegment: 'streamingfailedtotransmuxsegment',\n    StreamingFailedToAppendSegment: 'streamingfailedtoappendsegment',\n    StreamingCodecsChangeError: 'streamingcodecschangeerror'\n  };\n\n  /**\n   * @file video.js\n   * @module videojs\n   */\n\n  /** @import { PlayerReadyCallback } from './player' */\n\n  /**\n   * Normalize an `id` value by trimming off a leading `#`\n   *\n   * @private\n   * @param   {string} id\n   *          A string, maybe with a leading `#`.\n   *\n   * @return {string}\n   *          The string, without any leading `#`.\n   */\n  const normalizeId = id => id.indexOf('#') === 0 ? id.slice(1) : id;\n\n  /**\n   * The `videojs()` function doubles as the main function for users to create a\n   * {@link Player} instance as well as the main library namespace.\n   *\n   * It can also be used as a getter for a pre-existing {@link Player} instance.\n   * However, we _strongly_ recommend using `videojs.getPlayer()` for this\n   * purpose because it avoids any potential for unintended initialization.\n   *\n   * Due to [limitations](https://github.com/jsdoc3/jsdoc/issues/955#issuecomment-313829149)\n   * of our JSDoc template, we cannot properly document this as both a function\n   * and a namespace, so its function signature is documented here.\n   *\n   * #### Arguments\n   * ##### id\n   * string|Element, **required**\n   *\n   * Video element or video element ID.\n   *\n   * ##### options\n   * Object, optional\n   *\n   * Options object for providing settings.\n   * See: [Options Guide](https://docs.videojs.com/tutorial-options.html).\n   *\n   * ##### ready\n   * {@link Component~ReadyCallback}, optional\n   *\n   * A function to be called when the {@link Player} and {@link Tech} are ready.\n   *\n   * #### Return Value\n   *\n   * The `videojs()` function returns a {@link Player} instance.\n   *\n   * @namespace\n   *\n   * @borrows AudioTrack as AudioTrack\n   * @borrows Component.getComponent as getComponent\n   * @borrows module:events.on as on\n   * @borrows module:events.one as one\n   * @borrows module:events.off as off\n   * @borrows module:events.trigger as trigger\n   * @borrows EventTarget as EventTarget\n   * @borrows module:middleware.use as use\n   * @borrows Player.players as players\n   * @borrows Plugin.registerPlugin as registerPlugin\n   * @borrows Plugin.deregisterPlugin as deregisterPlugin\n   * @borrows Plugin.getPlugins as getPlugins\n   * @borrows Plugin.getPlugin as getPlugin\n   * @borrows Plugin.getPluginVersion as getPluginVersion\n   * @borrows Tech.getTech as getTech\n   * @borrows Tech.registerTech as registerTech\n   * @borrows TextTrack as TextTrack\n   * @borrows VideoTrack as VideoTrack\n   *\n   * @param  {string|Element} id\n   *         Video element or video element ID.\n   *\n   * @param  {Object} [options]\n   *         Options object for providing settings.\n   *         See: [Options Guide](https://docs.videojs.com/tutorial-options.html).\n   *\n   * @param  {PlayerReadyCallback} [ready]\n   *         A function to be called when the {@link Player} and {@link Tech} are\n   *         ready.\n   *\n   * @return {Player}\n   *         The `videojs()` function returns a {@link Player|Player} instance.\n   */\n  function videojs(id, options, ready) {\n    let player = videojs.getPlayer(id);\n    if (player) {\n      if (options) {\n        log$1.warn(`Player \"${id}\" is already initialised. Options will not be applied.`);\n      }\n      if (ready) {\n        player.ready(ready);\n      }\n      return player;\n    }\n    const el = typeof id === 'string' ? $('#' + normalizeId(id)) : id;\n    if (!isEl(el)) {\n      throw new TypeError('The element or ID supplied is not valid. (videojs)');\n    }\n\n    // document.body.contains(el) will only check if el is contained within that one document.\n    // This causes problems for elements in iframes.\n    // Instead, use the element's ownerDocument instead of the global document.\n    // This will make sure that the element is indeed in the dom of that document.\n    // Additionally, check that the document in question has a default view.\n    // If the document is no longer attached to the dom, the defaultView of the document will be null.\n    // If element is inside Shadow DOM (e.g. is part of a Custom element), ownerDocument.body\n    // always returns false. Instead, use the Shadow DOM root.\n    const inShadowDom = 'getRootNode' in el ? el.getRootNode() instanceof window.ShadowRoot : false;\n    const rootNode = inShadowDom ? el.getRootNode() : el.ownerDocument.body;\n    if (!el.ownerDocument.defaultView || !rootNode.contains(el)) {\n      log$1.warn('The element supplied is not included in the DOM');\n    }\n    options = options || {};\n\n    // Store a copy of the el before modification, if it is to be restored in destroy()\n    // If div ingest, store the parent div\n    if (options.restoreEl === true) {\n      options.restoreEl = (el.parentNode && el.parentNode.hasAttribute && el.parentNode.hasAttribute('data-vjs-player') ? el.parentNode : el).cloneNode(true);\n    }\n    hooks('beforesetup').forEach(hookFunction => {\n      const opts = hookFunction(el, merge$2(options));\n      if (!isObject$1(opts) || Array.isArray(opts)) {\n        log$1.error('please return an object in beforesetup hooks');\n        return;\n      }\n      options = merge$2(options, opts);\n    });\n\n    // We get the current \"Player\" component here in case an integration has\n    // replaced it with a custom player.\n    const PlayerComponent = Component$1.getComponent('Player');\n    player = new PlayerComponent(el, options, ready);\n    hooks('setup').forEach(hookFunction => hookFunction(player));\n    return player;\n  }\n  videojs.hooks_ = hooks_;\n  videojs.hooks = hooks;\n  videojs.hook = hook;\n  videojs.hookOnce = hookOnce;\n  videojs.removeHook = removeHook;\n\n  // Add default styles\n  if (window.VIDEOJS_NO_DYNAMIC_STYLE !== true && isReal()) {\n    let style = $('.vjs-styles-defaults');\n    if (!style) {\n      style = createStyleElement('vjs-styles-defaults');\n      const head = $('head');\n      if (head) {\n        head.insertBefore(style, head.firstChild);\n      }\n      setTextContent(style, `\n      .video-js {\n        width: 300px;\n        height: 150px;\n      }\n\n      .vjs-fluid:not(.vjs-audio-only-mode) {\n        padding-top: 56.25%\n      }\n    `);\n    }\n  }\n\n  // Run Auto-load players\n  // You have to wait at least once in case this script is loaded after your\n  // video in the DOM (weird behavior only with minified version)\n  autoSetupTimeout(1, videojs);\n\n  /**\n   * Current Video.js version. Follows [semantic versioning](https://semver.org/).\n   *\n   * @type {string}\n   */\n  videojs.VERSION = version$5;\n\n  /**\n   * The global options object. These are the settings that take effect\n   * if no overrides are specified when the player is created.\n   *\n   * @type {Object}\n   */\n  videojs.options = Player.prototype.options_;\n\n  /**\n   * Get an object with the currently created players, keyed by player ID\n   *\n   * @return {Object}\n   *         The created players\n   */\n  videojs.getPlayers = () => Player.players;\n\n  /**\n   * Get a single player based on an ID or DOM element.\n   *\n   * This is useful if you want to check if an element or ID has an associated\n   * Video.js player, but not create one if it doesn't.\n   *\n   * @param   {string|Element} id\n   *          An HTML element - `<video>`, `<audio>`, or `<video-js>` -\n   *          or a string matching the `id` of such an element.\n   *\n   * @return {Player|undefined}\n   *          A player instance or `undefined` if there is no player instance\n   *          matching the argument.\n   */\n  videojs.getPlayer = id => {\n    const players = Player.players;\n    let tag;\n    if (typeof id === 'string') {\n      const nId = normalizeId(id);\n      const player = players[nId];\n      if (player) {\n        return player;\n      }\n      tag = $('#' + nId);\n    } else {\n      tag = id;\n    }\n    if (isEl(tag)) {\n      const {\n        player,\n        playerId\n      } = tag;\n\n      // Element may have a `player` property referring to an already created\n      // player instance. If so, return that.\n      if (player || players[playerId]) {\n        return player || players[playerId];\n      }\n    }\n  };\n\n  /**\n   * Returns an array of all current players.\n   *\n   * @return {Array}\n   *         An array of all players. The array will be in the order that\n   *         `Object.keys` provides, which could potentially vary between\n   *         JavaScript engines.\n   *\n   */\n  videojs.getAllPlayers = () =>\n  // Disposed players leave a key with a `null` value, so we need to make sure\n  // we filter those out.\n  Object.keys(Player.players).map(k => Player.players[k]).filter(Boolean);\n  videojs.players = Player.players;\n  videojs.getComponent = Component$1.getComponent;\n\n  /**\n   * Register a component so it can referred to by name. Used when adding to other\n   * components, either through addChild `component.addChild('myComponent')` or through\n   * default children options  `{ children: ['myComponent'] }`.\n   *\n   * > NOTE: You could also just initialize the component before adding.\n   * `component.addChild(new MyComponent());`\n   *\n   * @param {string} name\n   *        The class name of the component\n   *\n   * @param {typeof Component} comp\n   *        The component class\n   *\n   * @return {typeof Component}\n   *         The newly registered component\n   */\n  videojs.registerComponent = (name, comp) => {\n    if (Tech.isTech(comp)) {\n      log$1.warn(`The ${name} tech was registered as a component. It should instead be registered using videojs.registerTech(name, tech)`);\n    }\n    return Component$1.registerComponent.call(Component$1, name, comp);\n  };\n  videojs.getTech = Tech.getTech;\n  videojs.registerTech = Tech.registerTech;\n  videojs.use = use;\n\n  /**\n   * An object that can be returned by a middleware to signify\n   * that the middleware is being terminated.\n   *\n   * @type {object}\n   * @property {object} middleware.TERMINATOR\n   */\n  Object.defineProperty(videojs, 'middleware', {\n    value: {},\n    writeable: false,\n    enumerable: true\n  });\n  Object.defineProperty(videojs.middleware, 'TERMINATOR', {\n    value: TERMINATOR,\n    writeable: false,\n    enumerable: true\n  });\n\n  /**\n   * A reference to the {@link module:browser|browser utility module} as an object.\n   *\n   * @type {Object}\n   * @see  {@link module:browser|browser}\n   */\n  videojs.browser = browser;\n\n  /**\n   * A reference to the {@link module:obj|obj utility module} as an object.\n   *\n   * @type {Object}\n   * @see  {@link module:obj|obj}\n   */\n  videojs.obj = Obj;\n\n  /**\n   * Deprecated reference to the {@link module:obj.merge|merge function}\n   *\n   * @type {Function}\n   * @see {@link module:obj.merge|merge}\n   * @deprecated Deprecated and will be removed in 9.0. Please use videojs.obj.merge instead.\n   */\n  videojs.mergeOptions = deprecateForMajor(9, 'videojs.mergeOptions', 'videojs.obj.merge', merge$2);\n\n  /**\n   * Deprecated reference to the {@link module:obj.defineLazyProperty|defineLazyProperty function}\n   *\n   * @type {Function}\n   * @see {@link module:obj.defineLazyProperty|defineLazyProperty}\n   * @deprecated Deprecated and will be removed in 9.0. Please use videojs.obj.defineLazyProperty instead.\n   */\n  videojs.defineLazyProperty = deprecateForMajor(9, 'videojs.defineLazyProperty', 'videojs.obj.defineLazyProperty', defineLazyProperty);\n\n  /**\n   * Deprecated reference to the {@link module:fn.bind_|fn.bind_ function}\n   *\n   * @type {Function}\n   * @see {@link module:fn.bind_|fn.bind_}\n   * @deprecated Deprecated and will be removed in 9.0. Please use native Function.prototype.bind instead.\n   */\n  videojs.bind = deprecateForMajor(9, 'videojs.bind', 'native Function.prototype.bind', bind_);\n  videojs.registerPlugin = Plugin.registerPlugin;\n  videojs.deregisterPlugin = Plugin.deregisterPlugin;\n\n  /**\n   * Deprecated method to register a plugin with Video.js\n   *\n   * @deprecated Deprecated and will be removed in 9.0. Use videojs.registerPlugin() instead.\n   *\n   * @param {string} name\n   *        The plugin name\n  *\n   * @param {typeof Plugin|Function} plugin\n   *         The plugin sub-class or function\n   *\n   * @return {typeof Plugin|Function}\n   */\n  videojs.plugin = (name, plugin) => {\n    log$1.warn('videojs.plugin() is deprecated; use videojs.registerPlugin() instead');\n    return Plugin.registerPlugin(name, plugin);\n  };\n  videojs.getPlugins = Plugin.getPlugins;\n  videojs.getPlugin = Plugin.getPlugin;\n  videojs.getPluginVersion = Plugin.getPluginVersion;\n\n  /**\n   * Adding languages so that they're available to all players.\n   * Example: `videojs.addLanguage('es', { 'Hello': 'Hola' });`\n   *\n   * @param {string} code\n   *        The language code or dictionary property\n   *\n   * @param {Object} data\n   *        The data values to be translated\n   *\n   * @return {Object}\n   *         The resulting language dictionary object\n   */\n  videojs.addLanguage = function (code, data) {\n    code = ('' + code).toLowerCase();\n    videojs.options.languages = merge$2(videojs.options.languages, {\n      [code]: data\n    });\n    return videojs.options.languages[code];\n  };\n\n  /**\n   * A reference to the {@link module:log|log utility module} as an object.\n   *\n   * @type {Function}\n   * @see  {@link module:log|log}\n   */\n  videojs.log = log$1;\n  videojs.createLogger = createLogger;\n\n  /**\n   * A reference to the {@link module:time|time utility module} as an object.\n   *\n   * @type {Object}\n   * @see {@link module:time|time}\n   */\n  videojs.time = Time;\n\n  /**\n   * Deprecated reference to the {@link module:time.createTimeRanges|createTimeRanges function}\n   *\n   * @type {Function}\n   * @see {@link module:time.createTimeRanges|createTimeRanges}\n   * @deprecated Deprecated and will be removed in 9.0. Please use videojs.time.createTimeRanges instead.\n   */\n  videojs.createTimeRange = deprecateForMajor(9, 'videojs.createTimeRange', 'videojs.time.createTimeRanges', createTimeRanges$1);\n\n  /**\n   * Deprecated reference to the {@link module:time.createTimeRanges|createTimeRanges function}\n   *\n   * @type {Function}\n   * @see {@link module:time.createTimeRanges|createTimeRanges}\n   * @deprecated Deprecated and will be removed in 9.0. Please use videojs.time.createTimeRanges instead.\n   */\n  videojs.createTimeRanges = deprecateForMajor(9, 'videojs.createTimeRanges', 'videojs.time.createTimeRanges', createTimeRanges$1);\n\n  /**\n   * Deprecated reference to the {@link module:time.formatTime|formatTime function}\n   *\n   * @type {Function}\n   * @see {@link module:time.formatTime|formatTime}\n   * @deprecated Deprecated and will be removed in 9.0. Please use videojs.time.format instead.\n   */\n  videojs.formatTime = deprecateForMajor(9, 'videojs.formatTime', 'videojs.time.formatTime', formatTime);\n\n  /**\n   * Deprecated reference to the {@link module:time.setFormatTime|setFormatTime function}\n   *\n   * @type {Function}\n   * @see {@link module:time.setFormatTime|setFormatTime}\n   * @deprecated Deprecated and will be removed in 9.0. Please use videojs.time.setFormat instead.\n   */\n  videojs.setFormatTime = deprecateForMajor(9, 'videojs.setFormatTime', 'videojs.time.setFormatTime', setFormatTime);\n\n  /**\n   * Deprecated reference to the {@link module:time.resetFormatTime|resetFormatTime function}\n   *\n   * @type {Function}\n   * @see {@link module:time.resetFormatTime|resetFormatTime}\n   * @deprecated Deprecated and will be removed in 9.0. Please use videojs.time.resetFormat instead.\n   */\n  videojs.resetFormatTime = deprecateForMajor(9, 'videojs.resetFormatTime', 'videojs.time.resetFormatTime', resetFormatTime);\n\n  /**\n   * Deprecated reference to the {@link module:url.parseUrl|Url.parseUrl function}\n   *\n   * @type {Function}\n   * @see {@link module:url.parseUrl|parseUrl}\n   * @deprecated Deprecated and will be removed in 9.0. Please use videojs.url.parseUrl instead.\n   */\n  videojs.parseUrl = deprecateForMajor(9, 'videojs.parseUrl', 'videojs.url.parseUrl', parseUrl);\n\n  /**\n   * Deprecated reference to the {@link module:url.isCrossOrigin|Url.isCrossOrigin function}\n   *\n   * @type {Function}\n   * @see {@link module:url.isCrossOrigin|isCrossOrigin}\n   * @deprecated Deprecated and will be removed in 9.0. Please use videojs.url.isCrossOrigin instead.\n   */\n  videojs.isCrossOrigin = deprecateForMajor(9, 'videojs.isCrossOrigin', 'videojs.url.isCrossOrigin', isCrossOrigin);\n  videojs.EventTarget = EventTarget$2;\n  videojs.any = any;\n  videojs.on = on;\n  videojs.one = one;\n  videojs.off = off;\n  videojs.trigger = trigger;\n\n  /**\n   * A cross-browser XMLHttpRequest wrapper.\n   *\n   * @function\n   * @param    {Object} options\n   *           Settings for the request.\n   *\n   * @return   {XMLHttpRequest|XDomainRequest}\n   *           The request object.\n   *\n   * @see      https://github.com/Raynos/xhr\n   */\n  videojs.xhr = lib;\n  videojs.TextTrack = TextTrack;\n  videojs.AudioTrack = AudioTrack;\n  videojs.VideoTrack = VideoTrack;\n  ['isEl', 'isTextNode', 'createEl', 'hasClass', 'addClass', 'removeClass', 'toggleClass', 'setAttributes', 'getAttributes', 'emptyEl', 'appendContent', 'insertContent'].forEach(k => {\n    videojs[k] = function () {\n      log$1.warn(`videojs.${k}() is deprecated; use videojs.dom.${k}() instead`);\n      return Dom[k].apply(null, arguments);\n    };\n  });\n  videojs.computedStyle = deprecateForMajor(9, 'videojs.computedStyle', 'videojs.dom.computedStyle', computedStyle);\n\n  /**\n   * A reference to the {@link module:dom|DOM utility module} as an object.\n   *\n   * @type {Object}\n   * @see {@link module:dom|dom}\n   */\n  videojs.dom = Dom;\n\n  /**\n   * A reference to the {@link module:fn|fn utility module} as an object.\n   *\n   * @type {Object}\n   * @see {@link module:fn|fn}\n   */\n  videojs.fn = Fn;\n\n  /**\n   * A reference to the {@link module:num|num utility module} as an object.\n   *\n   * @type {Object}\n   * @see {@link module:num|num}\n   */\n  videojs.num = Num;\n\n  /**\n   * A reference to the {@link module:str|str utility module} as an object.\n   *\n   * @type {Object}\n   * @see {@link module:str|str}\n   */\n  videojs.str = Str;\n\n  /**\n   * A reference to the {@link module:url|URL utility module} as an object.\n   *\n   * @type {Object}\n   * @see {@link module:url|url}\n   */\n  videojs.url = Url;\n\n  // The list of possible error types to occur in video.js\n  videojs.Error = VjsErrors;\n\n  createCommonjsModule(function (module, exports) {\n    /*! @name videojs-contrib-quality-levels @version 4.1.0 @license Apache-2.0 */\n    (function (global, factory) {\n      module.exports = factory(videojs) ;\n    })(commonjsGlobal, function (videojs) {\n\n      function _interopDefaultLegacy(e) {\n        return e && typeof e === 'object' && 'default' in e ? e : {\n          'default': e\n        };\n      }\n      var videojs__default = /*#__PURE__*/_interopDefaultLegacy(videojs);\n\n      /**\n       * A single QualityLevel.\n       *\n       * interface QualityLevel {\n       *   readonly attribute DOMString id;\n       *            attribute DOMString label;\n       *   readonly attribute long width;\n       *   readonly attribute long height;\n       *   readonly attribute long bitrate;\n       *            attribute boolean enabled;\n       * };\n       *\n       * @class QualityLevel\n       */\n      class QualityLevel {\n        /**\n         * Creates a QualityLevel\n         *\n         * @param {Representation|Object} representation The representation of the quality level\n         * @param {string}   representation.id        Unique id of the QualityLevel\n         * @param {number=}  representation.width     Resolution width of the QualityLevel\n         * @param {number=}  representation.height    Resolution height of the QualityLevel\n         * @param {number}   representation.bandwidth Bitrate of the QualityLevel\n         * @param {number=}  representation.frameRate Frame-rate of the QualityLevel\n         * @param {Function} representation.enabled   Callback to enable/disable QualityLevel\n         */\n        constructor(representation) {\n          let level = this; // eslint-disable-line\n\n          level.id = representation.id;\n          level.label = level.id;\n          level.width = representation.width;\n          level.height = representation.height;\n          level.bitrate = representation.bandwidth;\n          level.frameRate = representation.frameRate;\n          level.enabled_ = representation.enabled;\n          Object.defineProperty(level, 'enabled', {\n            /**\n             * Get whether the QualityLevel is enabled.\n             *\n             * @return {boolean} True if the QualityLevel is enabled.\n             */\n            get() {\n              return level.enabled_();\n            },\n            /**\n             * Enable or disable the QualityLevel.\n             *\n             * @param {boolean} enable true to enable QualityLevel, false to disable.\n             */\n            set(enable) {\n              level.enabled_(enable);\n            }\n          });\n          return level;\n        }\n      }\n\n      /**\n       * A list of QualityLevels.\n       *\n       * interface QualityLevelList : EventTarget {\n       *   getter QualityLevel (unsigned long index);\n       *   readonly attribute unsigned long length;\n       *   readonly attribute long selectedIndex;\n       *\n       *   void addQualityLevel(QualityLevel qualityLevel)\n       *   void removeQualityLevel(QualityLevel remove)\n       *   QualityLevel? getQualityLevelById(DOMString id);\n       *\n       *   attribute EventHandler onchange;\n       *   attribute EventHandler onaddqualitylevel;\n       *   attribute EventHandler onremovequalitylevel;\n       * };\n       *\n       * @extends videojs.EventTarget\n       * @class QualityLevelList\n       */\n      class QualityLevelList extends videojs__default[\"default\"].EventTarget {\n        /**\n         * Creates a QualityLevelList.\n         */\n        constructor() {\n          super();\n          let list = this; // eslint-disable-line\n\n          list.levels_ = [];\n          list.selectedIndex_ = -1;\n\n          /**\n           * Get the index of the currently selected QualityLevel.\n           *\n           * @returns {number} The index of the selected QualityLevel. -1 if none selected.\n           * @readonly\n           */\n          Object.defineProperty(list, 'selectedIndex', {\n            get() {\n              return list.selectedIndex_;\n            }\n          });\n\n          /**\n           * Get the length of the list of QualityLevels.\n           *\n           * @returns {number} The length of the list.\n           * @readonly\n           */\n          Object.defineProperty(list, 'length', {\n            get() {\n              return list.levels_.length;\n            }\n          });\n          list[Symbol.iterator] = () => list.levels_.values();\n          return list;\n        }\n\n        /**\n         * Adds a quality level to the list.\n         *\n         * @param {Representation|Object} representation The representation of the quality level\n         * @param {string}   representation.id        Unique id of the QualityLevel\n         * @param {number=}  representation.width     Resolution width of the QualityLevel\n         * @param {number=}  representation.height    Resolution height of the QualityLevel\n         * @param {number}   representation.bandwidth Bitrate of the QualityLevel\n         * @param {number=}  representation.frameRate Frame-rate of the QualityLevel\n         * @param {Function} representation.enabled   Callback to enable/disable QualityLevel\n         * @return {QualityLevel} the QualityLevel added to the list\n         * @method addQualityLevel\n         */\n        addQualityLevel(representation) {\n          let qualityLevel = this.getQualityLevelById(representation.id);\n\n          // Do not add duplicate quality levels\n          if (qualityLevel) {\n            return qualityLevel;\n          }\n          const index = this.levels_.length;\n          qualityLevel = new QualityLevel(representation);\n          if (!('' + index in this)) {\n            Object.defineProperty(this, index, {\n              get() {\n                return this.levels_[index];\n              }\n            });\n          }\n          this.levels_.push(qualityLevel);\n          this.trigger({\n            qualityLevel,\n            type: 'addqualitylevel'\n          });\n          return qualityLevel;\n        }\n\n        /**\n         * Removes a quality level from the list.\n         *\n         * @param {QualityLevel} qualityLevel The QualityLevel to remove from the list.\n         * @return {QualityLevel|null} the QualityLevel removed or null if nothing removed\n         * @method removeQualityLevel\n         */\n        removeQualityLevel(qualityLevel) {\n          let removed = null;\n          for (let i = 0, l = this.length; i < l; i++) {\n            if (this[i] === qualityLevel) {\n              removed = this.levels_.splice(i, 1)[0];\n              if (this.selectedIndex_ === i) {\n                this.selectedIndex_ = -1;\n              } else if (this.selectedIndex_ > i) {\n                this.selectedIndex_--;\n              }\n              break;\n            }\n          }\n          if (removed) {\n            this.trigger({\n              qualityLevel,\n              type: 'removequalitylevel'\n            });\n          }\n          return removed;\n        }\n\n        /**\n         * Searches for a QualityLevel with the given id.\n         *\n         * @param {string} id The id of the QualityLevel to find.\n         * @return {QualityLevel|null} The QualityLevel with id, or null if not found.\n         * @method getQualityLevelById\n         */\n        getQualityLevelById(id) {\n          for (let i = 0, l = this.length; i < l; i++) {\n            const level = this[i];\n            if (level.id === id) {\n              return level;\n            }\n          }\n          return null;\n        }\n\n        /**\n         * Resets the list of QualityLevels to empty\n         *\n         * @method dispose\n         */\n        dispose() {\n          this.selectedIndex_ = -1;\n          this.levels_.length = 0;\n        }\n      }\n\n      /**\n       * change - The selected QualityLevel has changed.\n       * addqualitylevel - A QualityLevel has been added to the QualityLevelList.\n       * removequalitylevel - A QualityLevel has been removed from the QualityLevelList.\n       */\n      QualityLevelList.prototype.allowedEvents_ = {\n        change: 'change',\n        addqualitylevel: 'addqualitylevel',\n        removequalitylevel: 'removequalitylevel'\n      };\n\n      // emulate attribute EventHandler support to allow for feature detection\n      for (const event in QualityLevelList.prototype.allowedEvents_) {\n        QualityLevelList.prototype['on' + event] = null;\n      }\n      var version = \"4.1.0\";\n\n      /**\n       * Initialization function for the qualityLevels plugin. Sets up the QualityLevelList and\n       * event handlers.\n       *\n       * @param {Player} player Player object.\n       * @param {Object} options Plugin options object.\n       * @return {QualityLevelList} a list of QualityLevels\n       */\n      const initPlugin = function (player, options) {\n        const originalPluginFn = player.qualityLevels;\n        const qualityLevelList = new QualityLevelList();\n        const disposeHandler = function () {\n          qualityLevelList.dispose();\n          player.qualityLevels = originalPluginFn;\n          player.off('dispose', disposeHandler);\n        };\n        player.on('dispose', disposeHandler);\n        player.qualityLevels = () => qualityLevelList;\n        player.qualityLevels.VERSION = version;\n        return qualityLevelList;\n      };\n\n      /**\n       * A video.js plugin.\n       *\n       * In the plugin function, the value of `this` is a video.js `Player`\n       * instance. You cannot rely on the player being in a \"ready\" state here,\n       * depending on how the plugin is invoked. This may or may not be important\n       * to you; if not, remove the wait for \"ready\"!\n       *\n       * @param {Object} options Plugin options object\n       * @return {QualityLevelList} a list of QualityLevels\n       */\n      const qualityLevels = function (options) {\n        return initPlugin(this, videojs__default[\"default\"].obj.merge({}, options));\n      };\n\n      // Register the plugin with video.js.\n      videojs__default[\"default\"].registerPlugin('qualityLevels', qualityLevels);\n\n      // Include the version number.\n      qualityLevels.VERSION = version;\n      return qualityLevels;\n    });\n  });\n\n  var DEFAULT_LOCATION = 'https://example.com';\n  var resolveUrl$1 = function resolveUrl(baseUrl, relativeUrl) {\n    // return early if we don't need to resolve\n    if (/^[a-z]+:/i.test(relativeUrl)) {\n      return relativeUrl;\n    } // if baseUrl is a data URI, ignore it and resolve everything relative to window.location\n\n    if (/^data:/.test(baseUrl)) {\n      baseUrl = window.location && window.location.href || '';\n    }\n    var protocolLess = /^\\/\\//.test(baseUrl); // remove location if window.location isn't available (i.e. we're in node)\n    // and if baseUrl isn't an absolute url\n\n    var removeLocation = !window.location && !/\\/\\//i.test(baseUrl); // if the base URL is relative then combine with the current location\n\n    baseUrl = new window.URL(baseUrl, window.location || DEFAULT_LOCATION);\n    var newUrl = new URL(relativeUrl, baseUrl); // if we're a protocol-less url, remove the protocol\n    // and if we're location-less, remove the location\n    // otherwise, return the url unmodified\n\n    if (removeLocation) {\n      return newUrl.href.slice(DEFAULT_LOCATION.length);\n    } else if (protocolLess) {\n      return newUrl.href.slice(newUrl.protocol.length);\n    }\n    return newUrl.href;\n  };\n\n  /**\n   * @file stream.js\n   */\n\n  /**\n   * A lightweight readable stream implemention that handles event dispatching.\n   *\n   * @class Stream\n   */\n  var Stream = /*#__PURE__*/function () {\n    function Stream() {\n      this.listeners = {};\n    }\n    /**\n     * Add a listener for a specified event type.\n     *\n     * @param {string} type the event name\n     * @param {Function} listener the callback to be invoked when an event of\n     * the specified type occurs\n     */\n\n    var _proto = Stream.prototype;\n    _proto.on = function on(type, listener) {\n      if (!this.listeners[type]) {\n        this.listeners[type] = [];\n      }\n      this.listeners[type].push(listener);\n    }\n    /**\n     * Remove a listener for a specified event type.\n     *\n     * @param {string} type the event name\n     * @param {Function} listener  a function previously registered for this\n     * type of event through `on`\n     * @return {boolean} if we could turn it off or not\n     */;\n    _proto.off = function off(type, listener) {\n      if (!this.listeners[type]) {\n        return false;\n      }\n      var index = this.listeners[type].indexOf(listener); // TODO: which is better?\n      // In Video.js we slice listener functions\n      // on trigger so that it does not mess up the order\n      // while we loop through.\n      //\n      // Here we slice on off so that the loop in trigger\n      // can continue using it's old reference to loop without\n      // messing up the order.\n\n      this.listeners[type] = this.listeners[type].slice(0);\n      this.listeners[type].splice(index, 1);\n      return index > -1;\n    }\n    /**\n     * Trigger an event of the specified type on this stream. Any additional\n     * arguments to this function are passed as parameters to event listeners.\n     *\n     * @param {string} type the event name\n     */;\n    _proto.trigger = function trigger(type) {\n      var callbacks = this.listeners[type];\n      if (!callbacks) {\n        return;\n      } // Slicing the arguments on every invocation of this method\n      // can add a significant amount of overhead. Avoid the\n      // intermediate object creation for the common case of a\n      // single callback argument\n\n      if (arguments.length === 2) {\n        var length = callbacks.length;\n        for (var i = 0; i < length; ++i) {\n          callbacks[i].call(this, arguments[1]);\n        }\n      } else {\n        var args = Array.prototype.slice.call(arguments, 1);\n        var _length = callbacks.length;\n        for (var _i = 0; _i < _length; ++_i) {\n          callbacks[_i].apply(this, args);\n        }\n      }\n    }\n    /**\n     * Destroys the stream and cleans up.\n     */;\n    _proto.dispose = function dispose() {\n      this.listeners = {};\n    }\n    /**\n     * Forwards all `data` events on this stream to the destination stream. The\n     * destination stream should provide a method `push` to receive the data\n     * events as they arrive.\n     *\n     * @param {Stream} destination the stream that will receive all `data` events\n     * @see http://nodejs.org/api/stream.html#stream_readable_pipe_destination_options\n     */;\n    _proto.pipe = function pipe(destination) {\n      this.on('data', function (data) {\n        destination.push(data);\n      });\n    };\n    return Stream;\n  }();\n\n  var atob = function atob(s) {\n    return window.atob ? window.atob(s) : Buffer.from(s, 'base64').toString('binary');\n  };\n  function decodeB64ToUint8Array(b64Text) {\n    var decodedString = atob(b64Text);\n    var array = new Uint8Array(decodedString.length);\n    for (var i = 0; i < decodedString.length; i++) {\n      array[i] = decodedString.charCodeAt(i);\n    }\n    return array;\n  }\n\n  /*! @name m3u8-parser @version 7.2.0 @license Apache-2.0 */\n\n  /**\n   * @file m3u8/line-stream.js\n   */\n  /**\n   * A stream that buffers string input and generates a `data` event for each\n   * line.\n   *\n   * @class LineStream\n   * @extends Stream\n   */\n\n  class LineStream extends Stream {\n    constructor() {\n      super();\n      this.buffer = '';\n    }\n    /**\n     * Add new data to be parsed.\n     *\n     * @param {string} data the text to process\n     */\n\n    push(data) {\n      let nextNewline;\n      this.buffer += data;\n      nextNewline = this.buffer.indexOf('\\n');\n      for (; nextNewline > -1; nextNewline = this.buffer.indexOf('\\n')) {\n        this.trigger('data', this.buffer.substring(0, nextNewline));\n        this.buffer = this.buffer.substring(nextNewline + 1);\n      }\n    }\n  }\n  const TAB = String.fromCharCode(0x09);\n  const parseByterange = function (byterangeString) {\n    // optionally match and capture 0+ digits before `@`\n    // optionally match and capture 0+ digits after `@`\n    const match = /([0-9.]*)?@?([0-9.]*)?/.exec(byterangeString || '');\n    const result = {};\n    if (match[1]) {\n      result.length = parseInt(match[1], 10);\n    }\n    if (match[2]) {\n      result.offset = parseInt(match[2], 10);\n    }\n    return result;\n  };\n  /**\n   * \"forgiving\" attribute list psuedo-grammar:\n   * attributes -> keyvalue (',' keyvalue)*\n   * keyvalue   -> key '=' value\n   * key        -> [^=]*\n   * value      -> '\"' [^\"]* '\"' | [^,]*\n   */\n\n  const attributeSeparator = function () {\n    const key = '[^=]*';\n    const value = '\"[^\"]*\"|[^,]*';\n    const keyvalue = '(?:' + key + ')=(?:' + value + ')';\n    return new RegExp('(?:^|,)(' + keyvalue + ')');\n  };\n  /**\n   * Parse attributes from a line given the separator\n   *\n   * @param {string} attributes the attribute line to parse\n   */\n\n  const parseAttributes$1 = function (attributes) {\n    const result = {};\n    if (!attributes) {\n      return result;\n    } // split the string using attributes as the separator\n\n    const attrs = attributes.split(attributeSeparator());\n    let i = attrs.length;\n    let attr;\n    while (i--) {\n      // filter out unmatched portions of the string\n      if (attrs[i] === '') {\n        continue;\n      } // split the key and value\n\n      attr = /([^=]*)=(.*)/.exec(attrs[i]).slice(1); // trim whitespace and remove optional quotes around the value\n\n      attr[0] = attr[0].replace(/^\\s+|\\s+$/g, '');\n      attr[1] = attr[1].replace(/^\\s+|\\s+$/g, '');\n      attr[1] = attr[1].replace(/^['\"](.*)['\"]$/g, '$1');\n      result[attr[0]] = attr[1];\n    }\n    return result;\n  };\n  /**\n   * Converts a string into a resolution object\n   *\n   * @param {string} resolution a string such as 3840x2160\n   *\n   * @return {Object} An object representing the resolution\n   *\n   */\n\n  const parseResolution = resolution => {\n    const split = resolution.split('x');\n    const result = {};\n    if (split[0]) {\n      result.width = parseInt(split[0], 10);\n    }\n    if (split[1]) {\n      result.height = parseInt(split[1], 10);\n    }\n    return result;\n  };\n  /**\n   * A line-level M3U8 parser event stream. It expects to receive input one\n   * line at a time and performs a context-free parse of its contents. A stream\n   * interpretation of a manifest can be useful if the manifest is expected to\n   * be too large to fit comfortably into memory or the entirety of the input\n   * is not immediately available. Otherwise, it's probably much easier to work\n   * with a regular `Parser` object.\n   *\n   * Produces `data` events with an object that captures the parser's\n   * interpretation of the input. That object has a property `tag` that is one\n   * of `uri`, `comment`, or `tag`. URIs only have a single additional\n   * property, `line`, which captures the entirety of the input without\n   * interpretation. Comments similarly have a single additional property\n   * `text` which is the input without the leading `#`.\n   *\n   * Tags always have a property `tagType` which is the lower-cased version of\n   * the M3U8 directive without the `#EXT` or `#EXT-X-` prefix. For instance,\n   * `#EXT-X-MEDIA-SEQUENCE` becomes `media-sequence` when parsed. Unrecognized\n   * tags are given the tag type `unknown` and a single additional property\n   * `data` with the remainder of the input.\n   *\n   * @class ParseStream\n   * @extends Stream\n   */\n\n  class ParseStream extends Stream {\n    constructor() {\n      super();\n      this.customParsers = [];\n      this.tagMappers = [];\n    }\n    /**\n     * Parses an additional line of input.\n     *\n     * @param {string} line a single line of an M3U8 file to parse\n     */\n\n    push(line) {\n      let match;\n      let event; // strip whitespace\n\n      line = line.trim();\n      if (line.length === 0) {\n        // ignore empty lines\n        return;\n      } // URIs\n\n      if (line[0] !== '#') {\n        this.trigger('data', {\n          type: 'uri',\n          uri: line\n        });\n        return;\n      } // map tags\n\n      const newLines = this.tagMappers.reduce((acc, mapper) => {\n        const mappedLine = mapper(line); // skip if unchanged\n\n        if (mappedLine === line) {\n          return acc;\n        }\n        return acc.concat([mappedLine]);\n      }, [line]);\n      newLines.forEach(newLine => {\n        for (let i = 0; i < this.customParsers.length; i++) {\n          if (this.customParsers[i].call(this, newLine)) {\n            return;\n          }\n        } // Comments\n\n        if (newLine.indexOf('#EXT') !== 0) {\n          this.trigger('data', {\n            type: 'comment',\n            text: newLine.slice(1)\n          });\n          return;\n        } // strip off any carriage returns here so the regex matching\n        // doesn't have to account for them.\n\n        newLine = newLine.replace('\\r', ''); // Tags\n\n        match = /^#EXTM3U/.exec(newLine);\n        if (match) {\n          this.trigger('data', {\n            type: 'tag',\n            tagType: 'm3u'\n          });\n          return;\n        }\n        match = /^#EXTINF:([0-9\\.]*)?,?(.*)?$/.exec(newLine);\n        if (match) {\n          event = {\n            type: 'tag',\n            tagType: 'inf'\n          };\n          if (match[1]) {\n            event.duration = parseFloat(match[1]);\n          }\n          if (match[2]) {\n            event.title = match[2];\n          }\n          this.trigger('data', event);\n          return;\n        }\n        match = /^#EXT-X-TARGETDURATION:([0-9.]*)?/.exec(newLine);\n        if (match) {\n          event = {\n            type: 'tag',\n            tagType: 'targetduration'\n          };\n          if (match[1]) {\n            event.duration = parseInt(match[1], 10);\n          }\n          this.trigger('data', event);\n          return;\n        }\n        match = /^#EXT-X-VERSION:([0-9.]*)?/.exec(newLine);\n        if (match) {\n          event = {\n            type: 'tag',\n            tagType: 'version'\n          };\n          if (match[1]) {\n            event.version = parseInt(match[1], 10);\n          }\n          this.trigger('data', event);\n          return;\n        }\n        match = /^#EXT-X-MEDIA-SEQUENCE:(\\-?[0-9.]*)?/.exec(newLine);\n        if (match) {\n          event = {\n            type: 'tag',\n            tagType: 'media-sequence'\n          };\n          if (match[1]) {\n            event.number = parseInt(match[1], 10);\n          }\n          this.trigger('data', event);\n          return;\n        }\n        match = /^#EXT-X-DISCONTINUITY-SEQUENCE:(\\-?[0-9.]*)?/.exec(newLine);\n        if (match) {\n          event = {\n            type: 'tag',\n            tagType: 'discontinuity-sequence'\n          };\n          if (match[1]) {\n            event.number = parseInt(match[1], 10);\n          }\n          this.trigger('data', event);\n          return;\n        }\n        match = /^#EXT-X-PLAYLIST-TYPE:(.*)?$/.exec(newLine);\n        if (match) {\n          event = {\n            type: 'tag',\n            tagType: 'playlist-type'\n          };\n          if (match[1]) {\n            event.playlistType = match[1];\n          }\n          this.trigger('data', event);\n          return;\n        }\n        match = /^#EXT-X-BYTERANGE:(.*)?$/.exec(newLine);\n        if (match) {\n          event = _extends$1(parseByterange(match[1]), {\n            type: 'tag',\n            tagType: 'byterange'\n          });\n          this.trigger('data', event);\n          return;\n        }\n        match = /^#EXT-X-ALLOW-CACHE:(YES|NO)?/.exec(newLine);\n        if (match) {\n          event = {\n            type: 'tag',\n            tagType: 'allow-cache'\n          };\n          if (match[1]) {\n            event.allowed = !/NO/.test(match[1]);\n          }\n          this.trigger('data', event);\n          return;\n        }\n        match = /^#EXT-X-MAP:(.*)$/.exec(newLine);\n        if (match) {\n          event = {\n            type: 'tag',\n            tagType: 'map'\n          };\n          if (match[1]) {\n            const attributes = parseAttributes$1(match[1]);\n            if (attributes.URI) {\n              event.uri = attributes.URI;\n            }\n            if (attributes.BYTERANGE) {\n              event.byterange = parseByterange(attributes.BYTERANGE);\n            }\n          }\n          this.trigger('data', event);\n          return;\n        }\n        match = /^#EXT-X-STREAM-INF:(.*)$/.exec(newLine);\n        if (match) {\n          event = {\n            type: 'tag',\n            tagType: 'stream-inf'\n          };\n          if (match[1]) {\n            event.attributes = parseAttributes$1(match[1]);\n            if (event.attributes.RESOLUTION) {\n              event.attributes.RESOLUTION = parseResolution(event.attributes.RESOLUTION);\n            }\n            if (event.attributes.BANDWIDTH) {\n              event.attributes.BANDWIDTH = parseInt(event.attributes.BANDWIDTH, 10);\n            }\n            if (event.attributes['FRAME-RATE']) {\n              event.attributes['FRAME-RATE'] = parseFloat(event.attributes['FRAME-RATE']);\n            }\n            if (event.attributes['PROGRAM-ID']) {\n              event.attributes['PROGRAM-ID'] = parseInt(event.attributes['PROGRAM-ID'], 10);\n            }\n          }\n          this.trigger('data', event);\n          return;\n        }\n        match = /^#EXT-X-MEDIA:(.*)$/.exec(newLine);\n        if (match) {\n          event = {\n            type: 'tag',\n            tagType: 'media'\n          };\n          if (match[1]) {\n            event.attributes = parseAttributes$1(match[1]);\n          }\n          this.trigger('data', event);\n          return;\n        }\n        match = /^#EXT-X-ENDLIST/.exec(newLine);\n        if (match) {\n          this.trigger('data', {\n            type: 'tag',\n            tagType: 'endlist'\n          });\n          return;\n        }\n        match = /^#EXT-X-DISCONTINUITY/.exec(newLine);\n        if (match) {\n          this.trigger('data', {\n            type: 'tag',\n            tagType: 'discontinuity'\n          });\n          return;\n        }\n        match = /^#EXT-X-PROGRAM-DATE-TIME:(.*)$/.exec(newLine);\n        if (match) {\n          event = {\n            type: 'tag',\n            tagType: 'program-date-time'\n          };\n          if (match[1]) {\n            event.dateTimeString = match[1];\n            event.dateTimeObject = new Date(match[1]);\n          }\n          this.trigger('data', event);\n          return;\n        }\n        match = /^#EXT-X-KEY:(.*)$/.exec(newLine);\n        if (match) {\n          event = {\n            type: 'tag',\n            tagType: 'key'\n          };\n          if (match[1]) {\n            event.attributes = parseAttributes$1(match[1]); // parse the IV string into a Uint32Array\n\n            if (event.attributes.IV) {\n              if (event.attributes.IV.substring(0, 2).toLowerCase() === '0x') {\n                event.attributes.IV = event.attributes.IV.substring(2);\n              }\n              event.attributes.IV = event.attributes.IV.match(/.{8}/g);\n              event.attributes.IV[0] = parseInt(event.attributes.IV[0], 16);\n              event.attributes.IV[1] = parseInt(event.attributes.IV[1], 16);\n              event.attributes.IV[2] = parseInt(event.attributes.IV[2], 16);\n              event.attributes.IV[3] = parseInt(event.attributes.IV[3], 16);\n              event.attributes.IV = new Uint32Array(event.attributes.IV);\n            }\n          }\n          this.trigger('data', event);\n          return;\n        }\n        match = /^#EXT-X-START:(.*)$/.exec(newLine);\n        if (match) {\n          event = {\n            type: 'tag',\n            tagType: 'start'\n          };\n          if (match[1]) {\n            event.attributes = parseAttributes$1(match[1]);\n            event.attributes['TIME-OFFSET'] = parseFloat(event.attributes['TIME-OFFSET']);\n            event.attributes.PRECISE = /YES/.test(event.attributes.PRECISE);\n          }\n          this.trigger('data', event);\n          return;\n        }\n        match = /^#EXT-X-CUE-OUT-CONT:(.*)?$/.exec(newLine);\n        if (match) {\n          event = {\n            type: 'tag',\n            tagType: 'cue-out-cont'\n          };\n          if (match[1]) {\n            event.data = match[1];\n          } else {\n            event.data = '';\n          }\n          this.trigger('data', event);\n          return;\n        }\n        match = /^#EXT-X-CUE-OUT:(.*)?$/.exec(newLine);\n        if (match) {\n          event = {\n            type: 'tag',\n            tagType: 'cue-out'\n          };\n          if (match[1]) {\n            event.data = match[1];\n          } else {\n            event.data = '';\n          }\n          this.trigger('data', event);\n          return;\n        }\n        match = /^#EXT-X-CUE-IN:?(.*)?$/.exec(newLine);\n        if (match) {\n          event = {\n            type: 'tag',\n            tagType: 'cue-in'\n          };\n          if (match[1]) {\n            event.data = match[1];\n          } else {\n            event.data = '';\n          }\n          this.trigger('data', event);\n          return;\n        }\n        match = /^#EXT-X-SKIP:(.*)$/.exec(newLine);\n        if (match && match[1]) {\n          event = {\n            type: 'tag',\n            tagType: 'skip'\n          };\n          event.attributes = parseAttributes$1(match[1]);\n          if (event.attributes.hasOwnProperty('SKIPPED-SEGMENTS')) {\n            event.attributes['SKIPPED-SEGMENTS'] = parseInt(event.attributes['SKIPPED-SEGMENTS'], 10);\n          }\n          if (event.attributes.hasOwnProperty('RECENTLY-REMOVED-DATERANGES')) {\n            event.attributes['RECENTLY-REMOVED-DATERANGES'] = event.attributes['RECENTLY-REMOVED-DATERANGES'].split(TAB);\n          }\n          this.trigger('data', event);\n          return;\n        }\n        match = /^#EXT-X-PART:(.*)$/.exec(newLine);\n        if (match && match[1]) {\n          event = {\n            type: 'tag',\n            tagType: 'part'\n          };\n          event.attributes = parseAttributes$1(match[1]);\n          ['DURATION'].forEach(function (key) {\n            if (event.attributes.hasOwnProperty(key)) {\n              event.attributes[key] = parseFloat(event.attributes[key]);\n            }\n          });\n          ['INDEPENDENT', 'GAP'].forEach(function (key) {\n            if (event.attributes.hasOwnProperty(key)) {\n              event.attributes[key] = /YES/.test(event.attributes[key]);\n            }\n          });\n          if (event.attributes.hasOwnProperty('BYTERANGE')) {\n            event.attributes.byterange = parseByterange(event.attributes.BYTERANGE);\n          }\n          this.trigger('data', event);\n          return;\n        }\n        match = /^#EXT-X-SERVER-CONTROL:(.*)$/.exec(newLine);\n        if (match && match[1]) {\n          event = {\n            type: 'tag',\n            tagType: 'server-control'\n          };\n          event.attributes = parseAttributes$1(match[1]);\n          ['CAN-SKIP-UNTIL', 'PART-HOLD-BACK', 'HOLD-BACK'].forEach(function (key) {\n            if (event.attributes.hasOwnProperty(key)) {\n              event.attributes[key] = parseFloat(event.attributes[key]);\n            }\n          });\n          ['CAN-SKIP-DATERANGES', 'CAN-BLOCK-RELOAD'].forEach(function (key) {\n            if (event.attributes.hasOwnProperty(key)) {\n              event.attributes[key] = /YES/.test(event.attributes[key]);\n            }\n          });\n          this.trigger('data', event);\n          return;\n        }\n        match = /^#EXT-X-PART-INF:(.*)$/.exec(newLine);\n        if (match && match[1]) {\n          event = {\n            type: 'tag',\n            tagType: 'part-inf'\n          };\n          event.attributes = parseAttributes$1(match[1]);\n          ['PART-TARGET'].forEach(function (key) {\n            if (event.attributes.hasOwnProperty(key)) {\n              event.attributes[key] = parseFloat(event.attributes[key]);\n            }\n          });\n          this.trigger('data', event);\n          return;\n        }\n        match = /^#EXT-X-PRELOAD-HINT:(.*)$/.exec(newLine);\n        if (match && match[1]) {\n          event = {\n            type: 'tag',\n            tagType: 'preload-hint'\n          };\n          event.attributes = parseAttributes$1(match[1]);\n          ['BYTERANGE-START', 'BYTERANGE-LENGTH'].forEach(function (key) {\n            if (event.attributes.hasOwnProperty(key)) {\n              event.attributes[key] = parseInt(event.attributes[key], 10);\n              const subkey = key === 'BYTERANGE-LENGTH' ? 'length' : 'offset';\n              event.attributes.byterange = event.attributes.byterange || {};\n              event.attributes.byterange[subkey] = event.attributes[key]; // only keep the parsed byterange object.\n\n              delete event.attributes[key];\n            }\n          });\n          this.trigger('data', event);\n          return;\n        }\n        match = /^#EXT-X-RENDITION-REPORT:(.*)$/.exec(newLine);\n        if (match && match[1]) {\n          event = {\n            type: 'tag',\n            tagType: 'rendition-report'\n          };\n          event.attributes = parseAttributes$1(match[1]);\n          ['LAST-MSN', 'LAST-PART'].forEach(function (key) {\n            if (event.attributes.hasOwnProperty(key)) {\n              event.attributes[key] = parseInt(event.attributes[key], 10);\n            }\n          });\n          this.trigger('data', event);\n          return;\n        }\n        match = /^#EXT-X-DATERANGE:(.*)$/.exec(newLine);\n        if (match && match[1]) {\n          event = {\n            type: 'tag',\n            tagType: 'daterange'\n          };\n          event.attributes = parseAttributes$1(match[1]);\n          ['ID', 'CLASS'].forEach(function (key) {\n            if (event.attributes.hasOwnProperty(key)) {\n              event.attributes[key] = String(event.attributes[key]);\n            }\n          });\n          ['START-DATE', 'END-DATE'].forEach(function (key) {\n            if (event.attributes.hasOwnProperty(key)) {\n              event.attributes[key] = new Date(event.attributes[key]);\n            }\n          });\n          ['DURATION', 'PLANNED-DURATION'].forEach(function (key) {\n            if (event.attributes.hasOwnProperty(key)) {\n              event.attributes[key] = parseFloat(event.attributes[key]);\n            }\n          });\n          ['END-ON-NEXT'].forEach(function (key) {\n            if (event.attributes.hasOwnProperty(key)) {\n              event.attributes[key] = /YES/i.test(event.attributes[key]);\n            }\n          });\n          ['SCTE35-CMD', ' SCTE35-OUT', 'SCTE35-IN'].forEach(function (key) {\n            if (event.attributes.hasOwnProperty(key)) {\n              event.attributes[key] = event.attributes[key].toString(16);\n            }\n          });\n          const clientAttributePattern = /^X-([A-Z]+-)+[A-Z]+$/;\n          for (const key in event.attributes) {\n            if (!clientAttributePattern.test(key)) {\n              continue;\n            }\n            const isHexaDecimal = /[0-9A-Fa-f]{6}/g.test(event.attributes[key]);\n            const isDecimalFloating = /^\\d+(\\.\\d+)?$/.test(event.attributes[key]);\n            event.attributes[key] = isHexaDecimal ? event.attributes[key].toString(16) : isDecimalFloating ? parseFloat(event.attributes[key]) : String(event.attributes[key]);\n          }\n          this.trigger('data', event);\n          return;\n        }\n        match = /^#EXT-X-INDEPENDENT-SEGMENTS/.exec(newLine);\n        if (match) {\n          this.trigger('data', {\n            type: 'tag',\n            tagType: 'independent-segments'\n          });\n          return;\n        }\n        match = /^#EXT-X-I-FRAMES-ONLY/.exec(newLine);\n        if (match) {\n          this.trigger('data', {\n            type: 'tag',\n            tagType: 'i-frames-only'\n          });\n          return;\n        }\n        match = /^#EXT-X-CONTENT-STEERING:(.*)$/.exec(newLine);\n        if (match) {\n          event = {\n            type: 'tag',\n            tagType: 'content-steering'\n          };\n          event.attributes = parseAttributes$1(match[1]);\n          this.trigger('data', event);\n          return;\n        }\n        match = /^#EXT-X-I-FRAME-STREAM-INF:(.*)$/.exec(newLine);\n        if (match) {\n          event = {\n            type: 'tag',\n            tagType: 'i-frame-playlist'\n          };\n          event.attributes = parseAttributes$1(match[1]);\n          if (event.attributes.URI) {\n            event.uri = event.attributes.URI;\n          }\n          if (event.attributes.BANDWIDTH) {\n            event.attributes.BANDWIDTH = parseInt(event.attributes.BANDWIDTH, 10);\n          }\n          if (event.attributes.RESOLUTION) {\n            event.attributes.RESOLUTION = parseResolution(event.attributes.RESOLUTION);\n          }\n          if (event.attributes['AVERAGE-BANDWIDTH']) {\n            event.attributes['AVERAGE-BANDWIDTH'] = parseInt(event.attributes['AVERAGE-BANDWIDTH'], 10);\n          }\n          if (event.attributes['FRAME-RATE']) {\n            event.attributes['FRAME-RATE'] = parseFloat(event.attributes['FRAME-RATE']);\n          }\n          this.trigger('data', event);\n          return;\n        }\n        match = /^#EXT-X-DEFINE:(.*)$/.exec(newLine);\n        if (match) {\n          event = {\n            type: 'tag',\n            tagType: 'define'\n          };\n          event.attributes = parseAttributes$1(match[1]);\n          this.trigger('data', event);\n          return;\n        } // unknown tag type\n\n        this.trigger('data', {\n          type: 'tag',\n          data: newLine.slice(4)\n        });\n      });\n    }\n    /**\n     * Add a parser for custom headers\n     *\n     * @param {Object}   options              a map of options for the added parser\n     * @param {RegExp}   options.expression   a regular expression to match the custom header\n     * @param {string}   options.customType   the custom type to register to the output\n     * @param {Function} [options.dataParser] function to parse the line into an object\n     * @param {boolean}  [options.segment]    should tag data be attached to the segment object\n     */\n\n    addParser({\n      expression,\n      customType,\n      dataParser,\n      segment\n    }) {\n      if (typeof dataParser !== 'function') {\n        dataParser = line => line;\n      }\n      this.customParsers.push(line => {\n        const match = expression.exec(line);\n        if (match) {\n          this.trigger('data', {\n            type: 'custom',\n            data: dataParser(line),\n            customType,\n            segment\n          });\n          return true;\n        }\n      });\n    }\n    /**\n     * Add a custom header mapper\n     *\n     * @param {Object}   options\n     * @param {RegExp}   options.expression   a regular expression to match the custom header\n     * @param {Function} options.map          function to translate tag into a different tag\n     */\n\n    addTagMapper({\n      expression,\n      map\n    }) {\n      const mapFn = line => {\n        if (expression.test(line)) {\n          return map(line);\n        }\n        return line;\n      };\n      this.tagMappers.push(mapFn);\n    }\n  }\n  const camelCase = str => str.toLowerCase().replace(/-(\\w)/g, a => a[1].toUpperCase());\n  const camelCaseKeys = function (attributes) {\n    const result = {};\n    Object.keys(attributes).forEach(function (key) {\n      result[camelCase(key)] = attributes[key];\n    });\n    return result;\n  }; // set SERVER-CONTROL hold back based upon targetDuration and partTargetDuration\n  // we need this helper because defaults are based upon targetDuration and\n  // partTargetDuration being set, but they may not be if SERVER-CONTROL appears before\n  // target durations are set.\n\n  const setHoldBack = function (manifest) {\n    const {\n      serverControl,\n      targetDuration,\n      partTargetDuration\n    } = manifest;\n    if (!serverControl) {\n      return;\n    }\n    const tag = '#EXT-X-SERVER-CONTROL';\n    const hb = 'holdBack';\n    const phb = 'partHoldBack';\n    const minTargetDuration = targetDuration && targetDuration * 3;\n    const minPartDuration = partTargetDuration && partTargetDuration * 2;\n    if (targetDuration && !serverControl.hasOwnProperty(hb)) {\n      serverControl[hb] = minTargetDuration;\n      this.trigger('info', {\n        message: `${tag} defaulting HOLD-BACK to targetDuration * 3 (${minTargetDuration}).`\n      });\n    }\n    if (minTargetDuration && serverControl[hb] < minTargetDuration) {\n      this.trigger('warn', {\n        message: `${tag} clamping HOLD-BACK (${serverControl[hb]}) to targetDuration * 3 (${minTargetDuration})`\n      });\n      serverControl[hb] = minTargetDuration;\n    } // default no part hold back to part target duration * 3\n\n    if (partTargetDuration && !serverControl.hasOwnProperty(phb)) {\n      serverControl[phb] = partTargetDuration * 3;\n      this.trigger('info', {\n        message: `${tag} defaulting PART-HOLD-BACK to partTargetDuration * 3 (${serverControl[phb]}).`\n      });\n    } // if part hold back is too small default it to part target duration * 2\n\n    if (partTargetDuration && serverControl[phb] < minPartDuration) {\n      this.trigger('warn', {\n        message: `${tag} clamping PART-HOLD-BACK (${serverControl[phb]}) to partTargetDuration * 2 (${minPartDuration}).`\n      });\n      serverControl[phb] = minPartDuration;\n    }\n  };\n  /**\n   * A parser for M3U8 files. The current interpretation of the input is\n   * exposed as a property `manifest` on parser objects. It's just two lines to\n   * create and parse a manifest once you have the contents available as a string:\n   *\n   * ```js\n   * var parser = new m3u8.Parser();\n   * parser.push(xhr.responseText);\n   * ```\n   *\n   * New input can later be applied to update the manifest object by calling\n   * `push` again.\n   *\n   * The parser attempts to create a usable manifest object even if the\n   * underlying input is somewhat nonsensical. It emits `info` and `warning`\n   * events during the parse if it encounters input that seems invalid or\n   * requires some property of the manifest object to be defaulted.\n   *\n   * @class Parser\n   * @param {Object} [opts] Options for the constructor, needed for substitutions\n   * @param {string} [opts.uri] URL to check for query params\n   * @param {Object} [opts.mainDefinitions] Definitions on main playlist that can be imported\n   * @extends Stream\n   */\n\n  class Parser extends Stream {\n    constructor(opts = {}) {\n      super();\n      this.lineStream = new LineStream();\n      this.parseStream = new ParseStream();\n      this.lineStream.pipe(this.parseStream);\n      this.mainDefinitions = opts.mainDefinitions || {};\n      this.params = new URL(opts.uri, 'https://a.com').searchParams;\n      this.lastProgramDateTime = null;\n      /* eslint-disable consistent-this */\n\n      const self = this;\n      /* eslint-enable consistent-this */\n\n      const uris = [];\n      let currentUri = {}; // if specified, the active EXT-X-MAP definition\n\n      let currentMap; // if specified, the active decryption key\n\n      let key;\n      let hasParts = false;\n      const noop = function () {};\n      const defaultMediaGroups = {\n        'AUDIO': {},\n        'VIDEO': {},\n        'CLOSED-CAPTIONS': {},\n        'SUBTITLES': {}\n      }; // This is the Widevine UUID from DASH IF IOP. The same exact string is\n      // used in MPDs with Widevine encrypted streams.\n\n      const widevineUuid = 'urn:uuid:edef8ba9-79d6-4ace-a3c8-27dcd51d21ed'; // group segments into numbered timelines delineated by discontinuities\n\n      let currentTimeline = 0; // the manifest is empty until the parse stream begins delivering data\n\n      this.manifest = {\n        allowCache: true,\n        discontinuityStarts: [],\n        dateRanges: [],\n        iFramePlaylists: [],\n        segments: []\n      }; // keep track of the last seen segment's byte range end, as segments are not required\n      // to provide the offset, in which case it defaults to the next byte after the\n      // previous segment\n\n      let lastByterangeEnd = 0; // keep track of the last seen part's byte range end.\n\n      let lastPartByterangeEnd = 0;\n      const dateRangeTags = {};\n      this.on('end', () => {\n        // only add preloadSegment if we don't yet have a uri for it.\n        // and we actually have parts/preloadHints\n        if (currentUri.uri || !currentUri.parts && !currentUri.preloadHints) {\n          return;\n        }\n        if (!currentUri.map && currentMap) {\n          currentUri.map = currentMap;\n        }\n        if (!currentUri.key && key) {\n          currentUri.key = key;\n        }\n        if (!currentUri.timeline && typeof currentTimeline === 'number') {\n          currentUri.timeline = currentTimeline;\n        }\n        this.manifest.preloadSegment = currentUri;\n      }); // update the manifest with the m3u8 entry from the parse stream\n\n      this.parseStream.on('data', function (entry) {\n        let mediaGroup;\n        let rendition; // Replace variables in uris and attributes as defined in #EXT-X-DEFINE tags\n\n        if (self.manifest.definitions) {\n          for (const def in self.manifest.definitions) {\n            if (entry.uri) {\n              entry.uri = entry.uri.replace(`{$${def}}`, self.manifest.definitions[def]);\n            }\n            if (entry.attributes) {\n              for (const attr in entry.attributes) {\n                if (typeof entry.attributes[attr] === 'string') {\n                  entry.attributes[attr] = entry.attributes[attr].replace(`{$${def}}`, self.manifest.definitions[def]);\n                }\n              }\n            }\n          }\n        }\n        ({\n          tag() {\n            // switch based on the tag type\n            (({\n              version() {\n                if (entry.version) {\n                  this.manifest.version = entry.version;\n                }\n              },\n              'allow-cache'() {\n                this.manifest.allowCache = entry.allowed;\n                if (!('allowed' in entry)) {\n                  this.trigger('info', {\n                    message: 'defaulting allowCache to YES'\n                  });\n                  this.manifest.allowCache = true;\n                }\n              },\n              byterange() {\n                const byterange = {};\n                if ('length' in entry) {\n                  currentUri.byterange = byterange;\n                  byterange.length = entry.length;\n                  if (!('offset' in entry)) {\n                    /*\n                     * From the latest spec (as of this writing):\n                     * https://tools.ietf.org/html/draft-pantos-http-live-streaming-23#section-4.3.2.2\n                     *\n                     * Same text since EXT-X-BYTERANGE's introduction in draft 7:\n                     * https://tools.ietf.org/html/draft-pantos-http-live-streaming-07#section-3.3.1)\n                     *\n                     * \"If o [offset] is not present, the sub-range begins at the next byte\n                     * following the sub-range of the previous media segment.\"\n                     */\n                    entry.offset = lastByterangeEnd;\n                  }\n                }\n                if ('offset' in entry) {\n                  currentUri.byterange = byterange;\n                  byterange.offset = entry.offset;\n                }\n                lastByterangeEnd = byterange.offset + byterange.length;\n              },\n              endlist() {\n                this.manifest.endList = true;\n              },\n              inf() {\n                if (!('mediaSequence' in this.manifest)) {\n                  this.manifest.mediaSequence = 0;\n                  this.trigger('info', {\n                    message: 'defaulting media sequence to zero'\n                  });\n                }\n                if (!('discontinuitySequence' in this.manifest)) {\n                  this.manifest.discontinuitySequence = 0;\n                  this.trigger('info', {\n                    message: 'defaulting discontinuity sequence to zero'\n                  });\n                }\n                if (entry.title) {\n                  currentUri.title = entry.title;\n                }\n                if (entry.duration > 0) {\n                  currentUri.duration = entry.duration;\n                }\n                if (entry.duration === 0) {\n                  currentUri.duration = 0.01;\n                  this.trigger('info', {\n                    message: 'updating zero segment duration to a small value'\n                  });\n                }\n                this.manifest.segments = uris;\n              },\n              key() {\n                if (!entry.attributes) {\n                  this.trigger('warn', {\n                    message: 'ignoring key declaration without attribute list'\n                  });\n                  return;\n                } // clear the active encryption key\n\n                if (entry.attributes.METHOD === 'NONE') {\n                  key = null;\n                  return;\n                }\n                if (!entry.attributes.URI) {\n                  this.trigger('warn', {\n                    message: 'ignoring key declaration without URI'\n                  });\n                  return;\n                }\n                if (entry.attributes.KEYFORMAT === 'com.apple.streamingkeydelivery') {\n                  this.manifest.contentProtection = this.manifest.contentProtection || {}; // TODO: add full support for this.\n\n                  this.manifest.contentProtection['com.apple.fps.1_0'] = {\n                    attributes: entry.attributes\n                  };\n                  return;\n                }\n                if (entry.attributes.KEYFORMAT === 'com.microsoft.playready') {\n                  this.manifest.contentProtection = this.manifest.contentProtection || {}; // TODO: add full support for this.\n\n                  this.manifest.contentProtection['com.microsoft.playready'] = {\n                    uri: entry.attributes.URI\n                  };\n                  return;\n                } // check if the content is encrypted for Widevine\n                // Widevine/HLS spec: https://storage.googleapis.com/wvdocs/Widevine_DRM_HLS.pdf\n\n                if (entry.attributes.KEYFORMAT === widevineUuid) {\n                  const VALID_METHODS = ['SAMPLE-AES', 'SAMPLE-AES-CTR', 'SAMPLE-AES-CENC'];\n                  if (VALID_METHODS.indexOf(entry.attributes.METHOD) === -1) {\n                    this.trigger('warn', {\n                      message: 'invalid key method provided for Widevine'\n                    });\n                    return;\n                  }\n                  if (entry.attributes.METHOD === 'SAMPLE-AES-CENC') {\n                    this.trigger('warn', {\n                      message: 'SAMPLE-AES-CENC is deprecated, please use SAMPLE-AES-CTR instead'\n                    });\n                  }\n                  if (entry.attributes.URI.substring(0, 23) !== 'data:text/plain;base64,') {\n                    this.trigger('warn', {\n                      message: 'invalid key URI provided for Widevine'\n                    });\n                    return;\n                  }\n                  if (!(entry.attributes.KEYID && entry.attributes.KEYID.substring(0, 2) === '0x')) {\n                    this.trigger('warn', {\n                      message: 'invalid key ID provided for Widevine'\n                    });\n                    return;\n                  } // if Widevine key attributes are valid, store them as `contentProtection`\n                  // on the manifest to emulate Widevine tag structure in a DASH mpd\n\n                  this.manifest.contentProtection = this.manifest.contentProtection || {};\n                  this.manifest.contentProtection['com.widevine.alpha'] = {\n                    attributes: {\n                      schemeIdUri: entry.attributes.KEYFORMAT,\n                      // remove '0x' from the key id string\n                      keyId: entry.attributes.KEYID.substring(2)\n                    },\n                    // decode the base64-encoded PSSH box\n                    pssh: decodeB64ToUint8Array(entry.attributes.URI.split(',')[1])\n                  };\n                  return;\n                }\n                if (!entry.attributes.METHOD) {\n                  this.trigger('warn', {\n                    message: 'defaulting key method to AES-128'\n                  });\n                } // setup an encryption key for upcoming segments\n\n                key = {\n                  method: entry.attributes.METHOD || 'AES-128',\n                  uri: entry.attributes.URI\n                };\n                if (typeof entry.attributes.IV !== 'undefined') {\n                  key.iv = entry.attributes.IV;\n                }\n              },\n              'media-sequence'() {\n                if (!isFinite(entry.number)) {\n                  this.trigger('warn', {\n                    message: 'ignoring invalid media sequence: ' + entry.number\n                  });\n                  return;\n                }\n                this.manifest.mediaSequence = entry.number;\n              },\n              'discontinuity-sequence'() {\n                if (!isFinite(entry.number)) {\n                  this.trigger('warn', {\n                    message: 'ignoring invalid discontinuity sequence: ' + entry.number\n                  });\n                  return;\n                }\n                this.manifest.discontinuitySequence = entry.number;\n                currentTimeline = entry.number;\n              },\n              'playlist-type'() {\n                if (!/VOD|EVENT/.test(entry.playlistType)) {\n                  this.trigger('warn', {\n                    message: 'ignoring unknown playlist type: ' + entry.playlist\n                  });\n                  return;\n                }\n                this.manifest.playlistType = entry.playlistType;\n              },\n              map() {\n                currentMap = {};\n                if (entry.uri) {\n                  currentMap.uri = entry.uri;\n                }\n                if (entry.byterange) {\n                  currentMap.byterange = entry.byterange;\n                }\n                if (key) {\n                  currentMap.key = key;\n                }\n              },\n              'stream-inf'() {\n                this.manifest.playlists = uris;\n                this.manifest.mediaGroups = this.manifest.mediaGroups || defaultMediaGroups;\n                if (!entry.attributes) {\n                  this.trigger('warn', {\n                    message: 'ignoring empty stream-inf attributes'\n                  });\n                  return;\n                }\n                if (!currentUri.attributes) {\n                  currentUri.attributes = {};\n                }\n                _extends$1(currentUri.attributes, entry.attributes);\n              },\n              media() {\n                this.manifest.mediaGroups = this.manifest.mediaGroups || defaultMediaGroups;\n                if (!(entry.attributes && entry.attributes.TYPE && entry.attributes['GROUP-ID'] && entry.attributes.NAME)) {\n                  this.trigger('warn', {\n                    message: 'ignoring incomplete or missing media group'\n                  });\n                  return;\n                } // find the media group, creating defaults as necessary\n\n                const mediaGroupType = this.manifest.mediaGroups[entry.attributes.TYPE];\n                mediaGroupType[entry.attributes['GROUP-ID']] = mediaGroupType[entry.attributes['GROUP-ID']] || {};\n                mediaGroup = mediaGroupType[entry.attributes['GROUP-ID']]; // collect the rendition metadata\n\n                rendition = {\n                  default: /yes/i.test(entry.attributes.DEFAULT)\n                };\n                if (rendition.default) {\n                  rendition.autoselect = true;\n                } else {\n                  rendition.autoselect = /yes/i.test(entry.attributes.AUTOSELECT);\n                }\n                if (entry.attributes.LANGUAGE) {\n                  rendition.language = entry.attributes.LANGUAGE;\n                }\n                if (entry.attributes.URI) {\n                  rendition.uri = entry.attributes.URI;\n                }\n                if (entry.attributes['INSTREAM-ID']) {\n                  rendition.instreamId = entry.attributes['INSTREAM-ID'];\n                }\n                if (entry.attributes.CHARACTERISTICS) {\n                  rendition.characteristics = entry.attributes.CHARACTERISTICS;\n                }\n                if (entry.attributes.FORCED) {\n                  rendition.forced = /yes/i.test(entry.attributes.FORCED);\n                } // insert the new rendition\n\n                mediaGroup[entry.attributes.NAME] = rendition;\n              },\n              discontinuity() {\n                currentTimeline += 1;\n                currentUri.discontinuity = true;\n                this.manifest.discontinuityStarts.push(uris.length);\n              },\n              'program-date-time'() {\n                if (typeof this.manifest.dateTimeString === 'undefined') {\n                  // PROGRAM-DATE-TIME is a media-segment tag, but for backwards\n                  // compatibility, we add the first occurence of the PROGRAM-DATE-TIME tag\n                  // to the manifest object\n                  // TODO: Consider removing this in future major version\n                  this.manifest.dateTimeString = entry.dateTimeString;\n                  this.manifest.dateTimeObject = entry.dateTimeObject;\n                }\n                currentUri.dateTimeString = entry.dateTimeString;\n                currentUri.dateTimeObject = entry.dateTimeObject;\n                const {\n                  lastProgramDateTime\n                } = this;\n                this.lastProgramDateTime = new Date(entry.dateTimeString).getTime(); // We should extrapolate Program Date Time backward only during first program date time occurrence.\n                // Once we have at least one program date time point, we can always extrapolate it forward using lastProgramDateTime reference.\n\n                if (lastProgramDateTime === null) {\n                  // Extrapolate Program Date Time backward\n                  // Since it is first program date time occurrence we're assuming that\n                  // all this.manifest.segments have no program date time info\n                  this.manifest.segments.reduceRight((programDateTime, segment) => {\n                    segment.programDateTime = programDateTime - segment.duration * 1000;\n                    return segment.programDateTime;\n                  }, this.lastProgramDateTime);\n                }\n              },\n              targetduration() {\n                if (!isFinite(entry.duration) || entry.duration < 0) {\n                  this.trigger('warn', {\n                    message: 'ignoring invalid target duration: ' + entry.duration\n                  });\n                  return;\n                }\n                this.manifest.targetDuration = entry.duration;\n                setHoldBack.call(this, this.manifest);\n              },\n              start() {\n                if (!entry.attributes || isNaN(entry.attributes['TIME-OFFSET'])) {\n                  this.trigger('warn', {\n                    message: 'ignoring start declaration without appropriate attribute list'\n                  });\n                  return;\n                }\n                this.manifest.start = {\n                  timeOffset: entry.attributes['TIME-OFFSET'],\n                  precise: entry.attributes.PRECISE\n                };\n              },\n              'cue-out'() {\n                currentUri.cueOut = entry.data;\n              },\n              'cue-out-cont'() {\n                currentUri.cueOutCont = entry.data;\n              },\n              'cue-in'() {\n                currentUri.cueIn = entry.data;\n              },\n              'skip'() {\n                this.manifest.skip = camelCaseKeys(entry.attributes);\n                this.warnOnMissingAttributes_('#EXT-X-SKIP', entry.attributes, ['SKIPPED-SEGMENTS']);\n              },\n              'part'() {\n                hasParts = true; // parts are always specifed before a segment\n\n                const segmentIndex = this.manifest.segments.length;\n                const part = camelCaseKeys(entry.attributes);\n                currentUri.parts = currentUri.parts || [];\n                currentUri.parts.push(part);\n                if (part.byterange) {\n                  if (!part.byterange.hasOwnProperty('offset')) {\n                    part.byterange.offset = lastPartByterangeEnd;\n                  }\n                  lastPartByterangeEnd = part.byterange.offset + part.byterange.length;\n                }\n                const partIndex = currentUri.parts.length - 1;\n                this.warnOnMissingAttributes_(`#EXT-X-PART #${partIndex} for segment #${segmentIndex}`, entry.attributes, ['URI', 'DURATION']);\n                if (this.manifest.renditionReports) {\n                  this.manifest.renditionReports.forEach((r, i) => {\n                    if (!r.hasOwnProperty('lastPart')) {\n                      this.trigger('warn', {\n                        message: `#EXT-X-RENDITION-REPORT #${i} lacks required attribute(s): LAST-PART`\n                      });\n                    }\n                  });\n                }\n              },\n              'server-control'() {\n                const attrs = this.manifest.serverControl = camelCaseKeys(entry.attributes);\n                if (!attrs.hasOwnProperty('canBlockReload')) {\n                  attrs.canBlockReload = false;\n                  this.trigger('info', {\n                    message: '#EXT-X-SERVER-CONTROL defaulting CAN-BLOCK-RELOAD to false'\n                  });\n                }\n                setHoldBack.call(this, this.manifest);\n                if (attrs.canSkipDateranges && !attrs.hasOwnProperty('canSkipUntil')) {\n                  this.trigger('warn', {\n                    message: '#EXT-X-SERVER-CONTROL lacks required attribute CAN-SKIP-UNTIL which is required when CAN-SKIP-DATERANGES is set'\n                  });\n                }\n              },\n              'preload-hint'() {\n                // parts are always specifed before a segment\n                const segmentIndex = this.manifest.segments.length;\n                const hint = camelCaseKeys(entry.attributes);\n                const isPart = hint.type && hint.type === 'PART';\n                currentUri.preloadHints = currentUri.preloadHints || [];\n                currentUri.preloadHints.push(hint);\n                if (hint.byterange) {\n                  if (!hint.byterange.hasOwnProperty('offset')) {\n                    // use last part byterange end or zero if not a part.\n                    hint.byterange.offset = isPart ? lastPartByterangeEnd : 0;\n                    if (isPart) {\n                      lastPartByterangeEnd = hint.byterange.offset + hint.byterange.length;\n                    }\n                  }\n                }\n                const index = currentUri.preloadHints.length - 1;\n                this.warnOnMissingAttributes_(`#EXT-X-PRELOAD-HINT #${index} for segment #${segmentIndex}`, entry.attributes, ['TYPE', 'URI']);\n                if (!hint.type) {\n                  return;\n                } // search through all preload hints except for the current one for\n                // a duplicate type.\n\n                for (let i = 0; i < currentUri.preloadHints.length - 1; i++) {\n                  const otherHint = currentUri.preloadHints[i];\n                  if (!otherHint.type) {\n                    continue;\n                  }\n                  if (otherHint.type === hint.type) {\n                    this.trigger('warn', {\n                      message: `#EXT-X-PRELOAD-HINT #${index} for segment #${segmentIndex} has the same TYPE ${hint.type} as preload hint #${i}`\n                    });\n                  }\n                }\n              },\n              'rendition-report'() {\n                const report = camelCaseKeys(entry.attributes);\n                this.manifest.renditionReports = this.manifest.renditionReports || [];\n                this.manifest.renditionReports.push(report);\n                const index = this.manifest.renditionReports.length - 1;\n                const required = ['LAST-MSN', 'URI'];\n                if (hasParts) {\n                  required.push('LAST-PART');\n                }\n                this.warnOnMissingAttributes_(`#EXT-X-RENDITION-REPORT #${index}`, entry.attributes, required);\n              },\n              'part-inf'() {\n                this.manifest.partInf = camelCaseKeys(entry.attributes);\n                this.warnOnMissingAttributes_('#EXT-X-PART-INF', entry.attributes, ['PART-TARGET']);\n                if (this.manifest.partInf.partTarget) {\n                  this.manifest.partTargetDuration = this.manifest.partInf.partTarget;\n                }\n                setHoldBack.call(this, this.manifest);\n              },\n              'daterange'() {\n                this.manifest.dateRanges.push(camelCaseKeys(entry.attributes));\n                const index = this.manifest.dateRanges.length - 1;\n                this.warnOnMissingAttributes_(`#EXT-X-DATERANGE #${index}`, entry.attributes, ['ID', 'START-DATE']);\n                const dateRange = this.manifest.dateRanges[index];\n                if (dateRange.endDate && dateRange.startDate && new Date(dateRange.endDate) < new Date(dateRange.startDate)) {\n                  this.trigger('warn', {\n                    message: 'EXT-X-DATERANGE END-DATE must be equal to or later than the value of the START-DATE'\n                  });\n                }\n                if (dateRange.duration && dateRange.duration < 0) {\n                  this.trigger('warn', {\n                    message: 'EXT-X-DATERANGE DURATION must not be negative'\n                  });\n                }\n                if (dateRange.plannedDuration && dateRange.plannedDuration < 0) {\n                  this.trigger('warn', {\n                    message: 'EXT-X-DATERANGE PLANNED-DURATION must not be negative'\n                  });\n                }\n                const endOnNextYes = !!dateRange.endOnNext;\n                if (endOnNextYes && !dateRange.class) {\n                  this.trigger('warn', {\n                    message: 'EXT-X-DATERANGE with an END-ON-NEXT=YES attribute must have a CLASS attribute'\n                  });\n                }\n                if (endOnNextYes && (dateRange.duration || dateRange.endDate)) {\n                  this.trigger('warn', {\n                    message: 'EXT-X-DATERANGE with an END-ON-NEXT=YES attribute must not contain DURATION or END-DATE attributes'\n                  });\n                }\n                if (dateRange.duration && dateRange.endDate) {\n                  const startDate = dateRange.startDate;\n                  const newDateInSeconds = startDate.getTime() + dateRange.duration * 1000;\n                  this.manifest.dateRanges[index].endDate = new Date(newDateInSeconds);\n                }\n                if (!dateRangeTags[dateRange.id]) {\n                  dateRangeTags[dateRange.id] = dateRange;\n                } else {\n                  for (const attribute in dateRangeTags[dateRange.id]) {\n                    if (!!dateRange[attribute] && JSON.stringify(dateRangeTags[dateRange.id][attribute]) !== JSON.stringify(dateRange[attribute])) {\n                      this.trigger('warn', {\n                        message: 'EXT-X-DATERANGE tags with the same ID in a playlist must have the same attributes values'\n                      });\n                      break;\n                    }\n                  } // if tags with the same ID do not have conflicting attributes, merge them\n\n                  const dateRangeWithSameId = this.manifest.dateRanges.findIndex(dateRangeToFind => dateRangeToFind.id === dateRange.id);\n                  this.manifest.dateRanges[dateRangeWithSameId] = _extends$1(this.manifest.dateRanges[dateRangeWithSameId], dateRange);\n                  dateRangeTags[dateRange.id] = _extends$1(dateRangeTags[dateRange.id], dateRange); // after merging, delete the duplicate dateRange that was added last\n\n                  this.manifest.dateRanges.pop();\n                }\n              },\n              'independent-segments'() {\n                this.manifest.independentSegments = true;\n              },\n              'i-frames-only'() {\n                this.manifest.iFramesOnly = true;\n                this.requiredCompatibilityversion(this.manifest.version, 4);\n              },\n              'content-steering'() {\n                this.manifest.contentSteering = camelCaseKeys(entry.attributes);\n                this.warnOnMissingAttributes_('#EXT-X-CONTENT-STEERING', entry.attributes, ['SERVER-URI']);\n              },\n              /** @this {Parser} */\n              define() {\n                this.manifest.definitions = this.manifest.definitions || {};\n                const addDef = (n, v) => {\n                  if (n in this.manifest.definitions) {\n                    // An EXT-X-DEFINE tag MUST NOT specify the same Variable Name as any other\n                    // EXT-X-DEFINE tag in the same Playlist.  Parsers that encounter duplicate\n                    // Variable Name declarations MUST fail to parse the Playlist.\n                    this.trigger('error', {\n                      message: `EXT-X-DEFINE: Duplicate name ${n}`\n                    });\n                    return;\n                  }\n                  this.manifest.definitions[n] = v;\n                };\n                if ('QUERYPARAM' in entry.attributes) {\n                  if ('NAME' in entry.attributes || 'IMPORT' in entry.attributes) {\n                    // An EXT-X-DEFINE tag MUST contain either a NAME, an IMPORT, or a\n                    // QUERYPARAM attribute, but only one of the three.  Otherwise, the\n                    // client MUST fail to parse the Playlist.\n                    this.trigger('error', {\n                      message: 'EXT-X-DEFINE: Invalid attributes'\n                    });\n                    return;\n                  }\n                  const val = this.params.get(entry.attributes.QUERYPARAM);\n                  if (!val) {\n                    // If the QUERYPARAM attribute value does not match any query parameter in\n                    // the URI or the matching parameter has no associated value, the parser\n                    // MUST fail to parse the Playlist.  If more than one parameter matches,\n                    // any of the associated values MAY be used.\n                    this.trigger('error', {\n                      message: `EXT-X-DEFINE: No query param ${entry.attributes.QUERYPARAM}`\n                    });\n                    return;\n                  }\n                  addDef(entry.attributes.QUERYPARAM, decodeURIComponent(val));\n                  return;\n                }\n                if ('NAME' in entry.attributes) {\n                  if ('IMPORT' in entry.attributes) {\n                    // An EXT-X-DEFINE tag MUST contain either a NAME, an IMPORT, or a\n                    // QUERYPARAM attribute, but only one of the three.  Otherwise, the\n                    // client MUST fail to parse the Playlist.\n                    this.trigger('error', {\n                      message: 'EXT-X-DEFINE: Invalid attributes'\n                    });\n                    return;\n                  }\n                  if (!('VALUE' in entry.attributes) || typeof entry.attributes.VALUE !== 'string') {\n                    // This attribute is REQUIRED if the EXT-X-DEFINE tag has a NAME attribute.\n                    // The quoted-string MAY be empty.\n                    this.trigger('error', {\n                      message: `EXT-X-DEFINE: No value for ${entry.attributes.NAME}`\n                    });\n                    return;\n                  }\n                  addDef(entry.attributes.NAME, entry.attributes.VALUE);\n                  return;\n                }\n                if ('IMPORT' in entry.attributes) {\n                  if (!this.mainDefinitions[entry.attributes.IMPORT]) {\n                    // Covers two conditions, as mainDefinitions will always be empty on main\n                    //\n                    // EXT-X-DEFINE tags containing the IMPORT attribute MUST NOT occur in\n                    // Multivariant Playlists; they are only allowed in Media Playlists.\n                    //\n                    // If the IMPORT attribute value does not match any Variable Name in the\n                    // Multivariant Playlist, or if the Media Playlist loaded from a\n                    // Multivariant Playlist, the parser MUST fail the Playlist.\n                    this.trigger('error', {\n                      message: `EXT-X-DEFINE: No value ${entry.attributes.IMPORT} to import, or IMPORT used on main playlist`\n                    });\n                    return;\n                  }\n                  addDef(entry.attributes.IMPORT, this.mainDefinitions[entry.attributes.IMPORT]);\n                  return;\n                } // An EXT-X-DEFINE tag MUST contain either a NAME, an IMPORT, or a QUERYPARAM\n                // attribute, but only one of the three.  Otherwise, the client MUST fail to\n                // parse the Playlist.\n\n                this.trigger('error', {\n                  message: 'EXT-X-DEFINE: No attribute'\n                });\n              },\n              'i-frame-playlist'() {\n                this.manifest.iFramePlaylists.push({\n                  attributes: entry.attributes,\n                  uri: entry.uri,\n                  timeline: currentTimeline\n                });\n                this.warnOnMissingAttributes_('#EXT-X-I-FRAME-STREAM-INF', entry.attributes, ['BANDWIDTH', 'URI']);\n              }\n            })[entry.tagType] || noop).call(self);\n          },\n          uri() {\n            currentUri.uri = entry.uri;\n            uris.push(currentUri); // if no explicit duration was declared, use the target duration\n\n            if (this.manifest.targetDuration && !('duration' in currentUri)) {\n              this.trigger('warn', {\n                message: 'defaulting segment duration to the target duration'\n              });\n              currentUri.duration = this.manifest.targetDuration;\n            } // annotate with encryption information, if necessary\n\n            if (key) {\n              currentUri.key = key;\n            }\n            currentUri.timeline = currentTimeline; // annotate with initialization segment information, if necessary\n\n            if (currentMap) {\n              currentUri.map = currentMap;\n            } // reset the last byterange end as it needs to be 0 between parts\n\n            lastPartByterangeEnd = 0; // Once we have at least one program date time we can always extrapolate it forward\n\n            if (this.lastProgramDateTime !== null) {\n              currentUri.programDateTime = this.lastProgramDateTime;\n              this.lastProgramDateTime += currentUri.duration * 1000;\n            } // prepare for the next URI\n\n            currentUri = {};\n          },\n          comment() {// comments are not important for playback\n          },\n          custom() {\n            // if this is segment-level data attach the output to the segment\n            if (entry.segment) {\n              currentUri.custom = currentUri.custom || {};\n              currentUri.custom[entry.customType] = entry.data; // if this is manifest-level data attach to the top level manifest object\n            } else {\n              this.manifest.custom = this.manifest.custom || {};\n              this.manifest.custom[entry.customType] = entry.data;\n            }\n          }\n        })[entry.type].call(self);\n      });\n    }\n    requiredCompatibilityversion(currentVersion, targetVersion) {\n      if (currentVersion < targetVersion || !currentVersion) {\n        this.trigger('warn', {\n          message: `manifest must be at least version ${targetVersion}`\n        });\n      }\n    }\n    warnOnMissingAttributes_(identifier, attributes, required) {\n      const missing = [];\n      required.forEach(function (key) {\n        if (!attributes.hasOwnProperty(key)) {\n          missing.push(key);\n        }\n      });\n      if (missing.length) {\n        this.trigger('warn', {\n          message: `${identifier} lacks required attribute(s): ${missing.join(', ')}`\n        });\n      }\n    }\n    /**\n     * Parse the input string and update the manifest object.\n     *\n     * @param {string} chunk a potentially incomplete portion of the manifest\n     */\n\n    push(chunk) {\n      this.lineStream.push(chunk);\n    }\n    /**\n     * Flush any remaining input. This can be handy if the last line of an M3U8\n     * manifest did not contain a trailing newline but the file has been\n     * completely received.\n     */\n\n    end() {\n      // flush any buffered input\n      this.lineStream.push('\\n');\n      if (this.manifest.dateRanges.length && this.lastProgramDateTime === null) {\n        this.trigger('warn', {\n          message: 'A playlist with EXT-X-DATERANGE tag must contain atleast one EXT-X-PROGRAM-DATE-TIME tag'\n        });\n      }\n      this.lastProgramDateTime = null;\n      this.trigger('end');\n    }\n    /**\n     * Add an additional parser for non-standard tags\n     *\n     * @param {Object}   options              a map of options for the added parser\n     * @param {RegExp}   options.expression   a regular expression to match the custom header\n     * @param {string}   options.customType   the custom type to register to the output\n     * @param {Function} [options.dataParser] function to parse the line into an object\n     * @param {boolean}  [options.segment]    should tag data be attached to the segment object\n     */\n\n    addParser(options) {\n      this.parseStream.addParser(options);\n    }\n    /**\n     * Add a custom header mapper\n     *\n     * @param {Object}   options\n     * @param {RegExp}   options.expression   a regular expression to match the custom header\n     * @param {Function} options.map          function to translate tag into a different tag\n     */\n\n    addTagMapper(options) {\n      this.parseStream.addTagMapper(options);\n    }\n  }\n\n  var regexs = {\n    // to determine mime types\n    mp4: /^(av0?1|avc0?[1234]|vp0?9|flac|opus|mp3|mp4a|mp4v|stpp.ttml.im1t)/,\n    webm: /^(vp0?[89]|av0?1|opus|vorbis)/,\n    ogg: /^(vp0?[89]|theora|flac|opus|vorbis)/,\n    // to determine if a codec is audio or video\n    video: /^(av0?1|avc0?[1234]|vp0?[89]|hvc1|hev1|theora|mp4v)/,\n    audio: /^(mp4a|flac|vorbis|opus|ac-[34]|ec-3|alac|mp3|speex|aac)/,\n    text: /^(stpp.ttml.im1t)/,\n    // mux.js support regex\n    muxerVideo: /^(avc0?1)/,\n    muxerAudio: /^(mp4a)/,\n    // match nothing as muxer does not support text right now.\n    // there cannot never be a character before the start of a string\n    // so this matches nothing.\n    muxerText: /a^/\n  };\n  var mediaTypes = ['video', 'audio', 'text'];\n  var upperMediaTypes = ['Video', 'Audio', 'Text'];\n  /**\n   * Replace the old apple-style `avc1.<dd>.<dd>` codec string with the standard\n   * `avc1.<hhhhhh>`\n   *\n   * @param {string} codec\n   *        Codec string to translate\n   * @return {string}\n   *         The translated codec string\n   */\n\n  var translateLegacyCodec = function translateLegacyCodec(codec) {\n    if (!codec) {\n      return codec;\n    }\n    return codec.replace(/avc1\\.(\\d+)\\.(\\d+)/i, function (orig, profile, avcLevel) {\n      var profileHex = ('00' + Number(profile).toString(16)).slice(-2);\n      var avcLevelHex = ('00' + Number(avcLevel).toString(16)).slice(-2);\n      return 'avc1.' + profileHex + '00' + avcLevelHex;\n    });\n  };\n  /**\n   * @typedef {Object} ParsedCodecInfo\n   * @property {number} codecCount\n   *           Number of codecs parsed\n   * @property {string} [videoCodec]\n   *           Parsed video codec (if found)\n   * @property {string} [videoObjectTypeIndicator]\n   *           Video object type indicator (if found)\n   * @property {string|null} audioProfile\n   *           Audio profile\n   */\n\n  /**\n   * Parses a codec string to retrieve the number of codecs specified, the video codec and\n   * object type indicator, and the audio profile.\n   *\n   * @param {string} [codecString]\n   *        The codec string to parse\n   * @return {ParsedCodecInfo}\n   *         Parsed codec info\n   */\n\n  var parseCodecs = function parseCodecs(codecString) {\n    if (codecString === void 0) {\n      codecString = '';\n    }\n    var codecs = codecString.split(',');\n    var result = [];\n    codecs.forEach(function (codec) {\n      codec = codec.trim();\n      var codecType;\n      mediaTypes.forEach(function (name) {\n        var match = regexs[name].exec(codec.toLowerCase());\n        if (!match || match.length <= 1) {\n          return;\n        }\n        codecType = name; // maintain codec case\n\n        var type = codec.substring(0, match[1].length);\n        var details = codec.replace(type, '');\n        result.push({\n          type: type,\n          details: details,\n          mediaType: name\n        });\n      });\n      if (!codecType) {\n        result.push({\n          type: codec,\n          details: '',\n          mediaType: 'unknown'\n        });\n      }\n    });\n    return result;\n  };\n  /**\n   * Returns a ParsedCodecInfo object for the default alternate audio playlist if there is\n   * a default alternate audio playlist for the provided audio group.\n   *\n   * @param {Object} master\n   *        The master playlist\n   * @param {string} audioGroupId\n   *        ID of the audio group for which to find the default codec info\n   * @return {ParsedCodecInfo}\n   *         Parsed codec info\n   */\n\n  var codecsFromDefault = function codecsFromDefault(master, audioGroupId) {\n    if (!master.mediaGroups.AUDIO || !audioGroupId) {\n      return null;\n    }\n    var audioGroup = master.mediaGroups.AUDIO[audioGroupId];\n    if (!audioGroup) {\n      return null;\n    }\n    for (var name in audioGroup) {\n      var audioType = audioGroup[name];\n      if (audioType.default && audioType.playlists) {\n        // codec should be the same for all playlists within the audio type\n        return parseCodecs(audioType.playlists[0].attributes.CODECS);\n      }\n    }\n    return null;\n  };\n  var isAudioCodec = function isAudioCodec(codec) {\n    if (codec === void 0) {\n      codec = '';\n    }\n    return regexs.audio.test(codec.trim().toLowerCase());\n  };\n  var isTextCodec = function isTextCodec(codec) {\n    if (codec === void 0) {\n      codec = '';\n    }\n    return regexs.text.test(codec.trim().toLowerCase());\n  };\n  var getMimeForCodec = function getMimeForCodec(codecString) {\n    if (!codecString || typeof codecString !== 'string') {\n      return;\n    }\n    var codecs = codecString.toLowerCase().split(',').map(function (c) {\n      return translateLegacyCodec(c.trim());\n    }); // default to video type\n\n    var type = 'video'; // only change to audio type if the only codec we have is\n    // audio\n\n    if (codecs.length === 1 && isAudioCodec(codecs[0])) {\n      type = 'audio';\n    } else if (codecs.length === 1 && isTextCodec(codecs[0])) {\n      // text uses application/<container> for now\n      type = 'application';\n    } // default the container to mp4\n\n    var container = 'mp4'; // every codec must be able to go into the container\n    // for that container to be the correct one\n\n    if (codecs.every(function (c) {\n      return regexs.mp4.test(c);\n    })) {\n      container = 'mp4';\n    } else if (codecs.every(function (c) {\n      return regexs.webm.test(c);\n    })) {\n      container = 'webm';\n    } else if (codecs.every(function (c) {\n      return regexs.ogg.test(c);\n    })) {\n      container = 'ogg';\n    }\n    return type + \"/\" + container + \";codecs=\\\"\" + codecString + \"\\\"\";\n  };\n  /**\n   * Tests whether the codec is supported by MediaSource. Optionally also tests ManagedMediaSource.\n   *\n   * @param {string} codecString\n   *        Codec to test\n   * @param {boolean} [withMMS]\n   *        Whether to check if ManagedMediaSource supports it\n   * @return {boolean}\n   *          Codec is supported\n   */\n\n  var browserSupportsCodec = function browserSupportsCodec(codecString, withMMS) {\n    if (codecString === void 0) {\n      codecString = '';\n    }\n    if (withMMS === void 0) {\n      withMMS = false;\n    }\n    return window.MediaSource && window.MediaSource.isTypeSupported && window.MediaSource.isTypeSupported(getMimeForCodec(codecString)) || withMMS && window.ManagedMediaSource && window.ManagedMediaSource.isTypeSupported && window.ManagedMediaSource.isTypeSupported(getMimeForCodec(codecString)) || false;\n  };\n  var muxerSupportsCodec = function muxerSupportsCodec(codecString) {\n    if (codecString === void 0) {\n      codecString = '';\n    }\n    return codecString.toLowerCase().split(',').every(function (codec) {\n      codec = codec.trim(); // any match is supported.\n\n      for (var i = 0; i < upperMediaTypes.length; i++) {\n        var type = upperMediaTypes[i];\n        if (regexs[\"muxer\" + type].test(codec)) {\n          return true;\n        }\n      }\n      return false;\n    });\n  };\n  var DEFAULT_AUDIO_CODEC = 'mp4a.40.2';\n  var DEFAULT_VIDEO_CODEC = 'avc1.4d400d';\n\n  var MPEGURL_REGEX = /^(audio|video|application)\\/(x-|vnd\\.apple\\.)?mpegurl/i;\n  var DASH_REGEX = /^application\\/dash\\+xml/i;\n  /**\n   * Returns a string that describes the type of source based on a video source object's\n   * media type.\n   *\n   * @see {@link https://dev.w3.org/html5/pf-summary/video.html#dom-source-type|Source Type}\n   *\n   * @param {string} type\n   *        Video source object media type\n   * @return {('hls'|'dash'|'vhs-json'|null)}\n   *         VHS source type string\n   */\n\n  var simpleTypeFromSourceType = function simpleTypeFromSourceType(type) {\n    if (MPEGURL_REGEX.test(type)) {\n      return 'hls';\n    }\n    if (DASH_REGEX.test(type)) {\n      return 'dash';\n    } // Denotes the special case of a manifest object passed to http-streaming instead of a\n    // source URL.\n    //\n    // See https://en.wikipedia.org/wiki/Media_type for details on specifying media types.\n    //\n    // In this case, vnd stands for vendor, video.js for the organization, VHS for this\n    // project, and the +json suffix identifies the structure of the media type.\n\n    if (type === 'application/vnd.videojs.vhs+json') {\n      return 'vhs-json';\n    }\n    return null;\n  };\n\n  // const log2 = Math.log2 ? Math.log2 : (x) => (Math.log(x) / Math.log(2));\n  // we used to do this with log2 but BigInt does not support builtin math\n  // Math.ceil(log2(x));\n\n  var countBits = function countBits(x) {\n    return x.toString(2).length;\n  }; // count the number of whole bytes it would take to represent a number\n\n  var countBytes = function countBytes(x) {\n    return Math.ceil(countBits(x) / 8);\n  };\n  var isArrayBufferView = function isArrayBufferView(obj) {\n    if (ArrayBuffer.isView === 'function') {\n      return ArrayBuffer.isView(obj);\n    }\n    return obj && obj.buffer instanceof ArrayBuffer;\n  };\n  var isTypedArray = function isTypedArray(obj) {\n    return isArrayBufferView(obj);\n  };\n  var toUint8 = function toUint8(bytes) {\n    if (bytes instanceof Uint8Array) {\n      return bytes;\n    }\n    if (!Array.isArray(bytes) && !isTypedArray(bytes) && !(bytes instanceof ArrayBuffer)) {\n      // any non-number or NaN leads to empty uint8array\n      // eslint-disable-next-line\n      if (typeof bytes !== 'number' || typeof bytes === 'number' && bytes !== bytes) {\n        bytes = 0;\n      } else {\n        bytes = [bytes];\n      }\n    }\n    return new Uint8Array(bytes && bytes.buffer || bytes, bytes && bytes.byteOffset || 0, bytes && bytes.byteLength || 0);\n  };\n  var BigInt = window.BigInt || Number;\n  var BYTE_TABLE = [BigInt('0x1'), BigInt('0x100'), BigInt('0x10000'), BigInt('0x1000000'), BigInt('0x100000000'), BigInt('0x10000000000'), BigInt('0x1000000000000'), BigInt('0x100000000000000'), BigInt('0x10000000000000000')];\n  (function () {\n    var a = new Uint16Array([0xFFCC]);\n    var b = new Uint8Array(a.buffer, a.byteOffset, a.byteLength);\n    if (b[0] === 0xFF) {\n      return 'big';\n    }\n    if (b[0] === 0xCC) {\n      return 'little';\n    }\n    return 'unknown';\n  })();\n  var bytesToNumber = function bytesToNumber(bytes, _temp) {\n    var _ref = _temp === void 0 ? {} : _temp,\n      _ref$signed = _ref.signed,\n      signed = _ref$signed === void 0 ? false : _ref$signed,\n      _ref$le = _ref.le,\n      le = _ref$le === void 0 ? false : _ref$le;\n    bytes = toUint8(bytes);\n    var fn = le ? 'reduce' : 'reduceRight';\n    var obj = bytes[fn] ? bytes[fn] : Array.prototype[fn];\n    var number = obj.call(bytes, function (total, byte, i) {\n      var exponent = le ? i : Math.abs(i + 1 - bytes.length);\n      return total + BigInt(byte) * BYTE_TABLE[exponent];\n    }, BigInt(0));\n    if (signed) {\n      var max = BYTE_TABLE[bytes.length] / BigInt(2) - BigInt(1);\n      number = BigInt(number);\n      if (number > max) {\n        number -= max;\n        number -= max;\n        number -= BigInt(2);\n      }\n    }\n    return Number(number);\n  };\n  var numberToBytes = function numberToBytes(number, _temp2) {\n    var _ref2 = _temp2 === void 0 ? {} : _temp2,\n      _ref2$le = _ref2.le,\n      le = _ref2$le === void 0 ? false : _ref2$le;\n\n    // eslint-disable-next-line\n    if (typeof number !== 'bigint' && typeof number !== 'number' || typeof number === 'number' && number !== number) {\n      number = 0;\n    }\n    number = BigInt(number);\n    var byteCount = countBytes(number);\n    var bytes = new Uint8Array(new ArrayBuffer(byteCount));\n    for (var i = 0; i < byteCount; i++) {\n      var byteIndex = le ? i : Math.abs(i + 1 - bytes.length);\n      bytes[byteIndex] = Number(number / BYTE_TABLE[i] & BigInt(0xFF));\n      if (number < 0) {\n        bytes[byteIndex] = Math.abs(~bytes[byteIndex]);\n        bytes[byteIndex] -= i === 0 ? 1 : 2;\n      }\n    }\n    return bytes;\n  };\n  var stringToBytes = function stringToBytes(string, stringIsBytes) {\n    if (typeof string !== 'string' && string && typeof string.toString === 'function') {\n      string = string.toString();\n    }\n    if (typeof string !== 'string') {\n      return new Uint8Array();\n    } // If the string already is bytes, we don't have to do this\n    // otherwise we do this so that we split multi length characters\n    // into individual bytes\n\n    if (!stringIsBytes) {\n      string = unescape(encodeURIComponent(string));\n    }\n    var view = new Uint8Array(string.length);\n    for (var i = 0; i < string.length; i++) {\n      view[i] = string.charCodeAt(i);\n    }\n    return view;\n  };\n  var concatTypedArrays = function concatTypedArrays() {\n    for (var _len = arguments.length, buffers = new Array(_len), _key = 0; _key < _len; _key++) {\n      buffers[_key] = arguments[_key];\n    }\n    buffers = buffers.filter(function (b) {\n      return b && (b.byteLength || b.length) && typeof b !== 'string';\n    });\n    if (buffers.length <= 1) {\n      // for 0 length we will return empty uint8\n      // for 1 length we return the first uint8\n      return toUint8(buffers[0]);\n    }\n    var totalLen = buffers.reduce(function (total, buf, i) {\n      return total + (buf.byteLength || buf.length);\n    }, 0);\n    var tempBuffer = new Uint8Array(totalLen);\n    var offset = 0;\n    buffers.forEach(function (buf) {\n      buf = toUint8(buf);\n      tempBuffer.set(buf, offset);\n      offset += buf.byteLength;\n    });\n    return tempBuffer;\n  };\n  /**\n   * Check if the bytes \"b\" are contained within bytes \"a\".\n   *\n   * @param {Uint8Array|Array} a\n   *        Bytes to check in\n   *\n   * @param {Uint8Array|Array} b\n   *        Bytes to check for\n   *\n   * @param {Object} options\n   *        options\n   *\n   * @param {Array|Uint8Array} [offset=0]\n   *        offset to use when looking at bytes in a\n   *\n   * @param {Array|Uint8Array} [mask=[]]\n   *        mask to use on bytes before comparison.\n   *\n   * @return {boolean}\n   *         If all bytes in b are inside of a, taking into account\n   *         bit masks.\n   */\n\n  var bytesMatch = function bytesMatch(a, b, _temp3) {\n    var _ref3 = _temp3 === void 0 ? {} : _temp3,\n      _ref3$offset = _ref3.offset,\n      offset = _ref3$offset === void 0 ? 0 : _ref3$offset,\n      _ref3$mask = _ref3.mask,\n      mask = _ref3$mask === void 0 ? [] : _ref3$mask;\n    a = toUint8(a);\n    b = toUint8(b); // ie 11 does not support uint8 every\n\n    var fn = b.every ? b.every : Array.prototype.every;\n    return b.length && a.length - offset >= b.length &&\n    // ie 11 doesn't support every on uin8\n    fn.call(b, function (bByte, i) {\n      var aByte = mask[i] ? mask[i] & a[offset + i] : a[offset + i];\n      return bByte === aByte;\n    });\n  };\n\n  /**\n   * Loops through all supported media groups in master and calls the provided\n   * callback for each group\n   *\n   * @param {Object} master\n   *        The parsed master manifest object\n   * @param {string[]} groups\n   *        The media groups to call the callback for\n   * @param {Function} callback\n   *        Callback to call for each media group\n   */\n  var forEachMediaGroup$1 = function forEachMediaGroup(master, groups, callback) {\n    groups.forEach(function (mediaType) {\n      for (var groupKey in master.mediaGroups[mediaType]) {\n        for (var labelKey in master.mediaGroups[mediaType][groupKey]) {\n          var mediaProperties = master.mediaGroups[mediaType][groupKey][labelKey];\n          callback(mediaProperties, mediaType, groupKey, labelKey);\n        }\n      }\n    });\n  };\n\n  /**\n   * Ponyfill for `Array.prototype.find` which is only available in ES6 runtimes.\n   *\n   * Works with anything that has a `length` property and index access properties, including NodeList.\n   *\n   * @template {unknown} T\n   * @param {Array<T> | ({length:number, [number]: T})} list\n   * @param {function (item: T, index: number, list:Array<T> | ({length:number, [number]: T})):boolean} predicate\n   * @param {Partial<Pick<ArrayConstructor['prototype'], 'find'>>?} ac `Array.prototype` by default,\n   * \t\t\t\tallows injecting a custom implementation in tests\n   * @returns {T | undefined}\n   *\n   * @see https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Array/find\n   * @see https://tc39.es/ecma262/multipage/indexed-collections.html#sec-array.prototype.find\n   */\n  function find$1(list, predicate, ac) {\n    if (ac === undefined) {\n      ac = Array.prototype;\n    }\n    if (list && typeof ac.find === 'function') {\n      return ac.find.call(list, predicate);\n    }\n    for (var i = 0; i < list.length; i++) {\n      if (Object.prototype.hasOwnProperty.call(list, i)) {\n        var item = list[i];\n        if (predicate.call(undefined, item, i, list)) {\n          return item;\n        }\n      }\n    }\n  }\n\n  /**\n   * \"Shallow freezes\" an object to render it immutable.\n   * Uses `Object.freeze` if available,\n   * otherwise the immutability is only in the type.\n   *\n   * Is used to create \"enum like\" objects.\n   *\n   * @template T\n   * @param {T} object the object to freeze\n   * @param {Pick<ObjectConstructor, 'freeze'> = Object} oc `Object` by default,\n   * \t\t\t\tallows to inject custom object constructor for tests\n   * @returns {Readonly<T>}\n   *\n   * @see https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Object/freeze\n   */\n  function freeze(object, oc) {\n    if (oc === undefined) {\n      oc = Object;\n    }\n    return oc && typeof oc.freeze === 'function' ? oc.freeze(object) : object;\n  }\n\n  /**\n   * Since we can not rely on `Object.assign` we provide a simplified version\n   * that is sufficient for our needs.\n   *\n   * @param {Object} target\n   * @param {Object | null | undefined} source\n   *\n   * @returns {Object} target\n   * @throws TypeError if target is not an object\n   *\n   * @see https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Object/assign\n   * @see https://tc39.es/ecma262/multipage/fundamental-objects.html#sec-object.assign\n   */\n  function assign(target, source) {\n    if (target === null || typeof target !== 'object') {\n      throw new TypeError('target is not an object');\n    }\n    for (var key in source) {\n      if (Object.prototype.hasOwnProperty.call(source, key)) {\n        target[key] = source[key];\n      }\n    }\n    return target;\n  }\n\n  /**\n   * All mime types that are allowed as input to `DOMParser.parseFromString`\n   *\n   * @see https://developer.mozilla.org/en-US/docs/Web/API/DOMParser/parseFromString#Argument02 MDN\n   * @see https://html.spec.whatwg.org/multipage/dynamic-markup-insertion.html#domparsersupportedtype WHATWG HTML Spec\n   * @see DOMParser.prototype.parseFromString\n   */\n  var MIME_TYPE = freeze({\n    /**\n     * `text/html`, the only mime type that triggers treating an XML document as HTML.\n     *\n     * @see DOMParser.SupportedType.isHTML\n     * @see https://www.iana.org/assignments/media-types/text/html IANA MimeType registration\n     * @see https://en.wikipedia.org/wiki/HTML Wikipedia\n     * @see https://developer.mozilla.org/en-US/docs/Web/API/DOMParser/parseFromString MDN\n     * @see https://html.spec.whatwg.org/multipage/dynamic-markup-insertion.html#dom-domparser-parsefromstring WHATWG HTML Spec\n     */\n    HTML: 'text/html',\n    /**\n     * Helper method to check a mime type if it indicates an HTML document\n     *\n     * @param {string} [value]\n     * @returns {boolean}\n     *\n     * @see https://www.iana.org/assignments/media-types/text/html IANA MimeType registration\n     * @see https://en.wikipedia.org/wiki/HTML Wikipedia\n     * @see https://developer.mozilla.org/en-US/docs/Web/API/DOMParser/parseFromString MDN\n     * @see https://html.spec.whatwg.org/multipage/dynamic-markup-insertion.html#dom-domparser-parsefromstring \t */\n    isHTML: function (value) {\n      return value === MIME_TYPE.HTML;\n    },\n    /**\n     * `application/xml`, the standard mime type for XML documents.\n     *\n     * @see https://www.iana.org/assignments/media-types/application/xml IANA MimeType registration\n     * @see https://tools.ietf.org/html/rfc7303#section-9.1 RFC 7303\n     * @see https://en.wikipedia.org/wiki/XML_and_MIME Wikipedia\n     */\n    XML_APPLICATION: 'application/xml',\n    /**\n     * `text/html`, an alias for `application/xml`.\n     *\n     * @see https://tools.ietf.org/html/rfc7303#section-9.2 RFC 7303\n     * @see https://www.iana.org/assignments/media-types/text/xml IANA MimeType registration\n     * @see https://en.wikipedia.org/wiki/XML_and_MIME Wikipedia\n     */\n    XML_TEXT: 'text/xml',\n    /**\n     * `application/xhtml+xml`, indicates an XML document that has the default HTML namespace,\n     * but is parsed as an XML document.\n     *\n     * @see https://www.iana.org/assignments/media-types/application/xhtml+xml IANA MimeType registration\n     * @see https://dom.spec.whatwg.org/#dom-domimplementation-createdocument WHATWG DOM Spec\n     * @see https://en.wikipedia.org/wiki/XHTML Wikipedia\n     */\n    XML_XHTML_APPLICATION: 'application/xhtml+xml',\n    /**\n     * `image/svg+xml`,\n     *\n     * @see https://www.iana.org/assignments/media-types/image/svg+xml IANA MimeType registration\n     * @see https://www.w3.org/TR/SVG11/ W3C SVG 1.1\n     * @see https://en.wikipedia.org/wiki/Scalable_Vector_Graphics Wikipedia\n     */\n    XML_SVG_IMAGE: 'image/svg+xml'\n  });\n\n  /**\n   * Namespaces that are used in this code base.\n   *\n   * @see http://www.w3.org/TR/REC-xml-names\n   */\n  var NAMESPACE$3 = freeze({\n    /**\n     * The XHTML namespace.\n     *\n     * @see http://www.w3.org/1999/xhtml\n     */\n    HTML: 'http://www.w3.org/1999/xhtml',\n    /**\n     * Checks if `uri` equals `NAMESPACE.HTML`.\n     *\n     * @param {string} [uri]\n     *\n     * @see NAMESPACE.HTML\n     */\n    isHTML: function (uri) {\n      return uri === NAMESPACE$3.HTML;\n    },\n    /**\n     * The SVG namespace.\n     *\n     * @see http://www.w3.org/2000/svg\n     */\n    SVG: 'http://www.w3.org/2000/svg',\n    /**\n     * The `xml:` namespace.\n     *\n     * @see http://www.w3.org/XML/1998/namespace\n     */\n    XML: 'http://www.w3.org/XML/1998/namespace',\n    /**\n     * The `xmlns:` namespace\n     *\n     * @see https://www.w3.org/2000/xmlns/\n     */\n    XMLNS: 'http://www.w3.org/2000/xmlns/'\n  });\n  var assign_1 = assign;\n  var find_1 = find$1;\n  var freeze_1 = freeze;\n  var MIME_TYPE_1 = MIME_TYPE;\n  var NAMESPACE_1 = NAMESPACE$3;\n  var conventions = {\n    assign: assign_1,\n    find: find_1,\n    freeze: freeze_1,\n    MIME_TYPE: MIME_TYPE_1,\n    NAMESPACE: NAMESPACE_1\n  };\n\n  var find = conventions.find;\n  var NAMESPACE$2 = conventions.NAMESPACE;\n\n  /**\n   * A prerequisite for `[].filter`, to drop elements that are empty\n   * @param {string} input\n   * @returns {boolean}\n   */\n  function notEmptyString(input) {\n    return input !== '';\n  }\n  /**\n   * @see https://infra.spec.whatwg.org/#split-on-ascii-whitespace\n   * @see https://infra.spec.whatwg.org/#ascii-whitespace\n   *\n   * @param {string} input\n   * @returns {string[]} (can be empty)\n   */\n  function splitOnASCIIWhitespace(input) {\n    // U+0009 TAB, U+000A LF, U+000C FF, U+000D CR, U+0020 SPACE\n    return input ? input.split(/[\\t\\n\\f\\r ]+/).filter(notEmptyString) : [];\n  }\n\n  /**\n   * Adds element as a key to current if it is not already present.\n   *\n   * @param {Record<string, boolean | undefined>} current\n   * @param {string} element\n   * @returns {Record<string, boolean | undefined>}\n   */\n  function orderedSetReducer(current, element) {\n    if (!current.hasOwnProperty(element)) {\n      current[element] = true;\n    }\n    return current;\n  }\n\n  /**\n   * @see https://infra.spec.whatwg.org/#ordered-set\n   * @param {string} input\n   * @returns {string[]}\n   */\n  function toOrderedSet(input) {\n    if (!input) return [];\n    var list = splitOnASCIIWhitespace(input);\n    return Object.keys(list.reduce(orderedSetReducer, {}));\n  }\n\n  /**\n   * Uses `list.indexOf` to implement something like `Array.prototype.includes`,\n   * which we can not rely on being available.\n   *\n   * @param {any[]} list\n   * @returns {function(any): boolean}\n   */\n  function arrayIncludes(list) {\n    return function (element) {\n      return list && list.indexOf(element) !== -1;\n    };\n  }\n  function copy(src, dest) {\n    for (var p in src) {\n      if (Object.prototype.hasOwnProperty.call(src, p)) {\n        dest[p] = src[p];\n      }\n    }\n  }\n\n  /**\n  ^\\w+\\.prototype\\.([_\\w]+)\\s*=\\s*((?:.*\\{\\s*?[\\r\\n][\\s\\S]*?^})|\\S.*?(?=[;\\r\\n]));?\n  ^\\w+\\.prototype\\.([_\\w]+)\\s*=\\s*(\\S.*?(?=[;\\r\\n]));?\n   */\n  function _extends(Class, Super) {\n    var pt = Class.prototype;\n    if (!(pt instanceof Super)) {\n      function t() {}\n      t.prototype = Super.prototype;\n      t = new t();\n      copy(pt, t);\n      Class.prototype = pt = t;\n    }\n    if (pt.constructor != Class) {\n      if (typeof Class != 'function') {\n        console.error(\"unknown Class:\" + Class);\n      }\n      pt.constructor = Class;\n    }\n  }\n\n  // Node Types\n  var NodeType = {};\n  var ELEMENT_NODE = NodeType.ELEMENT_NODE = 1;\n  var ATTRIBUTE_NODE = NodeType.ATTRIBUTE_NODE = 2;\n  var TEXT_NODE = NodeType.TEXT_NODE = 3;\n  var CDATA_SECTION_NODE = NodeType.CDATA_SECTION_NODE = 4;\n  var ENTITY_REFERENCE_NODE = NodeType.ENTITY_REFERENCE_NODE = 5;\n  var ENTITY_NODE = NodeType.ENTITY_NODE = 6;\n  var PROCESSING_INSTRUCTION_NODE = NodeType.PROCESSING_INSTRUCTION_NODE = 7;\n  var COMMENT_NODE = NodeType.COMMENT_NODE = 8;\n  var DOCUMENT_NODE = NodeType.DOCUMENT_NODE = 9;\n  var DOCUMENT_TYPE_NODE = NodeType.DOCUMENT_TYPE_NODE = 10;\n  var DOCUMENT_FRAGMENT_NODE = NodeType.DOCUMENT_FRAGMENT_NODE = 11;\n  var NOTATION_NODE = NodeType.NOTATION_NODE = 12;\n\n  // ExceptionCode\n  var ExceptionCode = {};\n  var ExceptionMessage = {};\n  ExceptionCode.INDEX_SIZE_ERR = (ExceptionMessage[1] = \"Index size error\", 1);\n  ExceptionCode.DOMSTRING_SIZE_ERR = (ExceptionMessage[2] = \"DOMString size error\", 2);\n  var HIERARCHY_REQUEST_ERR = ExceptionCode.HIERARCHY_REQUEST_ERR = (ExceptionMessage[3] = \"Hierarchy request error\", 3);\n  ExceptionCode.WRONG_DOCUMENT_ERR = (ExceptionMessage[4] = \"Wrong document\", 4);\n  ExceptionCode.INVALID_CHARACTER_ERR = (ExceptionMessage[5] = \"Invalid character\", 5);\n  ExceptionCode.NO_DATA_ALLOWED_ERR = (ExceptionMessage[6] = \"No data allowed\", 6);\n  ExceptionCode.NO_MODIFICATION_ALLOWED_ERR = (ExceptionMessage[7] = \"No modification allowed\", 7);\n  var NOT_FOUND_ERR = ExceptionCode.NOT_FOUND_ERR = (ExceptionMessage[8] = \"Not found\", 8);\n  ExceptionCode.NOT_SUPPORTED_ERR = (ExceptionMessage[9] = \"Not supported\", 9);\n  var INUSE_ATTRIBUTE_ERR = ExceptionCode.INUSE_ATTRIBUTE_ERR = (ExceptionMessage[10] = \"Attribute in use\", 10);\n  //level2\n  ExceptionCode.INVALID_STATE_ERR = (ExceptionMessage[11] = \"Invalid state\", 11);\n  ExceptionCode.SYNTAX_ERR = (ExceptionMessage[12] = \"Syntax error\", 12);\n  ExceptionCode.INVALID_MODIFICATION_ERR = (ExceptionMessage[13] = \"Invalid modification\", 13);\n  ExceptionCode.NAMESPACE_ERR = (ExceptionMessage[14] = \"Invalid namespace\", 14);\n  ExceptionCode.INVALID_ACCESS_ERR = (ExceptionMessage[15] = \"Invalid access\", 15);\n\n  /**\n   * DOM Level 2\n   * Object DOMException\n   * @see http://www.w3.org/TR/2000/REC-DOM-Level-2-Core-20001113/ecma-script-binding.html\n   * @see http://www.w3.org/TR/REC-DOM-Level-1/ecma-script-language-binding.html\n   */\n  function DOMException(code, message) {\n    if (message instanceof Error) {\n      var error = message;\n    } else {\n      error = this;\n      Error.call(this, ExceptionMessage[code]);\n      this.message = ExceptionMessage[code];\n      if (Error.captureStackTrace) Error.captureStackTrace(this, DOMException);\n    }\n    error.code = code;\n    if (message) this.message = this.message + \": \" + message;\n    return error;\n  }\n  DOMException.prototype = Error.prototype;\n  copy(ExceptionCode, DOMException);\n\n  /**\n   * @see http://www.w3.org/TR/2000/REC-DOM-Level-2-Core-20001113/core.html#ID-536297177\n   * The NodeList interface provides the abstraction of an ordered collection of nodes, without defining or constraining how this collection is implemented. NodeList objects in the DOM are live.\n   * The items in the NodeList are accessible via an integral index, starting from 0.\n   */\n  function NodeList() {}\n  NodeList.prototype = {\n    /**\n     * The number of nodes in the list. The range of valid child node indices is 0 to length-1 inclusive.\n     * @standard level1\n     */\n    length: 0,\n    /**\n     * Returns the indexth item in the collection. If index is greater than or equal to the number of nodes in the list, this returns null.\n     * @standard level1\n     * @param index  unsigned long\n     *   Index into the collection.\n     * @return Node\n     * \tThe node at the indexth position in the NodeList, or null if that is not a valid index.\n     */\n    item: function (index) {\n      return index >= 0 && index < this.length ? this[index] : null;\n    },\n    toString: function (isHTML, nodeFilter) {\n      for (var buf = [], i = 0; i < this.length; i++) {\n        serializeToString(this[i], buf, isHTML, nodeFilter);\n      }\n      return buf.join('');\n    },\n    /**\n     * @private\n     * @param {function (Node):boolean} predicate\n     * @returns {Node[]}\n     */\n    filter: function (predicate) {\n      return Array.prototype.filter.call(this, predicate);\n    },\n    /**\n     * @private\n     * @param {Node} item\n     * @returns {number}\n     */\n    indexOf: function (item) {\n      return Array.prototype.indexOf.call(this, item);\n    }\n  };\n  function LiveNodeList(node, refresh) {\n    this._node = node;\n    this._refresh = refresh;\n    _updateLiveList(this);\n  }\n  function _updateLiveList(list) {\n    var inc = list._node._inc || list._node.ownerDocument._inc;\n    if (list._inc !== inc) {\n      var ls = list._refresh(list._node);\n      __set__(list, 'length', ls.length);\n      if (!list.$$length || ls.length < list.$$length) {\n        for (var i = ls.length; i in list; i++) {\n          if (Object.prototype.hasOwnProperty.call(list, i)) {\n            delete list[i];\n          }\n        }\n      }\n      copy(ls, list);\n      list._inc = inc;\n    }\n  }\n  LiveNodeList.prototype.item = function (i) {\n    _updateLiveList(this);\n    return this[i] || null;\n  };\n  _extends(LiveNodeList, NodeList);\n\n  /**\n   * Objects implementing the NamedNodeMap interface are used\n   * to represent collections of nodes that can be accessed by name.\n   * Note that NamedNodeMap does not inherit from NodeList;\n   * NamedNodeMaps are not maintained in any particular order.\n   * Objects contained in an object implementing NamedNodeMap may also be accessed by an ordinal index,\n   * but this is simply to allow convenient enumeration of the contents of a NamedNodeMap,\n   * and does not imply that the DOM specifies an order to these Nodes.\n   * NamedNodeMap objects in the DOM are live.\n   * used for attributes or DocumentType entities\n   */\n  function NamedNodeMap() {}\n  function _findNodeIndex(list, node) {\n    var i = list.length;\n    while (i--) {\n      if (list[i] === node) {\n        return i;\n      }\n    }\n  }\n  function _addNamedNode(el, list, newAttr, oldAttr) {\n    if (oldAttr) {\n      list[_findNodeIndex(list, oldAttr)] = newAttr;\n    } else {\n      list[list.length++] = newAttr;\n    }\n    if (el) {\n      newAttr.ownerElement = el;\n      var doc = el.ownerDocument;\n      if (doc) {\n        oldAttr && _onRemoveAttribute(doc, el, oldAttr);\n        _onAddAttribute(doc, el, newAttr);\n      }\n    }\n  }\n  function _removeNamedNode(el, list, attr) {\n    //console.log('remove attr:'+attr)\n    var i = _findNodeIndex(list, attr);\n    if (i >= 0) {\n      var lastIndex = list.length - 1;\n      while (i < lastIndex) {\n        list[i] = list[++i];\n      }\n      list.length = lastIndex;\n      if (el) {\n        var doc = el.ownerDocument;\n        if (doc) {\n          _onRemoveAttribute(doc, el, attr);\n          attr.ownerElement = null;\n        }\n      }\n    } else {\n      throw new DOMException(NOT_FOUND_ERR, new Error(el.tagName + '@' + attr));\n    }\n  }\n  NamedNodeMap.prototype = {\n    length: 0,\n    item: NodeList.prototype.item,\n    getNamedItem: function (key) {\n      //\t\tif(key.indexOf(':')>0 || key == 'xmlns'){\n      //\t\t\treturn null;\n      //\t\t}\n      //console.log()\n      var i = this.length;\n      while (i--) {\n        var attr = this[i];\n        //console.log(attr.nodeName,key)\n        if (attr.nodeName == key) {\n          return attr;\n        }\n      }\n    },\n    setNamedItem: function (attr) {\n      var el = attr.ownerElement;\n      if (el && el != this._ownerElement) {\n        throw new DOMException(INUSE_ATTRIBUTE_ERR);\n      }\n      var oldAttr = this.getNamedItem(attr.nodeName);\n      _addNamedNode(this._ownerElement, this, attr, oldAttr);\n      return oldAttr;\n    },\n    /* returns Node */\n    setNamedItemNS: function (attr) {\n      // raises: WRONG_DOCUMENT_ERR,NO_MODIFICATION_ALLOWED_ERR,INUSE_ATTRIBUTE_ERR\n      var el = attr.ownerElement,\n        oldAttr;\n      if (el && el != this._ownerElement) {\n        throw new DOMException(INUSE_ATTRIBUTE_ERR);\n      }\n      oldAttr = this.getNamedItemNS(attr.namespaceURI, attr.localName);\n      _addNamedNode(this._ownerElement, this, attr, oldAttr);\n      return oldAttr;\n    },\n    /* returns Node */\n    removeNamedItem: function (key) {\n      var attr = this.getNamedItem(key);\n      _removeNamedNode(this._ownerElement, this, attr);\n      return attr;\n    },\n    // raises: NOT_FOUND_ERR,NO_MODIFICATION_ALLOWED_ERR\n\n    //for level2\n    removeNamedItemNS: function (namespaceURI, localName) {\n      var attr = this.getNamedItemNS(namespaceURI, localName);\n      _removeNamedNode(this._ownerElement, this, attr);\n      return attr;\n    },\n    getNamedItemNS: function (namespaceURI, localName) {\n      var i = this.length;\n      while (i--) {\n        var node = this[i];\n        if (node.localName == localName && node.namespaceURI == namespaceURI) {\n          return node;\n        }\n      }\n      return null;\n    }\n  };\n\n  /**\n   * The DOMImplementation interface represents an object providing methods\n   * which are not dependent on any particular document.\n   * Such an object is returned by the `Document.implementation` property.\n   *\n   * __The individual methods describe the differences compared to the specs.__\n   *\n   * @constructor\n   *\n   * @see https://developer.mozilla.org/en-US/docs/Web/API/DOMImplementation MDN\n   * @see https://www.w3.org/TR/REC-DOM-Level-1/level-one-core.html#ID-102161490 DOM Level 1 Core (Initial)\n   * @see https://www.w3.org/TR/DOM-Level-2-Core/core.html#ID-102161490 DOM Level 2 Core\n   * @see https://www.w3.org/TR/DOM-Level-3-Core/core.html#ID-102161490 DOM Level 3 Core\n   * @see https://dom.spec.whatwg.org/#domimplementation DOM Living Standard\n   */\n  function DOMImplementation$1() {}\n  DOMImplementation$1.prototype = {\n    /**\n     * The DOMImplementation.hasFeature() method returns a Boolean flag indicating if a given feature is supported.\n     * The different implementations fairly diverged in what kind of features were reported.\n     * The latest version of the spec settled to force this method to always return true, where the functionality was accurate and in use.\n     *\n     * @deprecated It is deprecated and modern browsers return true in all cases.\n     *\n     * @param {string} feature\n     * @param {string} [version]\n     * @returns {boolean} always true\n     *\n     * @see https://developer.mozilla.org/en-US/docs/Web/API/DOMImplementation/hasFeature MDN\n     * @see https://www.w3.org/TR/REC-DOM-Level-1/level-one-core.html#ID-5CED94D7 DOM Level 1 Core\n     * @see https://dom.spec.whatwg.org/#dom-domimplementation-hasfeature DOM Living Standard\n     */\n    hasFeature: function (feature, version) {\n      return true;\n    },\n    /**\n     * Creates an XML Document object of the specified type with its document element.\n     *\n     * __It behaves slightly different from the description in the living standard__:\n     * - There is no interface/class `XMLDocument`, it returns a `Document` instance.\n     * - `contentType`, `encoding`, `mode`, `origin`, `url` fields are currently not declared.\n     * - this implementation is not validating names or qualified names\n     *   (when parsing XML strings, the SAX parser takes care of that)\n     *\n     * @param {string|null} namespaceURI\n     * @param {string} qualifiedName\n     * @param {DocumentType=null} doctype\n     * @returns {Document}\n     *\n     * @see https://developer.mozilla.org/en-US/docs/Web/API/DOMImplementation/createDocument MDN\n     * @see https://www.w3.org/TR/DOM-Level-2-Core/core.html#Level-2-Core-DOM-createDocument DOM Level 2 Core (initial)\n     * @see https://dom.spec.whatwg.org/#dom-domimplementation-createdocument  DOM Level 2 Core\n     *\n     * @see https://dom.spec.whatwg.org/#validate-and-extract DOM: Validate and extract\n     * @see https://www.w3.org/TR/xml/#NT-NameStartChar XML Spec: Names\n     * @see https://www.w3.org/TR/xml-names/#ns-qualnames XML Namespaces: Qualified names\n     */\n    createDocument: function (namespaceURI, qualifiedName, doctype) {\n      var doc = new Document();\n      doc.implementation = this;\n      doc.childNodes = new NodeList();\n      doc.doctype = doctype || null;\n      if (doctype) {\n        doc.appendChild(doctype);\n      }\n      if (qualifiedName) {\n        var root = doc.createElementNS(namespaceURI, qualifiedName);\n        doc.appendChild(root);\n      }\n      return doc;\n    },\n    /**\n     * Returns a doctype, with the given `qualifiedName`, `publicId`, and `systemId`.\n     *\n     * __This behavior is slightly different from the in the specs__:\n     * - this implementation is not validating names or qualified names\n     *   (when parsing XML strings, the SAX parser takes care of that)\n     *\n     * @param {string} qualifiedName\n     * @param {string} [publicId]\n     * @param {string} [systemId]\n     * @returns {DocumentType} which can either be used with `DOMImplementation.createDocument` upon document creation\n     * \t\t\t\t  or can be put into the document via methods like `Node.insertBefore()` or `Node.replaceChild()`\n     *\n     * @see https://developer.mozilla.org/en-US/docs/Web/API/DOMImplementation/createDocumentType MDN\n     * @see https://www.w3.org/TR/DOM-Level-2-Core/core.html#Level-2-Core-DOM-createDocType DOM Level 2 Core\n     * @see https://dom.spec.whatwg.org/#dom-domimplementation-createdocumenttype DOM Living Standard\n     *\n     * @see https://dom.spec.whatwg.org/#validate-and-extract DOM: Validate and extract\n     * @see https://www.w3.org/TR/xml/#NT-NameStartChar XML Spec: Names\n     * @see https://www.w3.org/TR/xml-names/#ns-qualnames XML Namespaces: Qualified names\n     */\n    createDocumentType: function (qualifiedName, publicId, systemId) {\n      var node = new DocumentType();\n      node.name = qualifiedName;\n      node.nodeName = qualifiedName;\n      node.publicId = publicId || '';\n      node.systemId = systemId || '';\n      return node;\n    }\n  };\n\n  /**\n   * @see http://www.w3.org/TR/2000/REC-DOM-Level-2-Core-20001113/core.html#ID-1950641247\n   */\n\n  function Node() {}\n  Node.prototype = {\n    firstChild: null,\n    lastChild: null,\n    previousSibling: null,\n    nextSibling: null,\n    attributes: null,\n    parentNode: null,\n    childNodes: null,\n    ownerDocument: null,\n    nodeValue: null,\n    namespaceURI: null,\n    prefix: null,\n    localName: null,\n    // Modified in DOM Level 2:\n    insertBefore: function (newChild, refChild) {\n      //raises\n      return _insertBefore(this, newChild, refChild);\n    },\n    replaceChild: function (newChild, oldChild) {\n      //raises\n      _insertBefore(this, newChild, oldChild, assertPreReplacementValidityInDocument);\n      if (oldChild) {\n        this.removeChild(oldChild);\n      }\n    },\n    removeChild: function (oldChild) {\n      return _removeChild(this, oldChild);\n    },\n    appendChild: function (newChild) {\n      return this.insertBefore(newChild, null);\n    },\n    hasChildNodes: function () {\n      return this.firstChild != null;\n    },\n    cloneNode: function (deep) {\n      return cloneNode(this.ownerDocument || this, this, deep);\n    },\n    // Modified in DOM Level 2:\n    normalize: function () {\n      var child = this.firstChild;\n      while (child) {\n        var next = child.nextSibling;\n        if (next && next.nodeType == TEXT_NODE && child.nodeType == TEXT_NODE) {\n          this.removeChild(next);\n          child.appendData(next.data);\n        } else {\n          child.normalize();\n          child = next;\n        }\n      }\n    },\n    // Introduced in DOM Level 2:\n    isSupported: function (feature, version) {\n      return this.ownerDocument.implementation.hasFeature(feature, version);\n    },\n    // Introduced in DOM Level 2:\n    hasAttributes: function () {\n      return this.attributes.length > 0;\n    },\n    /**\n     * Look up the prefix associated to the given namespace URI, starting from this node.\n     * **The default namespace declarations are ignored by this method.**\n     * See Namespace Prefix Lookup for details on the algorithm used by this method.\n     *\n     * _Note: The implementation seems to be incomplete when compared to the algorithm described in the specs._\n     *\n     * @param {string | null} namespaceURI\n     * @returns {string | null}\n     * @see https://www.w3.org/TR/DOM-Level-3-Core/core.html#Node3-lookupNamespacePrefix\n     * @see https://www.w3.org/TR/DOM-Level-3-Core/namespaces-algorithms.html#lookupNamespacePrefixAlgo\n     * @see https://dom.spec.whatwg.org/#dom-node-lookupprefix\n     * @see https://github.com/xmldom/xmldom/issues/322\n     */\n    lookupPrefix: function (namespaceURI) {\n      var el = this;\n      while (el) {\n        var map = el._nsMap;\n        //console.dir(map)\n        if (map) {\n          for (var n in map) {\n            if (Object.prototype.hasOwnProperty.call(map, n) && map[n] === namespaceURI) {\n              return n;\n            }\n          }\n        }\n        el = el.nodeType == ATTRIBUTE_NODE ? el.ownerDocument : el.parentNode;\n      }\n      return null;\n    },\n    // Introduced in DOM Level 3:\n    lookupNamespaceURI: function (prefix) {\n      var el = this;\n      while (el) {\n        var map = el._nsMap;\n        //console.dir(map)\n        if (map) {\n          if (Object.prototype.hasOwnProperty.call(map, prefix)) {\n            return map[prefix];\n          }\n        }\n        el = el.nodeType == ATTRIBUTE_NODE ? el.ownerDocument : el.parentNode;\n      }\n      return null;\n    },\n    // Introduced in DOM Level 3:\n    isDefaultNamespace: function (namespaceURI) {\n      var prefix = this.lookupPrefix(namespaceURI);\n      return prefix == null;\n    }\n  };\n  function _xmlEncoder(c) {\n    return c == '<' && '&lt;' || c == '>' && '&gt;' || c == '&' && '&amp;' || c == '\"' && '&quot;' || '&#' + c.charCodeAt() + ';';\n  }\n  copy(NodeType, Node);\n  copy(NodeType, Node.prototype);\n\n  /**\n   * @param callback return true for continue,false for break\n   * @return boolean true: break visit;\n   */\n  function _visitNode(node, callback) {\n    if (callback(node)) {\n      return true;\n    }\n    if (node = node.firstChild) {\n      do {\n        if (_visitNode(node, callback)) {\n          return true;\n        }\n      } while (node = node.nextSibling);\n    }\n  }\n  function Document() {\n    this.ownerDocument = this;\n  }\n  function _onAddAttribute(doc, el, newAttr) {\n    doc && doc._inc++;\n    var ns = newAttr.namespaceURI;\n    if (ns === NAMESPACE$2.XMLNS) {\n      //update namespace\n      el._nsMap[newAttr.prefix ? newAttr.localName : ''] = newAttr.value;\n    }\n  }\n  function _onRemoveAttribute(doc, el, newAttr, remove) {\n    doc && doc._inc++;\n    var ns = newAttr.namespaceURI;\n    if (ns === NAMESPACE$2.XMLNS) {\n      //update namespace\n      delete el._nsMap[newAttr.prefix ? newAttr.localName : ''];\n    }\n  }\n\n  /**\n   * Updates `el.childNodes`, updating the indexed items and it's `length`.\n   * Passing `newChild` means it will be appended.\n   * Otherwise it's assumed that an item has been removed,\n   * and `el.firstNode` and it's `.nextSibling` are used\n   * to walk the current list of child nodes.\n   *\n   * @param {Document} doc\n   * @param {Node} el\n   * @param {Node} [newChild]\n   * @private\n   */\n  function _onUpdateChild(doc, el, newChild) {\n    if (doc && doc._inc) {\n      doc._inc++;\n      //update childNodes\n      var cs = el.childNodes;\n      if (newChild) {\n        cs[cs.length++] = newChild;\n      } else {\n        var child = el.firstChild;\n        var i = 0;\n        while (child) {\n          cs[i++] = child;\n          child = child.nextSibling;\n        }\n        cs.length = i;\n        delete cs[cs.length];\n      }\n    }\n  }\n\n  /**\n   * Removes the connections between `parentNode` and `child`\n   * and any existing `child.previousSibling` or `child.nextSibling`.\n   *\n   * @see https://github.com/xmldom/xmldom/issues/135\n   * @see https://github.com/xmldom/xmldom/issues/145\n   *\n   * @param {Node} parentNode\n   * @param {Node} child\n   * @returns {Node} the child that was removed.\n   * @private\n   */\n  function _removeChild(parentNode, child) {\n    var previous = child.previousSibling;\n    var next = child.nextSibling;\n    if (previous) {\n      previous.nextSibling = next;\n    } else {\n      parentNode.firstChild = next;\n    }\n    if (next) {\n      next.previousSibling = previous;\n    } else {\n      parentNode.lastChild = previous;\n    }\n    child.parentNode = null;\n    child.previousSibling = null;\n    child.nextSibling = null;\n    _onUpdateChild(parentNode.ownerDocument, parentNode);\n    return child;\n  }\n\n  /**\n   * Returns `true` if `node` can be a parent for insertion.\n   * @param {Node} node\n   * @returns {boolean}\n   */\n  function hasValidParentNodeType(node) {\n    return node && (node.nodeType === Node.DOCUMENT_NODE || node.nodeType === Node.DOCUMENT_FRAGMENT_NODE || node.nodeType === Node.ELEMENT_NODE);\n  }\n\n  /**\n   * Returns `true` if `node` can be inserted according to it's `nodeType`.\n   * @param {Node} node\n   * @returns {boolean}\n   */\n  function hasInsertableNodeType(node) {\n    return node && (isElementNode(node) || isTextNode(node) || isDocTypeNode(node) || node.nodeType === Node.DOCUMENT_FRAGMENT_NODE || node.nodeType === Node.COMMENT_NODE || node.nodeType === Node.PROCESSING_INSTRUCTION_NODE);\n  }\n\n  /**\n   * Returns true if `node` is a DOCTYPE node\n   * @param {Node} node\n   * @returns {boolean}\n   */\n  function isDocTypeNode(node) {\n    return node && node.nodeType === Node.DOCUMENT_TYPE_NODE;\n  }\n\n  /**\n   * Returns true if the node is an element\n   * @param {Node} node\n   * @returns {boolean}\n   */\n  function isElementNode(node) {\n    return node && node.nodeType === Node.ELEMENT_NODE;\n  }\n  /**\n   * Returns true if `node` is a text node\n   * @param {Node} node\n   * @returns {boolean}\n   */\n  function isTextNode(node) {\n    return node && node.nodeType === Node.TEXT_NODE;\n  }\n\n  /**\n   * Check if en element node can be inserted before `child`, or at the end if child is falsy,\n   * according to the presence and position of a doctype node on the same level.\n   *\n   * @param {Document} doc The document node\n   * @param {Node} child the node that would become the nextSibling if the element would be inserted\n   * @returns {boolean} `true` if an element can be inserted before child\n   * @private\n   * https://dom.spec.whatwg.org/#concept-node-ensure-pre-insertion-validity\n   */\n  function isElementInsertionPossible(doc, child) {\n    var parentChildNodes = doc.childNodes || [];\n    if (find(parentChildNodes, isElementNode) || isDocTypeNode(child)) {\n      return false;\n    }\n    var docTypeNode = find(parentChildNodes, isDocTypeNode);\n    return !(child && docTypeNode && parentChildNodes.indexOf(docTypeNode) > parentChildNodes.indexOf(child));\n  }\n\n  /**\n   * Check if en element node can be inserted before `child`, or at the end if child is falsy,\n   * according to the presence and position of a doctype node on the same level.\n   *\n   * @param {Node} doc The document node\n   * @param {Node} child the node that would become the nextSibling if the element would be inserted\n   * @returns {boolean} `true` if an element can be inserted before child\n   * @private\n   * https://dom.spec.whatwg.org/#concept-node-ensure-pre-insertion-validity\n   */\n  function isElementReplacementPossible(doc, child) {\n    var parentChildNodes = doc.childNodes || [];\n    function hasElementChildThatIsNotChild(node) {\n      return isElementNode(node) && node !== child;\n    }\n    if (find(parentChildNodes, hasElementChildThatIsNotChild)) {\n      return false;\n    }\n    var docTypeNode = find(parentChildNodes, isDocTypeNode);\n    return !(child && docTypeNode && parentChildNodes.indexOf(docTypeNode) > parentChildNodes.indexOf(child));\n  }\n\n  /**\n   * @private\n   * Steps 1-5 of the checks before inserting and before replacing a child are the same.\n   *\n   * @param {Node} parent the parent node to insert `node` into\n   * @param {Node} node the node to insert\n   * @param {Node=} child the node that should become the `nextSibling` of `node`\n   * @returns {Node}\n   * @throws DOMException for several node combinations that would create a DOM that is not well-formed.\n   * @throws DOMException if `child` is provided but is not a child of `parent`.\n   * @see https://dom.spec.whatwg.org/#concept-node-ensure-pre-insertion-validity\n   * @see https://dom.spec.whatwg.org/#concept-node-replace\n   */\n  function assertPreInsertionValidity1to5(parent, node, child) {\n    // 1. If `parent` is not a Document, DocumentFragment, or Element node, then throw a \"HierarchyRequestError\" DOMException.\n    if (!hasValidParentNodeType(parent)) {\n      throw new DOMException(HIERARCHY_REQUEST_ERR, 'Unexpected parent node type ' + parent.nodeType);\n    }\n    // 2. If `node` is a host-including inclusive ancestor of `parent`, then throw a \"HierarchyRequestError\" DOMException.\n    // not implemented!\n    // 3. If `child` is non-null and its parent is not `parent`, then throw a \"NotFoundError\" DOMException.\n    if (child && child.parentNode !== parent) {\n      throw new DOMException(NOT_FOUND_ERR, 'child not in parent');\n    }\n    if (\n    // 4. If `node` is not a DocumentFragment, DocumentType, Element, or CharacterData node, then throw a \"HierarchyRequestError\" DOMException.\n    !hasInsertableNodeType(node) ||\n    // 5. If either `node` is a Text node and `parent` is a document,\n    // the sax parser currently adds top level text nodes, this will be fixed in 0.9.0\n    // || (node.nodeType === Node.TEXT_NODE && parent.nodeType === Node.DOCUMENT_NODE)\n    // or `node` is a doctype and `parent` is not a document, then throw a \"HierarchyRequestError\" DOMException.\n    isDocTypeNode(node) && parent.nodeType !== Node.DOCUMENT_NODE) {\n      throw new DOMException(HIERARCHY_REQUEST_ERR, 'Unexpected node type ' + node.nodeType + ' for parent node type ' + parent.nodeType);\n    }\n  }\n\n  /**\n   * @private\n   * Step 6 of the checks before inserting and before replacing a child are different.\n   *\n   * @param {Document} parent the parent node to insert `node` into\n   * @param {Node} node the node to insert\n   * @param {Node | undefined} child the node that should become the `nextSibling` of `node`\n   * @returns {Node}\n   * @throws DOMException for several node combinations that would create a DOM that is not well-formed.\n   * @throws DOMException if `child` is provided but is not a child of `parent`.\n   * @see https://dom.spec.whatwg.org/#concept-node-ensure-pre-insertion-validity\n   * @see https://dom.spec.whatwg.org/#concept-node-replace\n   */\n  function assertPreInsertionValidityInDocument(parent, node, child) {\n    var parentChildNodes = parent.childNodes || [];\n    var nodeChildNodes = node.childNodes || [];\n\n    // DocumentFragment\n    if (node.nodeType === Node.DOCUMENT_FRAGMENT_NODE) {\n      var nodeChildElements = nodeChildNodes.filter(isElementNode);\n      // If node has more than one element child or has a Text node child.\n      if (nodeChildElements.length > 1 || find(nodeChildNodes, isTextNode)) {\n        throw new DOMException(HIERARCHY_REQUEST_ERR, 'More than one element or text in fragment');\n      }\n      // Otherwise, if `node` has one element child and either `parent` has an element child,\n      // `child` is a doctype, or `child` is non-null and a doctype is following `child`.\n      if (nodeChildElements.length === 1 && !isElementInsertionPossible(parent, child)) {\n        throw new DOMException(HIERARCHY_REQUEST_ERR, 'Element in fragment can not be inserted before doctype');\n      }\n    }\n    // Element\n    if (isElementNode(node)) {\n      // `parent` has an element child, `child` is a doctype,\n      // or `child` is non-null and a doctype is following `child`.\n      if (!isElementInsertionPossible(parent, child)) {\n        throw new DOMException(HIERARCHY_REQUEST_ERR, 'Only one element can be added and only after doctype');\n      }\n    }\n    // DocumentType\n    if (isDocTypeNode(node)) {\n      // `parent` has a doctype child,\n      if (find(parentChildNodes, isDocTypeNode)) {\n        throw new DOMException(HIERARCHY_REQUEST_ERR, 'Only one doctype is allowed');\n      }\n      var parentElementChild = find(parentChildNodes, isElementNode);\n      // `child` is non-null and an element is preceding `child`,\n      if (child && parentChildNodes.indexOf(parentElementChild) < parentChildNodes.indexOf(child)) {\n        throw new DOMException(HIERARCHY_REQUEST_ERR, 'Doctype can only be inserted before an element');\n      }\n      // or `child` is null and `parent` has an element child.\n      if (!child && parentElementChild) {\n        throw new DOMException(HIERARCHY_REQUEST_ERR, 'Doctype can not be appended since element is present');\n      }\n    }\n  }\n\n  /**\n   * @private\n   * Step 6 of the checks before inserting and before replacing a child are different.\n   *\n   * @param {Document} parent the parent node to insert `node` into\n   * @param {Node} node the node to insert\n   * @param {Node | undefined} child the node that should become the `nextSibling` of `node`\n   * @returns {Node}\n   * @throws DOMException for several node combinations that would create a DOM that is not well-formed.\n   * @throws DOMException if `child` is provided but is not a child of `parent`.\n   * @see https://dom.spec.whatwg.org/#concept-node-ensure-pre-insertion-validity\n   * @see https://dom.spec.whatwg.org/#concept-node-replace\n   */\n  function assertPreReplacementValidityInDocument(parent, node, child) {\n    var parentChildNodes = parent.childNodes || [];\n    var nodeChildNodes = node.childNodes || [];\n\n    // DocumentFragment\n    if (node.nodeType === Node.DOCUMENT_FRAGMENT_NODE) {\n      var nodeChildElements = nodeChildNodes.filter(isElementNode);\n      // If `node` has more than one element child or has a Text node child.\n      if (nodeChildElements.length > 1 || find(nodeChildNodes, isTextNode)) {\n        throw new DOMException(HIERARCHY_REQUEST_ERR, 'More than one element or text in fragment');\n      }\n      // Otherwise, if `node` has one element child and either `parent` has an element child that is not `child` or a doctype is following `child`.\n      if (nodeChildElements.length === 1 && !isElementReplacementPossible(parent, child)) {\n        throw new DOMException(HIERARCHY_REQUEST_ERR, 'Element in fragment can not be inserted before doctype');\n      }\n    }\n    // Element\n    if (isElementNode(node)) {\n      // `parent` has an element child that is not `child` or a doctype is following `child`.\n      if (!isElementReplacementPossible(parent, child)) {\n        throw new DOMException(HIERARCHY_REQUEST_ERR, 'Only one element can be added and only after doctype');\n      }\n    }\n    // DocumentType\n    if (isDocTypeNode(node)) {\n      function hasDoctypeChildThatIsNotChild(node) {\n        return isDocTypeNode(node) && node !== child;\n      }\n\n      // `parent` has a doctype child that is not `child`,\n      if (find(parentChildNodes, hasDoctypeChildThatIsNotChild)) {\n        throw new DOMException(HIERARCHY_REQUEST_ERR, 'Only one doctype is allowed');\n      }\n      var parentElementChild = find(parentChildNodes, isElementNode);\n      // or an element is preceding `child`.\n      if (child && parentChildNodes.indexOf(parentElementChild) < parentChildNodes.indexOf(child)) {\n        throw new DOMException(HIERARCHY_REQUEST_ERR, 'Doctype can only be inserted before an element');\n      }\n    }\n  }\n\n  /**\n   * @private\n   * @param {Node} parent the parent node to insert `node` into\n   * @param {Node} node the node to insert\n   * @param {Node=} child the node that should become the `nextSibling` of `node`\n   * @returns {Node}\n   * @throws DOMException for several node combinations that would create a DOM that is not well-formed.\n   * @throws DOMException if `child` is provided but is not a child of `parent`.\n   * @see https://dom.spec.whatwg.org/#concept-node-ensure-pre-insertion-validity\n   */\n  function _insertBefore(parent, node, child, _inDocumentAssertion) {\n    // To ensure pre-insertion validity of a node into a parent before a child, run these steps:\n    assertPreInsertionValidity1to5(parent, node, child);\n\n    // If parent is a document, and any of the statements below, switched on the interface node implements,\n    // are true, then throw a \"HierarchyRequestError\" DOMException.\n    if (parent.nodeType === Node.DOCUMENT_NODE) {\n      (_inDocumentAssertion || assertPreInsertionValidityInDocument)(parent, node, child);\n    }\n    var cp = node.parentNode;\n    if (cp) {\n      cp.removeChild(node); //remove and update\n    }\n    if (node.nodeType === DOCUMENT_FRAGMENT_NODE) {\n      var newFirst = node.firstChild;\n      if (newFirst == null) {\n        return node;\n      }\n      var newLast = node.lastChild;\n    } else {\n      newFirst = newLast = node;\n    }\n    var pre = child ? child.previousSibling : parent.lastChild;\n    newFirst.previousSibling = pre;\n    newLast.nextSibling = child;\n    if (pre) {\n      pre.nextSibling = newFirst;\n    } else {\n      parent.firstChild = newFirst;\n    }\n    if (child == null) {\n      parent.lastChild = newLast;\n    } else {\n      child.previousSibling = newLast;\n    }\n    do {\n      newFirst.parentNode = parent;\n    } while (newFirst !== newLast && (newFirst = newFirst.nextSibling));\n    _onUpdateChild(parent.ownerDocument || parent, parent);\n    //console.log(parent.lastChild.nextSibling == null)\n    if (node.nodeType == DOCUMENT_FRAGMENT_NODE) {\n      node.firstChild = node.lastChild = null;\n    }\n    return node;\n  }\n\n  /**\n   * Appends `newChild` to `parentNode`.\n   * If `newChild` is already connected to a `parentNode` it is first removed from it.\n   *\n   * @see https://github.com/xmldom/xmldom/issues/135\n   * @see https://github.com/xmldom/xmldom/issues/145\n   * @param {Node} parentNode\n   * @param {Node} newChild\n   * @returns {Node}\n   * @private\n   */\n  function _appendSingleChild(parentNode, newChild) {\n    if (newChild.parentNode) {\n      newChild.parentNode.removeChild(newChild);\n    }\n    newChild.parentNode = parentNode;\n    newChild.previousSibling = parentNode.lastChild;\n    newChild.nextSibling = null;\n    if (newChild.previousSibling) {\n      newChild.previousSibling.nextSibling = newChild;\n    } else {\n      parentNode.firstChild = newChild;\n    }\n    parentNode.lastChild = newChild;\n    _onUpdateChild(parentNode.ownerDocument, parentNode, newChild);\n    return newChild;\n  }\n  Document.prototype = {\n    //implementation : null,\n    nodeName: '#document',\n    nodeType: DOCUMENT_NODE,\n    /**\n     * The DocumentType node of the document.\n     *\n     * @readonly\n     * @type DocumentType\n     */\n    doctype: null,\n    documentElement: null,\n    _inc: 1,\n    insertBefore: function (newChild, refChild) {\n      //raises\n      if (newChild.nodeType == DOCUMENT_FRAGMENT_NODE) {\n        var child = newChild.firstChild;\n        while (child) {\n          var next = child.nextSibling;\n          this.insertBefore(child, refChild);\n          child = next;\n        }\n        return newChild;\n      }\n      _insertBefore(this, newChild, refChild);\n      newChild.ownerDocument = this;\n      if (this.documentElement === null && newChild.nodeType === ELEMENT_NODE) {\n        this.documentElement = newChild;\n      }\n      return newChild;\n    },\n    removeChild: function (oldChild) {\n      if (this.documentElement == oldChild) {\n        this.documentElement = null;\n      }\n      return _removeChild(this, oldChild);\n    },\n    replaceChild: function (newChild, oldChild) {\n      //raises\n      _insertBefore(this, newChild, oldChild, assertPreReplacementValidityInDocument);\n      newChild.ownerDocument = this;\n      if (oldChild) {\n        this.removeChild(oldChild);\n      }\n      if (isElementNode(newChild)) {\n        this.documentElement = newChild;\n      }\n    },\n    // Introduced in DOM Level 2:\n    importNode: function (importedNode, deep) {\n      return importNode(this, importedNode, deep);\n    },\n    // Introduced in DOM Level 2:\n    getElementById: function (id) {\n      var rtv = null;\n      _visitNode(this.documentElement, function (node) {\n        if (node.nodeType == ELEMENT_NODE) {\n          if (node.getAttribute('id') == id) {\n            rtv = node;\n            return true;\n          }\n        }\n      });\n      return rtv;\n    },\n    /**\n     * The `getElementsByClassName` method of `Document` interface returns an array-like object\n     * of all child elements which have **all** of the given class name(s).\n     *\n     * Returns an empty list if `classeNames` is an empty string or only contains HTML white space characters.\n     *\n     *\n     * Warning: This is a live LiveNodeList.\n     * Changes in the DOM will reflect in the array as the changes occur.\n     * If an element selected by this array no longer qualifies for the selector,\n     * it will automatically be removed. Be aware of this for iteration purposes.\n     *\n     * @param {string} classNames is a string representing the class name(s) to match; multiple class names are separated by (ASCII-)whitespace\n     *\n     * @see https://developer.mozilla.org/en-US/docs/Web/API/Document/getElementsByClassName\n     * @see https://dom.spec.whatwg.org/#concept-getelementsbyclassname\n     */\n    getElementsByClassName: function (classNames) {\n      var classNamesSet = toOrderedSet(classNames);\n      return new LiveNodeList(this, function (base) {\n        var ls = [];\n        if (classNamesSet.length > 0) {\n          _visitNode(base.documentElement, function (node) {\n            if (node !== base && node.nodeType === ELEMENT_NODE) {\n              var nodeClassNames = node.getAttribute('class');\n              // can be null if the attribute does not exist\n              if (nodeClassNames) {\n                // before splitting and iterating just compare them for the most common case\n                var matches = classNames === nodeClassNames;\n                if (!matches) {\n                  var nodeClassNamesSet = toOrderedSet(nodeClassNames);\n                  matches = classNamesSet.every(arrayIncludes(nodeClassNamesSet));\n                }\n                if (matches) {\n                  ls.push(node);\n                }\n              }\n            }\n          });\n        }\n        return ls;\n      });\n    },\n    //document factory method:\n    createElement: function (tagName) {\n      var node = new Element();\n      node.ownerDocument = this;\n      node.nodeName = tagName;\n      node.tagName = tagName;\n      node.localName = tagName;\n      node.childNodes = new NodeList();\n      var attrs = node.attributes = new NamedNodeMap();\n      attrs._ownerElement = node;\n      return node;\n    },\n    createDocumentFragment: function () {\n      var node = new DocumentFragment();\n      node.ownerDocument = this;\n      node.childNodes = new NodeList();\n      return node;\n    },\n    createTextNode: function (data) {\n      var node = new Text();\n      node.ownerDocument = this;\n      node.appendData(data);\n      return node;\n    },\n    createComment: function (data) {\n      var node = new Comment();\n      node.ownerDocument = this;\n      node.appendData(data);\n      return node;\n    },\n    createCDATASection: function (data) {\n      var node = new CDATASection();\n      node.ownerDocument = this;\n      node.appendData(data);\n      return node;\n    },\n    createProcessingInstruction: function (target, data) {\n      var node = new ProcessingInstruction();\n      node.ownerDocument = this;\n      node.tagName = node.nodeName = node.target = target;\n      node.nodeValue = node.data = data;\n      return node;\n    },\n    createAttribute: function (name) {\n      var node = new Attr();\n      node.ownerDocument = this;\n      node.name = name;\n      node.nodeName = name;\n      node.localName = name;\n      node.specified = true;\n      return node;\n    },\n    createEntityReference: function (name) {\n      var node = new EntityReference();\n      node.ownerDocument = this;\n      node.nodeName = name;\n      return node;\n    },\n    // Introduced in DOM Level 2:\n    createElementNS: function (namespaceURI, qualifiedName) {\n      var node = new Element();\n      var pl = qualifiedName.split(':');\n      var attrs = node.attributes = new NamedNodeMap();\n      node.childNodes = new NodeList();\n      node.ownerDocument = this;\n      node.nodeName = qualifiedName;\n      node.tagName = qualifiedName;\n      node.namespaceURI = namespaceURI;\n      if (pl.length == 2) {\n        node.prefix = pl[0];\n        node.localName = pl[1];\n      } else {\n        //el.prefix = null;\n        node.localName = qualifiedName;\n      }\n      attrs._ownerElement = node;\n      return node;\n    },\n    // Introduced in DOM Level 2:\n    createAttributeNS: function (namespaceURI, qualifiedName) {\n      var node = new Attr();\n      var pl = qualifiedName.split(':');\n      node.ownerDocument = this;\n      node.nodeName = qualifiedName;\n      node.name = qualifiedName;\n      node.namespaceURI = namespaceURI;\n      node.specified = true;\n      if (pl.length == 2) {\n        node.prefix = pl[0];\n        node.localName = pl[1];\n      } else {\n        //el.prefix = null;\n        node.localName = qualifiedName;\n      }\n      return node;\n    }\n  };\n  _extends(Document, Node);\n  function Element() {\n    this._nsMap = {};\n  }\n  Element.prototype = {\n    nodeType: ELEMENT_NODE,\n    hasAttribute: function (name) {\n      return this.getAttributeNode(name) != null;\n    },\n    getAttribute: function (name) {\n      var attr = this.getAttributeNode(name);\n      return attr && attr.value || '';\n    },\n    getAttributeNode: function (name) {\n      return this.attributes.getNamedItem(name);\n    },\n    setAttribute: function (name, value) {\n      var attr = this.ownerDocument.createAttribute(name);\n      attr.value = attr.nodeValue = \"\" + value;\n      this.setAttributeNode(attr);\n    },\n    removeAttribute: function (name) {\n      var attr = this.getAttributeNode(name);\n      attr && this.removeAttributeNode(attr);\n    },\n    //four real opeartion method\n    appendChild: function (newChild) {\n      if (newChild.nodeType === DOCUMENT_FRAGMENT_NODE) {\n        return this.insertBefore(newChild, null);\n      } else {\n        return _appendSingleChild(this, newChild);\n      }\n    },\n    setAttributeNode: function (newAttr) {\n      return this.attributes.setNamedItem(newAttr);\n    },\n    setAttributeNodeNS: function (newAttr) {\n      return this.attributes.setNamedItemNS(newAttr);\n    },\n    removeAttributeNode: function (oldAttr) {\n      //console.log(this == oldAttr.ownerElement)\n      return this.attributes.removeNamedItem(oldAttr.nodeName);\n    },\n    //get real attribute name,and remove it by removeAttributeNode\n    removeAttributeNS: function (namespaceURI, localName) {\n      var old = this.getAttributeNodeNS(namespaceURI, localName);\n      old && this.removeAttributeNode(old);\n    },\n    hasAttributeNS: function (namespaceURI, localName) {\n      return this.getAttributeNodeNS(namespaceURI, localName) != null;\n    },\n    getAttributeNS: function (namespaceURI, localName) {\n      var attr = this.getAttributeNodeNS(namespaceURI, localName);\n      return attr && attr.value || '';\n    },\n    setAttributeNS: function (namespaceURI, qualifiedName, value) {\n      var attr = this.ownerDocument.createAttributeNS(namespaceURI, qualifiedName);\n      attr.value = attr.nodeValue = \"\" + value;\n      this.setAttributeNode(attr);\n    },\n    getAttributeNodeNS: function (namespaceURI, localName) {\n      return this.attributes.getNamedItemNS(namespaceURI, localName);\n    },\n    getElementsByTagName: function (tagName) {\n      return new LiveNodeList(this, function (base) {\n        var ls = [];\n        _visitNode(base, function (node) {\n          if (node !== base && node.nodeType == ELEMENT_NODE && (tagName === '*' || node.tagName == tagName)) {\n            ls.push(node);\n          }\n        });\n        return ls;\n      });\n    },\n    getElementsByTagNameNS: function (namespaceURI, localName) {\n      return new LiveNodeList(this, function (base) {\n        var ls = [];\n        _visitNode(base, function (node) {\n          if (node !== base && node.nodeType === ELEMENT_NODE && (namespaceURI === '*' || node.namespaceURI === namespaceURI) && (localName === '*' || node.localName == localName)) {\n            ls.push(node);\n          }\n        });\n        return ls;\n      });\n    }\n  };\n  Document.prototype.getElementsByTagName = Element.prototype.getElementsByTagName;\n  Document.prototype.getElementsByTagNameNS = Element.prototype.getElementsByTagNameNS;\n  _extends(Element, Node);\n  function Attr() {}\n  Attr.prototype.nodeType = ATTRIBUTE_NODE;\n  _extends(Attr, Node);\n  function CharacterData() {}\n  CharacterData.prototype = {\n    data: '',\n    substringData: function (offset, count) {\n      return this.data.substring(offset, offset + count);\n    },\n    appendData: function (text) {\n      text = this.data + text;\n      this.nodeValue = this.data = text;\n      this.length = text.length;\n    },\n    insertData: function (offset, text) {\n      this.replaceData(offset, 0, text);\n    },\n    appendChild: function (newChild) {\n      throw new Error(ExceptionMessage[HIERARCHY_REQUEST_ERR]);\n    },\n    deleteData: function (offset, count) {\n      this.replaceData(offset, count, \"\");\n    },\n    replaceData: function (offset, count, text) {\n      var start = this.data.substring(0, offset);\n      var end = this.data.substring(offset + count);\n      text = start + text + end;\n      this.nodeValue = this.data = text;\n      this.length = text.length;\n    }\n  };\n  _extends(CharacterData, Node);\n  function Text() {}\n  Text.prototype = {\n    nodeName: \"#text\",\n    nodeType: TEXT_NODE,\n    splitText: function (offset) {\n      var text = this.data;\n      var newText = text.substring(offset);\n      text = text.substring(0, offset);\n      this.data = this.nodeValue = text;\n      this.length = text.length;\n      var newNode = this.ownerDocument.createTextNode(newText);\n      if (this.parentNode) {\n        this.parentNode.insertBefore(newNode, this.nextSibling);\n      }\n      return newNode;\n    }\n  };\n  _extends(Text, CharacterData);\n  function Comment() {}\n  Comment.prototype = {\n    nodeName: \"#comment\",\n    nodeType: COMMENT_NODE\n  };\n  _extends(Comment, CharacterData);\n  function CDATASection() {}\n  CDATASection.prototype = {\n    nodeName: \"#cdata-section\",\n    nodeType: CDATA_SECTION_NODE\n  };\n  _extends(CDATASection, CharacterData);\n  function DocumentType() {}\n  DocumentType.prototype.nodeType = DOCUMENT_TYPE_NODE;\n  _extends(DocumentType, Node);\n  function Notation() {}\n  Notation.prototype.nodeType = NOTATION_NODE;\n  _extends(Notation, Node);\n  function Entity() {}\n  Entity.prototype.nodeType = ENTITY_NODE;\n  _extends(Entity, Node);\n  function EntityReference() {}\n  EntityReference.prototype.nodeType = ENTITY_REFERENCE_NODE;\n  _extends(EntityReference, Node);\n  function DocumentFragment() {}\n  DocumentFragment.prototype.nodeName = \"#document-fragment\";\n  DocumentFragment.prototype.nodeType = DOCUMENT_FRAGMENT_NODE;\n  _extends(DocumentFragment, Node);\n  function ProcessingInstruction() {}\n  ProcessingInstruction.prototype.nodeType = PROCESSING_INSTRUCTION_NODE;\n  _extends(ProcessingInstruction, Node);\n  function XMLSerializer() {}\n  XMLSerializer.prototype.serializeToString = function (node, isHtml, nodeFilter) {\n    return nodeSerializeToString.call(node, isHtml, nodeFilter);\n  };\n  Node.prototype.toString = nodeSerializeToString;\n  function nodeSerializeToString(isHtml, nodeFilter) {\n    var buf = [];\n    var refNode = this.nodeType == 9 && this.documentElement || this;\n    var prefix = refNode.prefix;\n    var uri = refNode.namespaceURI;\n    if (uri && prefix == null) {\n      //console.log(prefix)\n      var prefix = refNode.lookupPrefix(uri);\n      if (prefix == null) {\n        //isHTML = true;\n        var visibleNamespaces = [{\n          namespace: uri,\n          prefix: null\n        }\n        //{namespace:uri,prefix:''}\n        ];\n      }\n    }\n    serializeToString(this, buf, isHtml, nodeFilter, visibleNamespaces);\n    //console.log('###',this.nodeType,uri,prefix,buf.join(''))\n    return buf.join('');\n  }\n  function needNamespaceDefine(node, isHTML, visibleNamespaces) {\n    var prefix = node.prefix || '';\n    var uri = node.namespaceURI;\n    // According to [Namespaces in XML 1.0](https://www.w3.org/TR/REC-xml-names/#ns-using) ,\n    // and more specifically https://www.w3.org/TR/REC-xml-names/#nsc-NoPrefixUndecl :\n    // > In a namespace declaration for a prefix [...], the attribute value MUST NOT be empty.\n    // in a similar manner [Namespaces in XML 1.1](https://www.w3.org/TR/xml-names11/#ns-using)\n    // and more specifically https://www.w3.org/TR/xml-names11/#nsc-NSDeclared :\n    // > [...] Furthermore, the attribute value [...] must not be an empty string.\n    // so serializing empty namespace value like xmlns:ds=\"\" would produce an invalid XML document.\n    if (!uri) {\n      return false;\n    }\n    if (prefix === \"xml\" && uri === NAMESPACE$2.XML || uri === NAMESPACE$2.XMLNS) {\n      return false;\n    }\n    var i = visibleNamespaces.length;\n    while (i--) {\n      var ns = visibleNamespaces[i];\n      // get namespace prefix\n      if (ns.prefix === prefix) {\n        return ns.namespace !== uri;\n      }\n    }\n    return true;\n  }\n  /**\n   * Well-formed constraint: No < in Attribute Values\n   * > The replacement text of any entity referred to directly or indirectly\n   * > in an attribute value must not contain a <.\n   * @see https://www.w3.org/TR/xml11/#CleanAttrVals\n   * @see https://www.w3.org/TR/xml11/#NT-AttValue\n   *\n   * Literal whitespace other than space that appear in attribute values\n   * are serialized as their entity references, so they will be preserved.\n   * (In contrast to whitespace literals in the input which are normalized to spaces)\n   * @see https://www.w3.org/TR/xml11/#AVNormalize\n   * @see https://w3c.github.io/DOM-Parsing/#serializing-an-element-s-attributes\n   */\n  function addSerializedAttribute(buf, qualifiedName, value) {\n    buf.push(' ', qualifiedName, '=\"', value.replace(/[<>&\"\\t\\n\\r]/g, _xmlEncoder), '\"');\n  }\n  function serializeToString(node, buf, isHTML, nodeFilter, visibleNamespaces) {\n    if (!visibleNamespaces) {\n      visibleNamespaces = [];\n    }\n    if (nodeFilter) {\n      node = nodeFilter(node);\n      if (node) {\n        if (typeof node == 'string') {\n          buf.push(node);\n          return;\n        }\n      } else {\n        return;\n      }\n      //buf.sort.apply(attrs, attributeSorter);\n    }\n    switch (node.nodeType) {\n      case ELEMENT_NODE:\n        var attrs = node.attributes;\n        var len = attrs.length;\n        var child = node.firstChild;\n        var nodeName = node.tagName;\n        isHTML = NAMESPACE$2.isHTML(node.namespaceURI) || isHTML;\n        var prefixedNodeName = nodeName;\n        if (!isHTML && !node.prefix && node.namespaceURI) {\n          var defaultNS;\n          // lookup current default ns from `xmlns` attribute\n          for (var ai = 0; ai < attrs.length; ai++) {\n            if (attrs.item(ai).name === 'xmlns') {\n              defaultNS = attrs.item(ai).value;\n              break;\n            }\n          }\n          if (!defaultNS) {\n            // lookup current default ns in visibleNamespaces\n            for (var nsi = visibleNamespaces.length - 1; nsi >= 0; nsi--) {\n              var namespace = visibleNamespaces[nsi];\n              if (namespace.prefix === '' && namespace.namespace === node.namespaceURI) {\n                defaultNS = namespace.namespace;\n                break;\n              }\n            }\n          }\n          if (defaultNS !== node.namespaceURI) {\n            for (var nsi = visibleNamespaces.length - 1; nsi >= 0; nsi--) {\n              var namespace = visibleNamespaces[nsi];\n              if (namespace.namespace === node.namespaceURI) {\n                if (namespace.prefix) {\n                  prefixedNodeName = namespace.prefix + ':' + nodeName;\n                }\n                break;\n              }\n            }\n          }\n        }\n        buf.push('<', prefixedNodeName);\n        for (var i = 0; i < len; i++) {\n          // add namespaces for attributes\n          var attr = attrs.item(i);\n          if (attr.prefix == 'xmlns') {\n            visibleNamespaces.push({\n              prefix: attr.localName,\n              namespace: attr.value\n            });\n          } else if (attr.nodeName == 'xmlns') {\n            visibleNamespaces.push({\n              prefix: '',\n              namespace: attr.value\n            });\n          }\n        }\n        for (var i = 0; i < len; i++) {\n          var attr = attrs.item(i);\n          if (needNamespaceDefine(attr, isHTML, visibleNamespaces)) {\n            var prefix = attr.prefix || '';\n            var uri = attr.namespaceURI;\n            addSerializedAttribute(buf, prefix ? 'xmlns:' + prefix : \"xmlns\", uri);\n            visibleNamespaces.push({\n              prefix: prefix,\n              namespace: uri\n            });\n          }\n          serializeToString(attr, buf, isHTML, nodeFilter, visibleNamespaces);\n        }\n\n        // add namespace for current node\n        if (nodeName === prefixedNodeName && needNamespaceDefine(node, isHTML, visibleNamespaces)) {\n          var prefix = node.prefix || '';\n          var uri = node.namespaceURI;\n          addSerializedAttribute(buf, prefix ? 'xmlns:' + prefix : \"xmlns\", uri);\n          visibleNamespaces.push({\n            prefix: prefix,\n            namespace: uri\n          });\n        }\n        if (child || isHTML && !/^(?:meta|link|img|br|hr|input)$/i.test(nodeName)) {\n          buf.push('>');\n          //if is cdata child node\n          if (isHTML && /^script$/i.test(nodeName)) {\n            while (child) {\n              if (child.data) {\n                buf.push(child.data);\n              } else {\n                serializeToString(child, buf, isHTML, nodeFilter, visibleNamespaces.slice());\n              }\n              child = child.nextSibling;\n            }\n          } else {\n            while (child) {\n              serializeToString(child, buf, isHTML, nodeFilter, visibleNamespaces.slice());\n              child = child.nextSibling;\n            }\n          }\n          buf.push('</', prefixedNodeName, '>');\n        } else {\n          buf.push('/>');\n        }\n        // remove added visible namespaces\n        //visibleNamespaces.length = startVisibleNamespaces;\n        return;\n      case DOCUMENT_NODE:\n      case DOCUMENT_FRAGMENT_NODE:\n        var child = node.firstChild;\n        while (child) {\n          serializeToString(child, buf, isHTML, nodeFilter, visibleNamespaces.slice());\n          child = child.nextSibling;\n        }\n        return;\n      case ATTRIBUTE_NODE:\n        return addSerializedAttribute(buf, node.name, node.value);\n      case TEXT_NODE:\n        /**\n         * The ampersand character (&) and the left angle bracket (<) must not appear in their literal form,\n         * except when used as markup delimiters, or within a comment, a processing instruction, or a CDATA section.\n         * If they are needed elsewhere, they must be escaped using either numeric character references or the strings\n         * `&amp;` and `&lt;` respectively.\n         * The right angle bracket (>) may be represented using the string \" &gt; \", and must, for compatibility,\n         * be escaped using either `&gt;` or a character reference when it appears in the string `]]>` in content,\n         * when that string is not marking the end of a CDATA section.\n         *\n         * In the content of elements, character data is any string of characters\n         * which does not contain the start-delimiter of any markup\n         * and does not include the CDATA-section-close delimiter, `]]>`.\n         *\n         * @see https://www.w3.org/TR/xml/#NT-CharData\n         * @see https://w3c.github.io/DOM-Parsing/#xml-serializing-a-text-node\n         */\n        return buf.push(node.data.replace(/[<&>]/g, _xmlEncoder));\n      case CDATA_SECTION_NODE:\n        return buf.push('<![CDATA[', node.data, ']]>');\n      case COMMENT_NODE:\n        return buf.push(\"<!--\", node.data, \"-->\");\n      case DOCUMENT_TYPE_NODE:\n        var pubid = node.publicId;\n        var sysid = node.systemId;\n        buf.push('<!DOCTYPE ', node.name);\n        if (pubid) {\n          buf.push(' PUBLIC ', pubid);\n          if (sysid && sysid != '.') {\n            buf.push(' ', sysid);\n          }\n          buf.push('>');\n        } else if (sysid && sysid != '.') {\n          buf.push(' SYSTEM ', sysid, '>');\n        } else {\n          var sub = node.internalSubset;\n          if (sub) {\n            buf.push(\" [\", sub, \"]\");\n          }\n          buf.push(\">\");\n        }\n        return;\n      case PROCESSING_INSTRUCTION_NODE:\n        return buf.push(\"<?\", node.target, \" \", node.data, \"?>\");\n      case ENTITY_REFERENCE_NODE:\n        return buf.push('&', node.nodeName, ';');\n      //case ENTITY_NODE:\n      //case NOTATION_NODE:\n      default:\n        buf.push('??', node.nodeName);\n    }\n  }\n  function importNode(doc, node, deep) {\n    var node2;\n    switch (node.nodeType) {\n      case ELEMENT_NODE:\n        node2 = node.cloneNode(false);\n        node2.ownerDocument = doc;\n      //var attrs = node2.attributes;\n      //var len = attrs.length;\n      //for(var i=0;i<len;i++){\n      //node2.setAttributeNodeNS(importNode(doc,attrs.item(i),deep));\n      //}\n      case DOCUMENT_FRAGMENT_NODE:\n        break;\n      case ATTRIBUTE_NODE:\n        deep = true;\n        break;\n      //case ENTITY_REFERENCE_NODE:\n      //case PROCESSING_INSTRUCTION_NODE:\n      ////case TEXT_NODE:\n      //case CDATA_SECTION_NODE:\n      //case COMMENT_NODE:\n      //\tdeep = false;\n      //\tbreak;\n      //case DOCUMENT_NODE:\n      //case DOCUMENT_TYPE_NODE:\n      //cannot be imported.\n      //case ENTITY_NODE:\n      //case NOTATION_NODE:\n      //can not hit in level3\n      //default:throw e;\n    }\n    if (!node2) {\n      node2 = node.cloneNode(false); //false\n    }\n    node2.ownerDocument = doc;\n    node2.parentNode = null;\n    if (deep) {\n      var child = node.firstChild;\n      while (child) {\n        node2.appendChild(importNode(doc, child, deep));\n        child = child.nextSibling;\n      }\n    }\n    return node2;\n  }\n  //\n  //var _relationMap = {firstChild:1,lastChild:1,previousSibling:1,nextSibling:1,\n  //\t\t\t\t\tattributes:1,childNodes:1,parentNode:1,documentElement:1,doctype,};\n  function cloneNode(doc, node, deep) {\n    var node2 = new node.constructor();\n    for (var n in node) {\n      if (Object.prototype.hasOwnProperty.call(node, n)) {\n        var v = node[n];\n        if (typeof v != \"object\") {\n          if (v != node2[n]) {\n            node2[n] = v;\n          }\n        }\n      }\n    }\n    if (node.childNodes) {\n      node2.childNodes = new NodeList();\n    }\n    node2.ownerDocument = doc;\n    switch (node2.nodeType) {\n      case ELEMENT_NODE:\n        var attrs = node.attributes;\n        var attrs2 = node2.attributes = new NamedNodeMap();\n        var len = attrs.length;\n        attrs2._ownerElement = node2;\n        for (var i = 0; i < len; i++) {\n          node2.setAttributeNode(cloneNode(doc, attrs.item(i), true));\n        }\n        break;\n      case ATTRIBUTE_NODE:\n        deep = true;\n    }\n    if (deep) {\n      var child = node.firstChild;\n      while (child) {\n        node2.appendChild(cloneNode(doc, child, deep));\n        child = child.nextSibling;\n      }\n    }\n    return node2;\n  }\n  function __set__(object, key, value) {\n    object[key] = value;\n  }\n  //do dynamic\n  try {\n    if (Object.defineProperty) {\n      Object.defineProperty(LiveNodeList.prototype, 'length', {\n        get: function () {\n          _updateLiveList(this);\n          return this.$$length;\n        }\n      });\n      Object.defineProperty(Node.prototype, 'textContent', {\n        get: function () {\n          return getTextContent(this);\n        },\n        set: function (data) {\n          switch (this.nodeType) {\n            case ELEMENT_NODE:\n            case DOCUMENT_FRAGMENT_NODE:\n              while (this.firstChild) {\n                this.removeChild(this.firstChild);\n              }\n              if (data || String(data)) {\n                this.appendChild(this.ownerDocument.createTextNode(data));\n              }\n              break;\n            default:\n              this.data = data;\n              this.value = data;\n              this.nodeValue = data;\n          }\n        }\n      });\n      function getTextContent(node) {\n        switch (node.nodeType) {\n          case ELEMENT_NODE:\n          case DOCUMENT_FRAGMENT_NODE:\n            var buf = [];\n            node = node.firstChild;\n            while (node) {\n              if (node.nodeType !== 7 && node.nodeType !== 8) {\n                buf.push(getTextContent(node));\n              }\n              node = node.nextSibling;\n            }\n            return buf.join('');\n          default:\n            return node.nodeValue;\n        }\n      }\n      __set__ = function (object, key, value) {\n        //console.log(value)\n        object['$$' + key] = value;\n      };\n    }\n  } catch (e) {//ie8\n  }\n\n  //if(typeof require == 'function'){\n  var DocumentType_1 = DocumentType;\n  var DOMException_1 = DOMException;\n  var DOMImplementation_1 = DOMImplementation$1;\n  var Element_1 = Element;\n  var Node_1 = Node;\n  var NodeList_1 = NodeList;\n  var XMLSerializer_1 = XMLSerializer;\n  //}\n\n  var dom = {\n    DocumentType: DocumentType_1,\n    DOMException: DOMException_1,\n    DOMImplementation: DOMImplementation_1,\n    Element: Element_1,\n    Node: Node_1,\n    NodeList: NodeList_1,\n    XMLSerializer: XMLSerializer_1\n  };\n\n  var entities = createCommonjsModule(function (module, exports) {\n\n    var freeze = conventions.freeze;\n\n    /**\n     * The entities that are predefined in every XML document.\n     *\n     * @see https://www.w3.org/TR/2006/REC-xml11-20060816/#sec-predefined-ent W3C XML 1.1\n     * @see https://www.w3.org/TR/2008/REC-xml-20081126/#sec-predefined-ent W3C XML 1.0\n     * @see https://en.wikipedia.org/wiki/List_of_XML_and_HTML_character_entity_references#Predefined_entities_in_XML Wikipedia\n     */\n    exports.XML_ENTITIES = freeze({\n      amp: '&',\n      apos: \"'\",\n      gt: '>',\n      lt: '<',\n      quot: '\"'\n    });\n\n    /**\n     * A map of all entities that are detected in an HTML document.\n     * They contain all entries from `XML_ENTITIES`.\n     *\n     * @see XML_ENTITIES\n     * @see DOMParser.parseFromString\n     * @see DOMImplementation.prototype.createHTMLDocument\n     * @see https://html.spec.whatwg.org/#named-character-references WHATWG HTML(5) Spec\n     * @see https://html.spec.whatwg.org/entities.json JSON\n     * @see https://www.w3.org/TR/xml-entity-names/ W3C XML Entity Names\n     * @see https://www.w3.org/TR/html4/sgml/entities.html W3C HTML4/SGML\n     * @see https://en.wikipedia.org/wiki/List_of_XML_and_HTML_character_entity_references#Character_entity_references_in_HTML Wikipedia (HTML)\n     * @see https://en.wikipedia.org/wiki/List_of_XML_and_HTML_character_entity_references#Entities_representing_special_characters_in_XHTML Wikpedia (XHTML)\n     */\n    exports.HTML_ENTITIES = freeze({\n      Aacute: '\\u00C1',\n      aacute: '\\u00E1',\n      Abreve: '\\u0102',\n      abreve: '\\u0103',\n      ac: '\\u223E',\n      acd: '\\u223F',\n      acE: '\\u223E\\u0333',\n      Acirc: '\\u00C2',\n      acirc: '\\u00E2',\n      acute: '\\u00B4',\n      Acy: '\\u0410',\n      acy: '\\u0430',\n      AElig: '\\u00C6',\n      aelig: '\\u00E6',\n      af: '\\u2061',\n      Afr: '\\uD835\\uDD04',\n      afr: '\\uD835\\uDD1E',\n      Agrave: '\\u00C0',\n      agrave: '\\u00E0',\n      alefsym: '\\u2135',\n      aleph: '\\u2135',\n      Alpha: '\\u0391',\n      alpha: '\\u03B1',\n      Amacr: '\\u0100',\n      amacr: '\\u0101',\n      amalg: '\\u2A3F',\n      AMP: '\\u0026',\n      amp: '\\u0026',\n      And: '\\u2A53',\n      and: '\\u2227',\n      andand: '\\u2A55',\n      andd: '\\u2A5C',\n      andslope: '\\u2A58',\n      andv: '\\u2A5A',\n      ang: '\\u2220',\n      ange: '\\u29A4',\n      angle: '\\u2220',\n      angmsd: '\\u2221',\n      angmsdaa: '\\u29A8',\n      angmsdab: '\\u29A9',\n      angmsdac: '\\u29AA',\n      angmsdad: '\\u29AB',\n      angmsdae: '\\u29AC',\n      angmsdaf: '\\u29AD',\n      angmsdag: '\\u29AE',\n      angmsdah: '\\u29AF',\n      angrt: '\\u221F',\n      angrtvb: '\\u22BE',\n      angrtvbd: '\\u299D',\n      angsph: '\\u2222',\n      angst: '\\u00C5',\n      angzarr: '\\u237C',\n      Aogon: '\\u0104',\n      aogon: '\\u0105',\n      Aopf: '\\uD835\\uDD38',\n      aopf: '\\uD835\\uDD52',\n      ap: '\\u2248',\n      apacir: '\\u2A6F',\n      apE: '\\u2A70',\n      ape: '\\u224A',\n      apid: '\\u224B',\n      apos: '\\u0027',\n      ApplyFunction: '\\u2061',\n      approx: '\\u2248',\n      approxeq: '\\u224A',\n      Aring: '\\u00C5',\n      aring: '\\u00E5',\n      Ascr: '\\uD835\\uDC9C',\n      ascr: '\\uD835\\uDCB6',\n      Assign: '\\u2254',\n      ast: '\\u002A',\n      asymp: '\\u2248',\n      asympeq: '\\u224D',\n      Atilde: '\\u00C3',\n      atilde: '\\u00E3',\n      Auml: '\\u00C4',\n      auml: '\\u00E4',\n      awconint: '\\u2233',\n      awint: '\\u2A11',\n      backcong: '\\u224C',\n      backepsilon: '\\u03F6',\n      backprime: '\\u2035',\n      backsim: '\\u223D',\n      backsimeq: '\\u22CD',\n      Backslash: '\\u2216',\n      Barv: '\\u2AE7',\n      barvee: '\\u22BD',\n      Barwed: '\\u2306',\n      barwed: '\\u2305',\n      barwedge: '\\u2305',\n      bbrk: '\\u23B5',\n      bbrktbrk: '\\u23B6',\n      bcong: '\\u224C',\n      Bcy: '\\u0411',\n      bcy: '\\u0431',\n      bdquo: '\\u201E',\n      becaus: '\\u2235',\n      Because: '\\u2235',\n      because: '\\u2235',\n      bemptyv: '\\u29B0',\n      bepsi: '\\u03F6',\n      bernou: '\\u212C',\n      Bernoullis: '\\u212C',\n      Beta: '\\u0392',\n      beta: '\\u03B2',\n      beth: '\\u2136',\n      between: '\\u226C',\n      Bfr: '\\uD835\\uDD05',\n      bfr: '\\uD835\\uDD1F',\n      bigcap: '\\u22C2',\n      bigcirc: '\\u25EF',\n      bigcup: '\\u22C3',\n      bigodot: '\\u2A00',\n      bigoplus: '\\u2A01',\n      bigotimes: '\\u2A02',\n      bigsqcup: '\\u2A06',\n      bigstar: '\\u2605',\n      bigtriangledown: '\\u25BD',\n      bigtriangleup: '\\u25B3',\n      biguplus: '\\u2A04',\n      bigvee: '\\u22C1',\n      bigwedge: '\\u22C0',\n      bkarow: '\\u290D',\n      blacklozenge: '\\u29EB',\n      blacksquare: '\\u25AA',\n      blacktriangle: '\\u25B4',\n      blacktriangledown: '\\u25BE',\n      blacktriangleleft: '\\u25C2',\n      blacktriangleright: '\\u25B8',\n      blank: '\\u2423',\n      blk12: '\\u2592',\n      blk14: '\\u2591',\n      blk34: '\\u2593',\n      block: '\\u2588',\n      bne: '\\u003D\\u20E5',\n      bnequiv: '\\u2261\\u20E5',\n      bNot: '\\u2AED',\n      bnot: '\\u2310',\n      Bopf: '\\uD835\\uDD39',\n      bopf: '\\uD835\\uDD53',\n      bot: '\\u22A5',\n      bottom: '\\u22A5',\n      bowtie: '\\u22C8',\n      boxbox: '\\u29C9',\n      boxDL: '\\u2557',\n      boxDl: '\\u2556',\n      boxdL: '\\u2555',\n      boxdl: '\\u2510',\n      boxDR: '\\u2554',\n      boxDr: '\\u2553',\n      boxdR: '\\u2552',\n      boxdr: '\\u250C',\n      boxH: '\\u2550',\n      boxh: '\\u2500',\n      boxHD: '\\u2566',\n      boxHd: '\\u2564',\n      boxhD: '\\u2565',\n      boxhd: '\\u252C',\n      boxHU: '\\u2569',\n      boxHu: '\\u2567',\n      boxhU: '\\u2568',\n      boxhu: '\\u2534',\n      boxminus: '\\u229F',\n      boxplus: '\\u229E',\n      boxtimes: '\\u22A0',\n      boxUL: '\\u255D',\n      boxUl: '\\u255C',\n      boxuL: '\\u255B',\n      boxul: '\\u2518',\n      boxUR: '\\u255A',\n      boxUr: '\\u2559',\n      boxuR: '\\u2558',\n      boxur: '\\u2514',\n      boxV: '\\u2551',\n      boxv: '\\u2502',\n      boxVH: '\\u256C',\n      boxVh: '\\u256B',\n      boxvH: '\\u256A',\n      boxvh: '\\u253C',\n      boxVL: '\\u2563',\n      boxVl: '\\u2562',\n      boxvL: '\\u2561',\n      boxvl: '\\u2524',\n      boxVR: '\\u2560',\n      boxVr: '\\u255F',\n      boxvR: '\\u255E',\n      boxvr: '\\u251C',\n      bprime: '\\u2035',\n      Breve: '\\u02D8',\n      breve: '\\u02D8',\n      brvbar: '\\u00A6',\n      Bscr: '\\u212C',\n      bscr: '\\uD835\\uDCB7',\n      bsemi: '\\u204F',\n      bsim: '\\u223D',\n      bsime: '\\u22CD',\n      bsol: '\\u005C',\n      bsolb: '\\u29C5',\n      bsolhsub: '\\u27C8',\n      bull: '\\u2022',\n      bullet: '\\u2022',\n      bump: '\\u224E',\n      bumpE: '\\u2AAE',\n      bumpe: '\\u224F',\n      Bumpeq: '\\u224E',\n      bumpeq: '\\u224F',\n      Cacute: '\\u0106',\n      cacute: '\\u0107',\n      Cap: '\\u22D2',\n      cap: '\\u2229',\n      capand: '\\u2A44',\n      capbrcup: '\\u2A49',\n      capcap: '\\u2A4B',\n      capcup: '\\u2A47',\n      capdot: '\\u2A40',\n      CapitalDifferentialD: '\\u2145',\n      caps: '\\u2229\\uFE00',\n      caret: '\\u2041',\n      caron: '\\u02C7',\n      Cayleys: '\\u212D',\n      ccaps: '\\u2A4D',\n      Ccaron: '\\u010C',\n      ccaron: '\\u010D',\n      Ccedil: '\\u00C7',\n      ccedil: '\\u00E7',\n      Ccirc: '\\u0108',\n      ccirc: '\\u0109',\n      Cconint: '\\u2230',\n      ccups: '\\u2A4C',\n      ccupssm: '\\u2A50',\n      Cdot: '\\u010A',\n      cdot: '\\u010B',\n      cedil: '\\u00B8',\n      Cedilla: '\\u00B8',\n      cemptyv: '\\u29B2',\n      cent: '\\u00A2',\n      CenterDot: '\\u00B7',\n      centerdot: '\\u00B7',\n      Cfr: '\\u212D',\n      cfr: '\\uD835\\uDD20',\n      CHcy: '\\u0427',\n      chcy: '\\u0447',\n      check: '\\u2713',\n      checkmark: '\\u2713',\n      Chi: '\\u03A7',\n      chi: '\\u03C7',\n      cir: '\\u25CB',\n      circ: '\\u02C6',\n      circeq: '\\u2257',\n      circlearrowleft: '\\u21BA',\n      circlearrowright: '\\u21BB',\n      circledast: '\\u229B',\n      circledcirc: '\\u229A',\n      circleddash: '\\u229D',\n      CircleDot: '\\u2299',\n      circledR: '\\u00AE',\n      circledS: '\\u24C8',\n      CircleMinus: '\\u2296',\n      CirclePlus: '\\u2295',\n      CircleTimes: '\\u2297',\n      cirE: '\\u29C3',\n      cire: '\\u2257',\n      cirfnint: '\\u2A10',\n      cirmid: '\\u2AEF',\n      cirscir: '\\u29C2',\n      ClockwiseContourIntegral: '\\u2232',\n      CloseCurlyDoubleQuote: '\\u201D',\n      CloseCurlyQuote: '\\u2019',\n      clubs: '\\u2663',\n      clubsuit: '\\u2663',\n      Colon: '\\u2237',\n      colon: '\\u003A',\n      Colone: '\\u2A74',\n      colone: '\\u2254',\n      coloneq: '\\u2254',\n      comma: '\\u002C',\n      commat: '\\u0040',\n      comp: '\\u2201',\n      compfn: '\\u2218',\n      complement: '\\u2201',\n      complexes: '\\u2102',\n      cong: '\\u2245',\n      congdot: '\\u2A6D',\n      Congruent: '\\u2261',\n      Conint: '\\u222F',\n      conint: '\\u222E',\n      ContourIntegral: '\\u222E',\n      Copf: '\\u2102',\n      copf: '\\uD835\\uDD54',\n      coprod: '\\u2210',\n      Coproduct: '\\u2210',\n      COPY: '\\u00A9',\n      copy: '\\u00A9',\n      copysr: '\\u2117',\n      CounterClockwiseContourIntegral: '\\u2233',\n      crarr: '\\u21B5',\n      Cross: '\\u2A2F',\n      cross: '\\u2717',\n      Cscr: '\\uD835\\uDC9E',\n      cscr: '\\uD835\\uDCB8',\n      csub: '\\u2ACF',\n      csube: '\\u2AD1',\n      csup: '\\u2AD0',\n      csupe: '\\u2AD2',\n      ctdot: '\\u22EF',\n      cudarrl: '\\u2938',\n      cudarrr: '\\u2935',\n      cuepr: '\\u22DE',\n      cuesc: '\\u22DF',\n      cularr: '\\u21B6',\n      cularrp: '\\u293D',\n      Cup: '\\u22D3',\n      cup: '\\u222A',\n      cupbrcap: '\\u2A48',\n      CupCap: '\\u224D',\n      cupcap: '\\u2A46',\n      cupcup: '\\u2A4A',\n      cupdot: '\\u228D',\n      cupor: '\\u2A45',\n      cups: '\\u222A\\uFE00',\n      curarr: '\\u21B7',\n      curarrm: '\\u293C',\n      curlyeqprec: '\\u22DE',\n      curlyeqsucc: '\\u22DF',\n      curlyvee: '\\u22CE',\n      curlywedge: '\\u22CF',\n      curren: '\\u00A4',\n      curvearrowleft: '\\u21B6',\n      curvearrowright: '\\u21B7',\n      cuvee: '\\u22CE',\n      cuwed: '\\u22CF',\n      cwconint: '\\u2232',\n      cwint: '\\u2231',\n      cylcty: '\\u232D',\n      Dagger: '\\u2021',\n      dagger: '\\u2020',\n      daleth: '\\u2138',\n      Darr: '\\u21A1',\n      dArr: '\\u21D3',\n      darr: '\\u2193',\n      dash: '\\u2010',\n      Dashv: '\\u2AE4',\n      dashv: '\\u22A3',\n      dbkarow: '\\u290F',\n      dblac: '\\u02DD',\n      Dcaron: '\\u010E',\n      dcaron: '\\u010F',\n      Dcy: '\\u0414',\n      dcy: '\\u0434',\n      DD: '\\u2145',\n      dd: '\\u2146',\n      ddagger: '\\u2021',\n      ddarr: '\\u21CA',\n      DDotrahd: '\\u2911',\n      ddotseq: '\\u2A77',\n      deg: '\\u00B0',\n      Del: '\\u2207',\n      Delta: '\\u0394',\n      delta: '\\u03B4',\n      demptyv: '\\u29B1',\n      dfisht: '\\u297F',\n      Dfr: '\\uD835\\uDD07',\n      dfr: '\\uD835\\uDD21',\n      dHar: '\\u2965',\n      dharl: '\\u21C3',\n      dharr: '\\u21C2',\n      DiacriticalAcute: '\\u00B4',\n      DiacriticalDot: '\\u02D9',\n      DiacriticalDoubleAcute: '\\u02DD',\n      DiacriticalGrave: '\\u0060',\n      DiacriticalTilde: '\\u02DC',\n      diam: '\\u22C4',\n      Diamond: '\\u22C4',\n      diamond: '\\u22C4',\n      diamondsuit: '\\u2666',\n      diams: '\\u2666',\n      die: '\\u00A8',\n      DifferentialD: '\\u2146',\n      digamma: '\\u03DD',\n      disin: '\\u22F2',\n      div: '\\u00F7',\n      divide: '\\u00F7',\n      divideontimes: '\\u22C7',\n      divonx: '\\u22C7',\n      DJcy: '\\u0402',\n      djcy: '\\u0452',\n      dlcorn: '\\u231E',\n      dlcrop: '\\u230D',\n      dollar: '\\u0024',\n      Dopf: '\\uD835\\uDD3B',\n      dopf: '\\uD835\\uDD55',\n      Dot: '\\u00A8',\n      dot: '\\u02D9',\n      DotDot: '\\u20DC',\n      doteq: '\\u2250',\n      doteqdot: '\\u2251',\n      DotEqual: '\\u2250',\n      dotminus: '\\u2238',\n      dotplus: '\\u2214',\n      dotsquare: '\\u22A1',\n      doublebarwedge: '\\u2306',\n      DoubleContourIntegral: '\\u222F',\n      DoubleDot: '\\u00A8',\n      DoubleDownArrow: '\\u21D3',\n      DoubleLeftArrow: '\\u21D0',\n      DoubleLeftRightArrow: '\\u21D4',\n      DoubleLeftTee: '\\u2AE4',\n      DoubleLongLeftArrow: '\\u27F8',\n      DoubleLongLeftRightArrow: '\\u27FA',\n      DoubleLongRightArrow: '\\u27F9',\n      DoubleRightArrow: '\\u21D2',\n      DoubleRightTee: '\\u22A8',\n      DoubleUpArrow: '\\u21D1',\n      DoubleUpDownArrow: '\\u21D5',\n      DoubleVerticalBar: '\\u2225',\n      DownArrow: '\\u2193',\n      Downarrow: '\\u21D3',\n      downarrow: '\\u2193',\n      DownArrowBar: '\\u2913',\n      DownArrowUpArrow: '\\u21F5',\n      DownBreve: '\\u0311',\n      downdownarrows: '\\u21CA',\n      downharpoonleft: '\\u21C3',\n      downharpoonright: '\\u21C2',\n      DownLeftRightVector: '\\u2950',\n      DownLeftTeeVector: '\\u295E',\n      DownLeftVector: '\\u21BD',\n      DownLeftVectorBar: '\\u2956',\n      DownRightTeeVector: '\\u295F',\n      DownRightVector: '\\u21C1',\n      DownRightVectorBar: '\\u2957',\n      DownTee: '\\u22A4',\n      DownTeeArrow: '\\u21A7',\n      drbkarow: '\\u2910',\n      drcorn: '\\u231F',\n      drcrop: '\\u230C',\n      Dscr: '\\uD835\\uDC9F',\n      dscr: '\\uD835\\uDCB9',\n      DScy: '\\u0405',\n      dscy: '\\u0455',\n      dsol: '\\u29F6',\n      Dstrok: '\\u0110',\n      dstrok: '\\u0111',\n      dtdot: '\\u22F1',\n      dtri: '\\u25BF',\n      dtrif: '\\u25BE',\n      duarr: '\\u21F5',\n      duhar: '\\u296F',\n      dwangle: '\\u29A6',\n      DZcy: '\\u040F',\n      dzcy: '\\u045F',\n      dzigrarr: '\\u27FF',\n      Eacute: '\\u00C9',\n      eacute: '\\u00E9',\n      easter: '\\u2A6E',\n      Ecaron: '\\u011A',\n      ecaron: '\\u011B',\n      ecir: '\\u2256',\n      Ecirc: '\\u00CA',\n      ecirc: '\\u00EA',\n      ecolon: '\\u2255',\n      Ecy: '\\u042D',\n      ecy: '\\u044D',\n      eDDot: '\\u2A77',\n      Edot: '\\u0116',\n      eDot: '\\u2251',\n      edot: '\\u0117',\n      ee: '\\u2147',\n      efDot: '\\u2252',\n      Efr: '\\uD835\\uDD08',\n      efr: '\\uD835\\uDD22',\n      eg: '\\u2A9A',\n      Egrave: '\\u00C8',\n      egrave: '\\u00E8',\n      egs: '\\u2A96',\n      egsdot: '\\u2A98',\n      el: '\\u2A99',\n      Element: '\\u2208',\n      elinters: '\\u23E7',\n      ell: '\\u2113',\n      els: '\\u2A95',\n      elsdot: '\\u2A97',\n      Emacr: '\\u0112',\n      emacr: '\\u0113',\n      empty: '\\u2205',\n      emptyset: '\\u2205',\n      EmptySmallSquare: '\\u25FB',\n      emptyv: '\\u2205',\n      EmptyVerySmallSquare: '\\u25AB',\n      emsp: '\\u2003',\n      emsp13: '\\u2004',\n      emsp14: '\\u2005',\n      ENG: '\\u014A',\n      eng: '\\u014B',\n      ensp: '\\u2002',\n      Eogon: '\\u0118',\n      eogon: '\\u0119',\n      Eopf: '\\uD835\\uDD3C',\n      eopf: '\\uD835\\uDD56',\n      epar: '\\u22D5',\n      eparsl: '\\u29E3',\n      eplus: '\\u2A71',\n      epsi: '\\u03B5',\n      Epsilon: '\\u0395',\n      epsilon: '\\u03B5',\n      epsiv: '\\u03F5',\n      eqcirc: '\\u2256',\n      eqcolon: '\\u2255',\n      eqsim: '\\u2242',\n      eqslantgtr: '\\u2A96',\n      eqslantless: '\\u2A95',\n      Equal: '\\u2A75',\n      equals: '\\u003D',\n      EqualTilde: '\\u2242',\n      equest: '\\u225F',\n      Equilibrium: '\\u21CC',\n      equiv: '\\u2261',\n      equivDD: '\\u2A78',\n      eqvparsl: '\\u29E5',\n      erarr: '\\u2971',\n      erDot: '\\u2253',\n      Escr: '\\u2130',\n      escr: '\\u212F',\n      esdot: '\\u2250',\n      Esim: '\\u2A73',\n      esim: '\\u2242',\n      Eta: '\\u0397',\n      eta: '\\u03B7',\n      ETH: '\\u00D0',\n      eth: '\\u00F0',\n      Euml: '\\u00CB',\n      euml: '\\u00EB',\n      euro: '\\u20AC',\n      excl: '\\u0021',\n      exist: '\\u2203',\n      Exists: '\\u2203',\n      expectation: '\\u2130',\n      ExponentialE: '\\u2147',\n      exponentiale: '\\u2147',\n      fallingdotseq: '\\u2252',\n      Fcy: '\\u0424',\n      fcy: '\\u0444',\n      female: '\\u2640',\n      ffilig: '\\uFB03',\n      fflig: '\\uFB00',\n      ffllig: '\\uFB04',\n      Ffr: '\\uD835\\uDD09',\n      ffr: '\\uD835\\uDD23',\n      filig: '\\uFB01',\n      FilledSmallSquare: '\\u25FC',\n      FilledVerySmallSquare: '\\u25AA',\n      fjlig: '\\u0066\\u006A',\n      flat: '\\u266D',\n      fllig: '\\uFB02',\n      fltns: '\\u25B1',\n      fnof: '\\u0192',\n      Fopf: '\\uD835\\uDD3D',\n      fopf: '\\uD835\\uDD57',\n      ForAll: '\\u2200',\n      forall: '\\u2200',\n      fork: '\\u22D4',\n      forkv: '\\u2AD9',\n      Fouriertrf: '\\u2131',\n      fpartint: '\\u2A0D',\n      frac12: '\\u00BD',\n      frac13: '\\u2153',\n      frac14: '\\u00BC',\n      frac15: '\\u2155',\n      frac16: '\\u2159',\n      frac18: '\\u215B',\n      frac23: '\\u2154',\n      frac25: '\\u2156',\n      frac34: '\\u00BE',\n      frac35: '\\u2157',\n      frac38: '\\u215C',\n      frac45: '\\u2158',\n      frac56: '\\u215A',\n      frac58: '\\u215D',\n      frac78: '\\u215E',\n      frasl: '\\u2044',\n      frown: '\\u2322',\n      Fscr: '\\u2131',\n      fscr: '\\uD835\\uDCBB',\n      gacute: '\\u01F5',\n      Gamma: '\\u0393',\n      gamma: '\\u03B3',\n      Gammad: '\\u03DC',\n      gammad: '\\u03DD',\n      gap: '\\u2A86',\n      Gbreve: '\\u011E',\n      gbreve: '\\u011F',\n      Gcedil: '\\u0122',\n      Gcirc: '\\u011C',\n      gcirc: '\\u011D',\n      Gcy: '\\u0413',\n      gcy: '\\u0433',\n      Gdot: '\\u0120',\n      gdot: '\\u0121',\n      gE: '\\u2267',\n      ge: '\\u2265',\n      gEl: '\\u2A8C',\n      gel: '\\u22DB',\n      geq: '\\u2265',\n      geqq: '\\u2267',\n      geqslant: '\\u2A7E',\n      ges: '\\u2A7E',\n      gescc: '\\u2AA9',\n      gesdot: '\\u2A80',\n      gesdoto: '\\u2A82',\n      gesdotol: '\\u2A84',\n      gesl: '\\u22DB\\uFE00',\n      gesles: '\\u2A94',\n      Gfr: '\\uD835\\uDD0A',\n      gfr: '\\uD835\\uDD24',\n      Gg: '\\u22D9',\n      gg: '\\u226B',\n      ggg: '\\u22D9',\n      gimel: '\\u2137',\n      GJcy: '\\u0403',\n      gjcy: '\\u0453',\n      gl: '\\u2277',\n      gla: '\\u2AA5',\n      glE: '\\u2A92',\n      glj: '\\u2AA4',\n      gnap: '\\u2A8A',\n      gnapprox: '\\u2A8A',\n      gnE: '\\u2269',\n      gne: '\\u2A88',\n      gneq: '\\u2A88',\n      gneqq: '\\u2269',\n      gnsim: '\\u22E7',\n      Gopf: '\\uD835\\uDD3E',\n      gopf: '\\uD835\\uDD58',\n      grave: '\\u0060',\n      GreaterEqual: '\\u2265',\n      GreaterEqualLess: '\\u22DB',\n      GreaterFullEqual: '\\u2267',\n      GreaterGreater: '\\u2AA2',\n      GreaterLess: '\\u2277',\n      GreaterSlantEqual: '\\u2A7E',\n      GreaterTilde: '\\u2273',\n      Gscr: '\\uD835\\uDCA2',\n      gscr: '\\u210A',\n      gsim: '\\u2273',\n      gsime: '\\u2A8E',\n      gsiml: '\\u2A90',\n      Gt: '\\u226B',\n      GT: '\\u003E',\n      gt: '\\u003E',\n      gtcc: '\\u2AA7',\n      gtcir: '\\u2A7A',\n      gtdot: '\\u22D7',\n      gtlPar: '\\u2995',\n      gtquest: '\\u2A7C',\n      gtrapprox: '\\u2A86',\n      gtrarr: '\\u2978',\n      gtrdot: '\\u22D7',\n      gtreqless: '\\u22DB',\n      gtreqqless: '\\u2A8C',\n      gtrless: '\\u2277',\n      gtrsim: '\\u2273',\n      gvertneqq: '\\u2269\\uFE00',\n      gvnE: '\\u2269\\uFE00',\n      Hacek: '\\u02C7',\n      hairsp: '\\u200A',\n      half: '\\u00BD',\n      hamilt: '\\u210B',\n      HARDcy: '\\u042A',\n      hardcy: '\\u044A',\n      hArr: '\\u21D4',\n      harr: '\\u2194',\n      harrcir: '\\u2948',\n      harrw: '\\u21AD',\n      Hat: '\\u005E',\n      hbar: '\\u210F',\n      Hcirc: '\\u0124',\n      hcirc: '\\u0125',\n      hearts: '\\u2665',\n      heartsuit: '\\u2665',\n      hellip: '\\u2026',\n      hercon: '\\u22B9',\n      Hfr: '\\u210C',\n      hfr: '\\uD835\\uDD25',\n      HilbertSpace: '\\u210B',\n      hksearow: '\\u2925',\n      hkswarow: '\\u2926',\n      hoarr: '\\u21FF',\n      homtht: '\\u223B',\n      hookleftarrow: '\\u21A9',\n      hookrightarrow: '\\u21AA',\n      Hopf: '\\u210D',\n      hopf: '\\uD835\\uDD59',\n      horbar: '\\u2015',\n      HorizontalLine: '\\u2500',\n      Hscr: '\\u210B',\n      hscr: '\\uD835\\uDCBD',\n      hslash: '\\u210F',\n      Hstrok: '\\u0126',\n      hstrok: '\\u0127',\n      HumpDownHump: '\\u224E',\n      HumpEqual: '\\u224F',\n      hybull: '\\u2043',\n      hyphen: '\\u2010',\n      Iacute: '\\u00CD',\n      iacute: '\\u00ED',\n      ic: '\\u2063',\n      Icirc: '\\u00CE',\n      icirc: '\\u00EE',\n      Icy: '\\u0418',\n      icy: '\\u0438',\n      Idot: '\\u0130',\n      IEcy: '\\u0415',\n      iecy: '\\u0435',\n      iexcl: '\\u00A1',\n      iff: '\\u21D4',\n      Ifr: '\\u2111',\n      ifr: '\\uD835\\uDD26',\n      Igrave: '\\u00CC',\n      igrave: '\\u00EC',\n      ii: '\\u2148',\n      iiiint: '\\u2A0C',\n      iiint: '\\u222D',\n      iinfin: '\\u29DC',\n      iiota: '\\u2129',\n      IJlig: '\\u0132',\n      ijlig: '\\u0133',\n      Im: '\\u2111',\n      Imacr: '\\u012A',\n      imacr: '\\u012B',\n      image: '\\u2111',\n      ImaginaryI: '\\u2148',\n      imagline: '\\u2110',\n      imagpart: '\\u2111',\n      imath: '\\u0131',\n      imof: '\\u22B7',\n      imped: '\\u01B5',\n      Implies: '\\u21D2',\n      in: '\\u2208',\n      incare: '\\u2105',\n      infin: '\\u221E',\n      infintie: '\\u29DD',\n      inodot: '\\u0131',\n      Int: '\\u222C',\n      int: '\\u222B',\n      intcal: '\\u22BA',\n      integers: '\\u2124',\n      Integral: '\\u222B',\n      intercal: '\\u22BA',\n      Intersection: '\\u22C2',\n      intlarhk: '\\u2A17',\n      intprod: '\\u2A3C',\n      InvisibleComma: '\\u2063',\n      InvisibleTimes: '\\u2062',\n      IOcy: '\\u0401',\n      iocy: '\\u0451',\n      Iogon: '\\u012E',\n      iogon: '\\u012F',\n      Iopf: '\\uD835\\uDD40',\n      iopf: '\\uD835\\uDD5A',\n      Iota: '\\u0399',\n      iota: '\\u03B9',\n      iprod: '\\u2A3C',\n      iquest: '\\u00BF',\n      Iscr: '\\u2110',\n      iscr: '\\uD835\\uDCBE',\n      isin: '\\u2208',\n      isindot: '\\u22F5',\n      isinE: '\\u22F9',\n      isins: '\\u22F4',\n      isinsv: '\\u22F3',\n      isinv: '\\u2208',\n      it: '\\u2062',\n      Itilde: '\\u0128',\n      itilde: '\\u0129',\n      Iukcy: '\\u0406',\n      iukcy: '\\u0456',\n      Iuml: '\\u00CF',\n      iuml: '\\u00EF',\n      Jcirc: '\\u0134',\n      jcirc: '\\u0135',\n      Jcy: '\\u0419',\n      jcy: '\\u0439',\n      Jfr: '\\uD835\\uDD0D',\n      jfr: '\\uD835\\uDD27',\n      jmath: '\\u0237',\n      Jopf: '\\uD835\\uDD41',\n      jopf: '\\uD835\\uDD5B',\n      Jscr: '\\uD835\\uDCA5',\n      jscr: '\\uD835\\uDCBF',\n      Jsercy: '\\u0408',\n      jsercy: '\\u0458',\n      Jukcy: '\\u0404',\n      jukcy: '\\u0454',\n      Kappa: '\\u039A',\n      kappa: '\\u03BA',\n      kappav: '\\u03F0',\n      Kcedil: '\\u0136',\n      kcedil: '\\u0137',\n      Kcy: '\\u041A',\n      kcy: '\\u043A',\n      Kfr: '\\uD835\\uDD0E',\n      kfr: '\\uD835\\uDD28',\n      kgreen: '\\u0138',\n      KHcy: '\\u0425',\n      khcy: '\\u0445',\n      KJcy: '\\u040C',\n      kjcy: '\\u045C',\n      Kopf: '\\uD835\\uDD42',\n      kopf: '\\uD835\\uDD5C',\n      Kscr: '\\uD835\\uDCA6',\n      kscr: '\\uD835\\uDCC0',\n      lAarr: '\\u21DA',\n      Lacute: '\\u0139',\n      lacute: '\\u013A',\n      laemptyv: '\\u29B4',\n      lagran: '\\u2112',\n      Lambda: '\\u039B',\n      lambda: '\\u03BB',\n      Lang: '\\u27EA',\n      lang: '\\u27E8',\n      langd: '\\u2991',\n      langle: '\\u27E8',\n      lap: '\\u2A85',\n      Laplacetrf: '\\u2112',\n      laquo: '\\u00AB',\n      Larr: '\\u219E',\n      lArr: '\\u21D0',\n      larr: '\\u2190',\n      larrb: '\\u21E4',\n      larrbfs: '\\u291F',\n      larrfs: '\\u291D',\n      larrhk: '\\u21A9',\n      larrlp: '\\u21AB',\n      larrpl: '\\u2939',\n      larrsim: '\\u2973',\n      larrtl: '\\u21A2',\n      lat: '\\u2AAB',\n      lAtail: '\\u291B',\n      latail: '\\u2919',\n      late: '\\u2AAD',\n      lates: '\\u2AAD\\uFE00',\n      lBarr: '\\u290E',\n      lbarr: '\\u290C',\n      lbbrk: '\\u2772',\n      lbrace: '\\u007B',\n      lbrack: '\\u005B',\n      lbrke: '\\u298B',\n      lbrksld: '\\u298F',\n      lbrkslu: '\\u298D',\n      Lcaron: '\\u013D',\n      lcaron: '\\u013E',\n      Lcedil: '\\u013B',\n      lcedil: '\\u013C',\n      lceil: '\\u2308',\n      lcub: '\\u007B',\n      Lcy: '\\u041B',\n      lcy: '\\u043B',\n      ldca: '\\u2936',\n      ldquo: '\\u201C',\n      ldquor: '\\u201E',\n      ldrdhar: '\\u2967',\n      ldrushar: '\\u294B',\n      ldsh: '\\u21B2',\n      lE: '\\u2266',\n      le: '\\u2264',\n      LeftAngleBracket: '\\u27E8',\n      LeftArrow: '\\u2190',\n      Leftarrow: '\\u21D0',\n      leftarrow: '\\u2190',\n      LeftArrowBar: '\\u21E4',\n      LeftArrowRightArrow: '\\u21C6',\n      leftarrowtail: '\\u21A2',\n      LeftCeiling: '\\u2308',\n      LeftDoubleBracket: '\\u27E6',\n      LeftDownTeeVector: '\\u2961',\n      LeftDownVector: '\\u21C3',\n      LeftDownVectorBar: '\\u2959',\n      LeftFloor: '\\u230A',\n      leftharpoondown: '\\u21BD',\n      leftharpoonup: '\\u21BC',\n      leftleftarrows: '\\u21C7',\n      LeftRightArrow: '\\u2194',\n      Leftrightarrow: '\\u21D4',\n      leftrightarrow: '\\u2194',\n      leftrightarrows: '\\u21C6',\n      leftrightharpoons: '\\u21CB',\n      leftrightsquigarrow: '\\u21AD',\n      LeftRightVector: '\\u294E',\n      LeftTee: '\\u22A3',\n      LeftTeeArrow: '\\u21A4',\n      LeftTeeVector: '\\u295A',\n      leftthreetimes: '\\u22CB',\n      LeftTriangle: '\\u22B2',\n      LeftTriangleBar: '\\u29CF',\n      LeftTriangleEqual: '\\u22B4',\n      LeftUpDownVector: '\\u2951',\n      LeftUpTeeVector: '\\u2960',\n      LeftUpVector: '\\u21BF',\n      LeftUpVectorBar: '\\u2958',\n      LeftVector: '\\u21BC',\n      LeftVectorBar: '\\u2952',\n      lEg: '\\u2A8B',\n      leg: '\\u22DA',\n      leq: '\\u2264',\n      leqq: '\\u2266',\n      leqslant: '\\u2A7D',\n      les: '\\u2A7D',\n      lescc: '\\u2AA8',\n      lesdot: '\\u2A7F',\n      lesdoto: '\\u2A81',\n      lesdotor: '\\u2A83',\n      lesg: '\\u22DA\\uFE00',\n      lesges: '\\u2A93',\n      lessapprox: '\\u2A85',\n      lessdot: '\\u22D6',\n      lesseqgtr: '\\u22DA',\n      lesseqqgtr: '\\u2A8B',\n      LessEqualGreater: '\\u22DA',\n      LessFullEqual: '\\u2266',\n      LessGreater: '\\u2276',\n      lessgtr: '\\u2276',\n      LessLess: '\\u2AA1',\n      lesssim: '\\u2272',\n      LessSlantEqual: '\\u2A7D',\n      LessTilde: '\\u2272',\n      lfisht: '\\u297C',\n      lfloor: '\\u230A',\n      Lfr: '\\uD835\\uDD0F',\n      lfr: '\\uD835\\uDD29',\n      lg: '\\u2276',\n      lgE: '\\u2A91',\n      lHar: '\\u2962',\n      lhard: '\\u21BD',\n      lharu: '\\u21BC',\n      lharul: '\\u296A',\n      lhblk: '\\u2584',\n      LJcy: '\\u0409',\n      ljcy: '\\u0459',\n      Ll: '\\u22D8',\n      ll: '\\u226A',\n      llarr: '\\u21C7',\n      llcorner: '\\u231E',\n      Lleftarrow: '\\u21DA',\n      llhard: '\\u296B',\n      lltri: '\\u25FA',\n      Lmidot: '\\u013F',\n      lmidot: '\\u0140',\n      lmoust: '\\u23B0',\n      lmoustache: '\\u23B0',\n      lnap: '\\u2A89',\n      lnapprox: '\\u2A89',\n      lnE: '\\u2268',\n      lne: '\\u2A87',\n      lneq: '\\u2A87',\n      lneqq: '\\u2268',\n      lnsim: '\\u22E6',\n      loang: '\\u27EC',\n      loarr: '\\u21FD',\n      lobrk: '\\u27E6',\n      LongLeftArrow: '\\u27F5',\n      Longleftarrow: '\\u27F8',\n      longleftarrow: '\\u27F5',\n      LongLeftRightArrow: '\\u27F7',\n      Longleftrightarrow: '\\u27FA',\n      longleftrightarrow: '\\u27F7',\n      longmapsto: '\\u27FC',\n      LongRightArrow: '\\u27F6',\n      Longrightarrow: '\\u27F9',\n      longrightarrow: '\\u27F6',\n      looparrowleft: '\\u21AB',\n      looparrowright: '\\u21AC',\n      lopar: '\\u2985',\n      Lopf: '\\uD835\\uDD43',\n      lopf: '\\uD835\\uDD5D',\n      loplus: '\\u2A2D',\n      lotimes: '\\u2A34',\n      lowast: '\\u2217',\n      lowbar: '\\u005F',\n      LowerLeftArrow: '\\u2199',\n      LowerRightArrow: '\\u2198',\n      loz: '\\u25CA',\n      lozenge: '\\u25CA',\n      lozf: '\\u29EB',\n      lpar: '\\u0028',\n      lparlt: '\\u2993',\n      lrarr: '\\u21C6',\n      lrcorner: '\\u231F',\n      lrhar: '\\u21CB',\n      lrhard: '\\u296D',\n      lrm: '\\u200E',\n      lrtri: '\\u22BF',\n      lsaquo: '\\u2039',\n      Lscr: '\\u2112',\n      lscr: '\\uD835\\uDCC1',\n      Lsh: '\\u21B0',\n      lsh: '\\u21B0',\n      lsim: '\\u2272',\n      lsime: '\\u2A8D',\n      lsimg: '\\u2A8F',\n      lsqb: '\\u005B',\n      lsquo: '\\u2018',\n      lsquor: '\\u201A',\n      Lstrok: '\\u0141',\n      lstrok: '\\u0142',\n      Lt: '\\u226A',\n      LT: '\\u003C',\n      lt: '\\u003C',\n      ltcc: '\\u2AA6',\n      ltcir: '\\u2A79',\n      ltdot: '\\u22D6',\n      lthree: '\\u22CB',\n      ltimes: '\\u22C9',\n      ltlarr: '\\u2976',\n      ltquest: '\\u2A7B',\n      ltri: '\\u25C3',\n      ltrie: '\\u22B4',\n      ltrif: '\\u25C2',\n      ltrPar: '\\u2996',\n      lurdshar: '\\u294A',\n      luruhar: '\\u2966',\n      lvertneqq: '\\u2268\\uFE00',\n      lvnE: '\\u2268\\uFE00',\n      macr: '\\u00AF',\n      male: '\\u2642',\n      malt: '\\u2720',\n      maltese: '\\u2720',\n      Map: '\\u2905',\n      map: '\\u21A6',\n      mapsto: '\\u21A6',\n      mapstodown: '\\u21A7',\n      mapstoleft: '\\u21A4',\n      mapstoup: '\\u21A5',\n      marker: '\\u25AE',\n      mcomma: '\\u2A29',\n      Mcy: '\\u041C',\n      mcy: '\\u043C',\n      mdash: '\\u2014',\n      mDDot: '\\u223A',\n      measuredangle: '\\u2221',\n      MediumSpace: '\\u205F',\n      Mellintrf: '\\u2133',\n      Mfr: '\\uD835\\uDD10',\n      mfr: '\\uD835\\uDD2A',\n      mho: '\\u2127',\n      micro: '\\u00B5',\n      mid: '\\u2223',\n      midast: '\\u002A',\n      midcir: '\\u2AF0',\n      middot: '\\u00B7',\n      minus: '\\u2212',\n      minusb: '\\u229F',\n      minusd: '\\u2238',\n      minusdu: '\\u2A2A',\n      MinusPlus: '\\u2213',\n      mlcp: '\\u2ADB',\n      mldr: '\\u2026',\n      mnplus: '\\u2213',\n      models: '\\u22A7',\n      Mopf: '\\uD835\\uDD44',\n      mopf: '\\uD835\\uDD5E',\n      mp: '\\u2213',\n      Mscr: '\\u2133',\n      mscr: '\\uD835\\uDCC2',\n      mstpos: '\\u223E',\n      Mu: '\\u039C',\n      mu: '\\u03BC',\n      multimap: '\\u22B8',\n      mumap: '\\u22B8',\n      nabla: '\\u2207',\n      Nacute: '\\u0143',\n      nacute: '\\u0144',\n      nang: '\\u2220\\u20D2',\n      nap: '\\u2249',\n      napE: '\\u2A70\\u0338',\n      napid: '\\u224B\\u0338',\n      napos: '\\u0149',\n      napprox: '\\u2249',\n      natur: '\\u266E',\n      natural: '\\u266E',\n      naturals: '\\u2115',\n      nbsp: '\\u00A0',\n      nbump: '\\u224E\\u0338',\n      nbumpe: '\\u224F\\u0338',\n      ncap: '\\u2A43',\n      Ncaron: '\\u0147',\n      ncaron: '\\u0148',\n      Ncedil: '\\u0145',\n      ncedil: '\\u0146',\n      ncong: '\\u2247',\n      ncongdot: '\\u2A6D\\u0338',\n      ncup: '\\u2A42',\n      Ncy: '\\u041D',\n      ncy: '\\u043D',\n      ndash: '\\u2013',\n      ne: '\\u2260',\n      nearhk: '\\u2924',\n      neArr: '\\u21D7',\n      nearr: '\\u2197',\n      nearrow: '\\u2197',\n      nedot: '\\u2250\\u0338',\n      NegativeMediumSpace: '\\u200B',\n      NegativeThickSpace: '\\u200B',\n      NegativeThinSpace: '\\u200B',\n      NegativeVeryThinSpace: '\\u200B',\n      nequiv: '\\u2262',\n      nesear: '\\u2928',\n      nesim: '\\u2242\\u0338',\n      NestedGreaterGreater: '\\u226B',\n      NestedLessLess: '\\u226A',\n      NewLine: '\\u000A',\n      nexist: '\\u2204',\n      nexists: '\\u2204',\n      Nfr: '\\uD835\\uDD11',\n      nfr: '\\uD835\\uDD2B',\n      ngE: '\\u2267\\u0338',\n      nge: '\\u2271',\n      ngeq: '\\u2271',\n      ngeqq: '\\u2267\\u0338',\n      ngeqslant: '\\u2A7E\\u0338',\n      nges: '\\u2A7E\\u0338',\n      nGg: '\\u22D9\\u0338',\n      ngsim: '\\u2275',\n      nGt: '\\u226B\\u20D2',\n      ngt: '\\u226F',\n      ngtr: '\\u226F',\n      nGtv: '\\u226B\\u0338',\n      nhArr: '\\u21CE',\n      nharr: '\\u21AE',\n      nhpar: '\\u2AF2',\n      ni: '\\u220B',\n      nis: '\\u22FC',\n      nisd: '\\u22FA',\n      niv: '\\u220B',\n      NJcy: '\\u040A',\n      njcy: '\\u045A',\n      nlArr: '\\u21CD',\n      nlarr: '\\u219A',\n      nldr: '\\u2025',\n      nlE: '\\u2266\\u0338',\n      nle: '\\u2270',\n      nLeftarrow: '\\u21CD',\n      nleftarrow: '\\u219A',\n      nLeftrightarrow: '\\u21CE',\n      nleftrightarrow: '\\u21AE',\n      nleq: '\\u2270',\n      nleqq: '\\u2266\\u0338',\n      nleqslant: '\\u2A7D\\u0338',\n      nles: '\\u2A7D\\u0338',\n      nless: '\\u226E',\n      nLl: '\\u22D8\\u0338',\n      nlsim: '\\u2274',\n      nLt: '\\u226A\\u20D2',\n      nlt: '\\u226E',\n      nltri: '\\u22EA',\n      nltrie: '\\u22EC',\n      nLtv: '\\u226A\\u0338',\n      nmid: '\\u2224',\n      NoBreak: '\\u2060',\n      NonBreakingSpace: '\\u00A0',\n      Nopf: '\\u2115',\n      nopf: '\\uD835\\uDD5F',\n      Not: '\\u2AEC',\n      not: '\\u00AC',\n      NotCongruent: '\\u2262',\n      NotCupCap: '\\u226D',\n      NotDoubleVerticalBar: '\\u2226',\n      NotElement: '\\u2209',\n      NotEqual: '\\u2260',\n      NotEqualTilde: '\\u2242\\u0338',\n      NotExists: '\\u2204',\n      NotGreater: '\\u226F',\n      NotGreaterEqual: '\\u2271',\n      NotGreaterFullEqual: '\\u2267\\u0338',\n      NotGreaterGreater: '\\u226B\\u0338',\n      NotGreaterLess: '\\u2279',\n      NotGreaterSlantEqual: '\\u2A7E\\u0338',\n      NotGreaterTilde: '\\u2275',\n      NotHumpDownHump: '\\u224E\\u0338',\n      NotHumpEqual: '\\u224F\\u0338',\n      notin: '\\u2209',\n      notindot: '\\u22F5\\u0338',\n      notinE: '\\u22F9\\u0338',\n      notinva: '\\u2209',\n      notinvb: '\\u22F7',\n      notinvc: '\\u22F6',\n      NotLeftTriangle: '\\u22EA',\n      NotLeftTriangleBar: '\\u29CF\\u0338',\n      NotLeftTriangleEqual: '\\u22EC',\n      NotLess: '\\u226E',\n      NotLessEqual: '\\u2270',\n      NotLessGreater: '\\u2278',\n      NotLessLess: '\\u226A\\u0338',\n      NotLessSlantEqual: '\\u2A7D\\u0338',\n      NotLessTilde: '\\u2274',\n      NotNestedGreaterGreater: '\\u2AA2\\u0338',\n      NotNestedLessLess: '\\u2AA1\\u0338',\n      notni: '\\u220C',\n      notniva: '\\u220C',\n      notnivb: '\\u22FE',\n      notnivc: '\\u22FD',\n      NotPrecedes: '\\u2280',\n      NotPrecedesEqual: '\\u2AAF\\u0338',\n      NotPrecedesSlantEqual: '\\u22E0',\n      NotReverseElement: '\\u220C',\n      NotRightTriangle: '\\u22EB',\n      NotRightTriangleBar: '\\u29D0\\u0338',\n      NotRightTriangleEqual: '\\u22ED',\n      NotSquareSubset: '\\u228F\\u0338',\n      NotSquareSubsetEqual: '\\u22E2',\n      NotSquareSuperset: '\\u2290\\u0338',\n      NotSquareSupersetEqual: '\\u22E3',\n      NotSubset: '\\u2282\\u20D2',\n      NotSubsetEqual: '\\u2288',\n      NotSucceeds: '\\u2281',\n      NotSucceedsEqual: '\\u2AB0\\u0338',\n      NotSucceedsSlantEqual: '\\u22E1',\n      NotSucceedsTilde: '\\u227F\\u0338',\n      NotSuperset: '\\u2283\\u20D2',\n      NotSupersetEqual: '\\u2289',\n      NotTilde: '\\u2241',\n      NotTildeEqual: '\\u2244',\n      NotTildeFullEqual: '\\u2247',\n      NotTildeTilde: '\\u2249',\n      NotVerticalBar: '\\u2224',\n      npar: '\\u2226',\n      nparallel: '\\u2226',\n      nparsl: '\\u2AFD\\u20E5',\n      npart: '\\u2202\\u0338',\n      npolint: '\\u2A14',\n      npr: '\\u2280',\n      nprcue: '\\u22E0',\n      npre: '\\u2AAF\\u0338',\n      nprec: '\\u2280',\n      npreceq: '\\u2AAF\\u0338',\n      nrArr: '\\u21CF',\n      nrarr: '\\u219B',\n      nrarrc: '\\u2933\\u0338',\n      nrarrw: '\\u219D\\u0338',\n      nRightarrow: '\\u21CF',\n      nrightarrow: '\\u219B',\n      nrtri: '\\u22EB',\n      nrtrie: '\\u22ED',\n      nsc: '\\u2281',\n      nsccue: '\\u22E1',\n      nsce: '\\u2AB0\\u0338',\n      Nscr: '\\uD835\\uDCA9',\n      nscr: '\\uD835\\uDCC3',\n      nshortmid: '\\u2224',\n      nshortparallel: '\\u2226',\n      nsim: '\\u2241',\n      nsime: '\\u2244',\n      nsimeq: '\\u2244',\n      nsmid: '\\u2224',\n      nspar: '\\u2226',\n      nsqsube: '\\u22E2',\n      nsqsupe: '\\u22E3',\n      nsub: '\\u2284',\n      nsubE: '\\u2AC5\\u0338',\n      nsube: '\\u2288',\n      nsubset: '\\u2282\\u20D2',\n      nsubseteq: '\\u2288',\n      nsubseteqq: '\\u2AC5\\u0338',\n      nsucc: '\\u2281',\n      nsucceq: '\\u2AB0\\u0338',\n      nsup: '\\u2285',\n      nsupE: '\\u2AC6\\u0338',\n      nsupe: '\\u2289',\n      nsupset: '\\u2283\\u20D2',\n      nsupseteq: '\\u2289',\n      nsupseteqq: '\\u2AC6\\u0338',\n      ntgl: '\\u2279',\n      Ntilde: '\\u00D1',\n      ntilde: '\\u00F1',\n      ntlg: '\\u2278',\n      ntriangleleft: '\\u22EA',\n      ntrianglelefteq: '\\u22EC',\n      ntriangleright: '\\u22EB',\n      ntrianglerighteq: '\\u22ED',\n      Nu: '\\u039D',\n      nu: '\\u03BD',\n      num: '\\u0023',\n      numero: '\\u2116',\n      numsp: '\\u2007',\n      nvap: '\\u224D\\u20D2',\n      nVDash: '\\u22AF',\n      nVdash: '\\u22AE',\n      nvDash: '\\u22AD',\n      nvdash: '\\u22AC',\n      nvge: '\\u2265\\u20D2',\n      nvgt: '\\u003E\\u20D2',\n      nvHarr: '\\u2904',\n      nvinfin: '\\u29DE',\n      nvlArr: '\\u2902',\n      nvle: '\\u2264\\u20D2',\n      nvlt: '\\u003C\\u20D2',\n      nvltrie: '\\u22B4\\u20D2',\n      nvrArr: '\\u2903',\n      nvrtrie: '\\u22B5\\u20D2',\n      nvsim: '\\u223C\\u20D2',\n      nwarhk: '\\u2923',\n      nwArr: '\\u21D6',\n      nwarr: '\\u2196',\n      nwarrow: '\\u2196',\n      nwnear: '\\u2927',\n      Oacute: '\\u00D3',\n      oacute: '\\u00F3',\n      oast: '\\u229B',\n      ocir: '\\u229A',\n      Ocirc: '\\u00D4',\n      ocirc: '\\u00F4',\n      Ocy: '\\u041E',\n      ocy: '\\u043E',\n      odash: '\\u229D',\n      Odblac: '\\u0150',\n      odblac: '\\u0151',\n      odiv: '\\u2A38',\n      odot: '\\u2299',\n      odsold: '\\u29BC',\n      OElig: '\\u0152',\n      oelig: '\\u0153',\n      ofcir: '\\u29BF',\n      Ofr: '\\uD835\\uDD12',\n      ofr: '\\uD835\\uDD2C',\n      ogon: '\\u02DB',\n      Ograve: '\\u00D2',\n      ograve: '\\u00F2',\n      ogt: '\\u29C1',\n      ohbar: '\\u29B5',\n      ohm: '\\u03A9',\n      oint: '\\u222E',\n      olarr: '\\u21BA',\n      olcir: '\\u29BE',\n      olcross: '\\u29BB',\n      oline: '\\u203E',\n      olt: '\\u29C0',\n      Omacr: '\\u014C',\n      omacr: '\\u014D',\n      Omega: '\\u03A9',\n      omega: '\\u03C9',\n      Omicron: '\\u039F',\n      omicron: '\\u03BF',\n      omid: '\\u29B6',\n      ominus: '\\u2296',\n      Oopf: '\\uD835\\uDD46',\n      oopf: '\\uD835\\uDD60',\n      opar: '\\u29B7',\n      OpenCurlyDoubleQuote: '\\u201C',\n      OpenCurlyQuote: '\\u2018',\n      operp: '\\u29B9',\n      oplus: '\\u2295',\n      Or: '\\u2A54',\n      or: '\\u2228',\n      orarr: '\\u21BB',\n      ord: '\\u2A5D',\n      order: '\\u2134',\n      orderof: '\\u2134',\n      ordf: '\\u00AA',\n      ordm: '\\u00BA',\n      origof: '\\u22B6',\n      oror: '\\u2A56',\n      orslope: '\\u2A57',\n      orv: '\\u2A5B',\n      oS: '\\u24C8',\n      Oscr: '\\uD835\\uDCAA',\n      oscr: '\\u2134',\n      Oslash: '\\u00D8',\n      oslash: '\\u00F8',\n      osol: '\\u2298',\n      Otilde: '\\u00D5',\n      otilde: '\\u00F5',\n      Otimes: '\\u2A37',\n      otimes: '\\u2297',\n      otimesas: '\\u2A36',\n      Ouml: '\\u00D6',\n      ouml: '\\u00F6',\n      ovbar: '\\u233D',\n      OverBar: '\\u203E',\n      OverBrace: '\\u23DE',\n      OverBracket: '\\u23B4',\n      OverParenthesis: '\\u23DC',\n      par: '\\u2225',\n      para: '\\u00B6',\n      parallel: '\\u2225',\n      parsim: '\\u2AF3',\n      parsl: '\\u2AFD',\n      part: '\\u2202',\n      PartialD: '\\u2202',\n      Pcy: '\\u041F',\n      pcy: '\\u043F',\n      percnt: '\\u0025',\n      period: '\\u002E',\n      permil: '\\u2030',\n      perp: '\\u22A5',\n      pertenk: '\\u2031',\n      Pfr: '\\uD835\\uDD13',\n      pfr: '\\uD835\\uDD2D',\n      Phi: '\\u03A6',\n      phi: '\\u03C6',\n      phiv: '\\u03D5',\n      phmmat: '\\u2133',\n      phone: '\\u260E',\n      Pi: '\\u03A0',\n      pi: '\\u03C0',\n      pitchfork: '\\u22D4',\n      piv: '\\u03D6',\n      planck: '\\u210F',\n      planckh: '\\u210E',\n      plankv: '\\u210F',\n      plus: '\\u002B',\n      plusacir: '\\u2A23',\n      plusb: '\\u229E',\n      pluscir: '\\u2A22',\n      plusdo: '\\u2214',\n      plusdu: '\\u2A25',\n      pluse: '\\u2A72',\n      PlusMinus: '\\u00B1',\n      plusmn: '\\u00B1',\n      plussim: '\\u2A26',\n      plustwo: '\\u2A27',\n      pm: '\\u00B1',\n      Poincareplane: '\\u210C',\n      pointint: '\\u2A15',\n      Popf: '\\u2119',\n      popf: '\\uD835\\uDD61',\n      pound: '\\u00A3',\n      Pr: '\\u2ABB',\n      pr: '\\u227A',\n      prap: '\\u2AB7',\n      prcue: '\\u227C',\n      prE: '\\u2AB3',\n      pre: '\\u2AAF',\n      prec: '\\u227A',\n      precapprox: '\\u2AB7',\n      preccurlyeq: '\\u227C',\n      Precedes: '\\u227A',\n      PrecedesEqual: '\\u2AAF',\n      PrecedesSlantEqual: '\\u227C',\n      PrecedesTilde: '\\u227E',\n      preceq: '\\u2AAF',\n      precnapprox: '\\u2AB9',\n      precneqq: '\\u2AB5',\n      precnsim: '\\u22E8',\n      precsim: '\\u227E',\n      Prime: '\\u2033',\n      prime: '\\u2032',\n      primes: '\\u2119',\n      prnap: '\\u2AB9',\n      prnE: '\\u2AB5',\n      prnsim: '\\u22E8',\n      prod: '\\u220F',\n      Product: '\\u220F',\n      profalar: '\\u232E',\n      profline: '\\u2312',\n      profsurf: '\\u2313',\n      prop: '\\u221D',\n      Proportion: '\\u2237',\n      Proportional: '\\u221D',\n      propto: '\\u221D',\n      prsim: '\\u227E',\n      prurel: '\\u22B0',\n      Pscr: '\\uD835\\uDCAB',\n      pscr: '\\uD835\\uDCC5',\n      Psi: '\\u03A8',\n      psi: '\\u03C8',\n      puncsp: '\\u2008',\n      Qfr: '\\uD835\\uDD14',\n      qfr: '\\uD835\\uDD2E',\n      qint: '\\u2A0C',\n      Qopf: '\\u211A',\n      qopf: '\\uD835\\uDD62',\n      qprime: '\\u2057',\n      Qscr: '\\uD835\\uDCAC',\n      qscr: '\\uD835\\uDCC6',\n      quaternions: '\\u210D',\n      quatint: '\\u2A16',\n      quest: '\\u003F',\n      questeq: '\\u225F',\n      QUOT: '\\u0022',\n      quot: '\\u0022',\n      rAarr: '\\u21DB',\n      race: '\\u223D\\u0331',\n      Racute: '\\u0154',\n      racute: '\\u0155',\n      radic: '\\u221A',\n      raemptyv: '\\u29B3',\n      Rang: '\\u27EB',\n      rang: '\\u27E9',\n      rangd: '\\u2992',\n      range: '\\u29A5',\n      rangle: '\\u27E9',\n      raquo: '\\u00BB',\n      Rarr: '\\u21A0',\n      rArr: '\\u21D2',\n      rarr: '\\u2192',\n      rarrap: '\\u2975',\n      rarrb: '\\u21E5',\n      rarrbfs: '\\u2920',\n      rarrc: '\\u2933',\n      rarrfs: '\\u291E',\n      rarrhk: '\\u21AA',\n      rarrlp: '\\u21AC',\n      rarrpl: '\\u2945',\n      rarrsim: '\\u2974',\n      Rarrtl: '\\u2916',\n      rarrtl: '\\u21A3',\n      rarrw: '\\u219D',\n      rAtail: '\\u291C',\n      ratail: '\\u291A',\n      ratio: '\\u2236',\n      rationals: '\\u211A',\n      RBarr: '\\u2910',\n      rBarr: '\\u290F',\n      rbarr: '\\u290D',\n      rbbrk: '\\u2773',\n      rbrace: '\\u007D',\n      rbrack: '\\u005D',\n      rbrke: '\\u298C',\n      rbrksld: '\\u298E',\n      rbrkslu: '\\u2990',\n      Rcaron: '\\u0158',\n      rcaron: '\\u0159',\n      Rcedil: '\\u0156',\n      rcedil: '\\u0157',\n      rceil: '\\u2309',\n      rcub: '\\u007D',\n      Rcy: '\\u0420',\n      rcy: '\\u0440',\n      rdca: '\\u2937',\n      rdldhar: '\\u2969',\n      rdquo: '\\u201D',\n      rdquor: '\\u201D',\n      rdsh: '\\u21B3',\n      Re: '\\u211C',\n      real: '\\u211C',\n      realine: '\\u211B',\n      realpart: '\\u211C',\n      reals: '\\u211D',\n      rect: '\\u25AD',\n      REG: '\\u00AE',\n      reg: '\\u00AE',\n      ReverseElement: '\\u220B',\n      ReverseEquilibrium: '\\u21CB',\n      ReverseUpEquilibrium: '\\u296F',\n      rfisht: '\\u297D',\n      rfloor: '\\u230B',\n      Rfr: '\\u211C',\n      rfr: '\\uD835\\uDD2F',\n      rHar: '\\u2964',\n      rhard: '\\u21C1',\n      rharu: '\\u21C0',\n      rharul: '\\u296C',\n      Rho: '\\u03A1',\n      rho: '\\u03C1',\n      rhov: '\\u03F1',\n      RightAngleBracket: '\\u27E9',\n      RightArrow: '\\u2192',\n      Rightarrow: '\\u21D2',\n      rightarrow: '\\u2192',\n      RightArrowBar: '\\u21E5',\n      RightArrowLeftArrow: '\\u21C4',\n      rightarrowtail: '\\u21A3',\n      RightCeiling: '\\u2309',\n      RightDoubleBracket: '\\u27E7',\n      RightDownTeeVector: '\\u295D',\n      RightDownVector: '\\u21C2',\n      RightDownVectorBar: '\\u2955',\n      RightFloor: '\\u230B',\n      rightharpoondown: '\\u21C1',\n      rightharpoonup: '\\u21C0',\n      rightleftarrows: '\\u21C4',\n      rightleftharpoons: '\\u21CC',\n      rightrightarrows: '\\u21C9',\n      rightsquigarrow: '\\u219D',\n      RightTee: '\\u22A2',\n      RightTeeArrow: '\\u21A6',\n      RightTeeVector: '\\u295B',\n      rightthreetimes: '\\u22CC',\n      RightTriangle: '\\u22B3',\n      RightTriangleBar: '\\u29D0',\n      RightTriangleEqual: '\\u22B5',\n      RightUpDownVector: '\\u294F',\n      RightUpTeeVector: '\\u295C',\n      RightUpVector: '\\u21BE',\n      RightUpVectorBar: '\\u2954',\n      RightVector: '\\u21C0',\n      RightVectorBar: '\\u2953',\n      ring: '\\u02DA',\n      risingdotseq: '\\u2253',\n      rlarr: '\\u21C4',\n      rlhar: '\\u21CC',\n      rlm: '\\u200F',\n      rmoust: '\\u23B1',\n      rmoustache: '\\u23B1',\n      rnmid: '\\u2AEE',\n      roang: '\\u27ED',\n      roarr: '\\u21FE',\n      robrk: '\\u27E7',\n      ropar: '\\u2986',\n      Ropf: '\\u211D',\n      ropf: '\\uD835\\uDD63',\n      roplus: '\\u2A2E',\n      rotimes: '\\u2A35',\n      RoundImplies: '\\u2970',\n      rpar: '\\u0029',\n      rpargt: '\\u2994',\n      rppolint: '\\u2A12',\n      rrarr: '\\u21C9',\n      Rrightarrow: '\\u21DB',\n      rsaquo: '\\u203A',\n      Rscr: '\\u211B',\n      rscr: '\\uD835\\uDCC7',\n      Rsh: '\\u21B1',\n      rsh: '\\u21B1',\n      rsqb: '\\u005D',\n      rsquo: '\\u2019',\n      rsquor: '\\u2019',\n      rthree: '\\u22CC',\n      rtimes: '\\u22CA',\n      rtri: '\\u25B9',\n      rtrie: '\\u22B5',\n      rtrif: '\\u25B8',\n      rtriltri: '\\u29CE',\n      RuleDelayed: '\\u29F4',\n      ruluhar: '\\u2968',\n      rx: '\\u211E',\n      Sacute: '\\u015A',\n      sacute: '\\u015B',\n      sbquo: '\\u201A',\n      Sc: '\\u2ABC',\n      sc: '\\u227B',\n      scap: '\\u2AB8',\n      Scaron: '\\u0160',\n      scaron: '\\u0161',\n      sccue: '\\u227D',\n      scE: '\\u2AB4',\n      sce: '\\u2AB0',\n      Scedil: '\\u015E',\n      scedil: '\\u015F',\n      Scirc: '\\u015C',\n      scirc: '\\u015D',\n      scnap: '\\u2ABA',\n      scnE: '\\u2AB6',\n      scnsim: '\\u22E9',\n      scpolint: '\\u2A13',\n      scsim: '\\u227F',\n      Scy: '\\u0421',\n      scy: '\\u0441',\n      sdot: '\\u22C5',\n      sdotb: '\\u22A1',\n      sdote: '\\u2A66',\n      searhk: '\\u2925',\n      seArr: '\\u21D8',\n      searr: '\\u2198',\n      searrow: '\\u2198',\n      sect: '\\u00A7',\n      semi: '\\u003B',\n      seswar: '\\u2929',\n      setminus: '\\u2216',\n      setmn: '\\u2216',\n      sext: '\\u2736',\n      Sfr: '\\uD835\\uDD16',\n      sfr: '\\uD835\\uDD30',\n      sfrown: '\\u2322',\n      sharp: '\\u266F',\n      SHCHcy: '\\u0429',\n      shchcy: '\\u0449',\n      SHcy: '\\u0428',\n      shcy: '\\u0448',\n      ShortDownArrow: '\\u2193',\n      ShortLeftArrow: '\\u2190',\n      shortmid: '\\u2223',\n      shortparallel: '\\u2225',\n      ShortRightArrow: '\\u2192',\n      ShortUpArrow: '\\u2191',\n      shy: '\\u00AD',\n      Sigma: '\\u03A3',\n      sigma: '\\u03C3',\n      sigmaf: '\\u03C2',\n      sigmav: '\\u03C2',\n      sim: '\\u223C',\n      simdot: '\\u2A6A',\n      sime: '\\u2243',\n      simeq: '\\u2243',\n      simg: '\\u2A9E',\n      simgE: '\\u2AA0',\n      siml: '\\u2A9D',\n      simlE: '\\u2A9F',\n      simne: '\\u2246',\n      simplus: '\\u2A24',\n      simrarr: '\\u2972',\n      slarr: '\\u2190',\n      SmallCircle: '\\u2218',\n      smallsetminus: '\\u2216',\n      smashp: '\\u2A33',\n      smeparsl: '\\u29E4',\n      smid: '\\u2223',\n      smile: '\\u2323',\n      smt: '\\u2AAA',\n      smte: '\\u2AAC',\n      smtes: '\\u2AAC\\uFE00',\n      SOFTcy: '\\u042C',\n      softcy: '\\u044C',\n      sol: '\\u002F',\n      solb: '\\u29C4',\n      solbar: '\\u233F',\n      Sopf: '\\uD835\\uDD4A',\n      sopf: '\\uD835\\uDD64',\n      spades: '\\u2660',\n      spadesuit: '\\u2660',\n      spar: '\\u2225',\n      sqcap: '\\u2293',\n      sqcaps: '\\u2293\\uFE00',\n      sqcup: '\\u2294',\n      sqcups: '\\u2294\\uFE00',\n      Sqrt: '\\u221A',\n      sqsub: '\\u228F',\n      sqsube: '\\u2291',\n      sqsubset: '\\u228F',\n      sqsubseteq: '\\u2291',\n      sqsup: '\\u2290',\n      sqsupe: '\\u2292',\n      sqsupset: '\\u2290',\n      sqsupseteq: '\\u2292',\n      squ: '\\u25A1',\n      Square: '\\u25A1',\n      square: '\\u25A1',\n      SquareIntersection: '\\u2293',\n      SquareSubset: '\\u228F',\n      SquareSubsetEqual: '\\u2291',\n      SquareSuperset: '\\u2290',\n      SquareSupersetEqual: '\\u2292',\n      SquareUnion: '\\u2294',\n      squarf: '\\u25AA',\n      squf: '\\u25AA',\n      srarr: '\\u2192',\n      Sscr: '\\uD835\\uDCAE',\n      sscr: '\\uD835\\uDCC8',\n      ssetmn: '\\u2216',\n      ssmile: '\\u2323',\n      sstarf: '\\u22C6',\n      Star: '\\u22C6',\n      star: '\\u2606',\n      starf: '\\u2605',\n      straightepsilon: '\\u03F5',\n      straightphi: '\\u03D5',\n      strns: '\\u00AF',\n      Sub: '\\u22D0',\n      sub: '\\u2282',\n      subdot: '\\u2ABD',\n      subE: '\\u2AC5',\n      sube: '\\u2286',\n      subedot: '\\u2AC3',\n      submult: '\\u2AC1',\n      subnE: '\\u2ACB',\n      subne: '\\u228A',\n      subplus: '\\u2ABF',\n      subrarr: '\\u2979',\n      Subset: '\\u22D0',\n      subset: '\\u2282',\n      subseteq: '\\u2286',\n      subseteqq: '\\u2AC5',\n      SubsetEqual: '\\u2286',\n      subsetneq: '\\u228A',\n      subsetneqq: '\\u2ACB',\n      subsim: '\\u2AC7',\n      subsub: '\\u2AD5',\n      subsup: '\\u2AD3',\n      succ: '\\u227B',\n      succapprox: '\\u2AB8',\n      succcurlyeq: '\\u227D',\n      Succeeds: '\\u227B',\n      SucceedsEqual: '\\u2AB0',\n      SucceedsSlantEqual: '\\u227D',\n      SucceedsTilde: '\\u227F',\n      succeq: '\\u2AB0',\n      succnapprox: '\\u2ABA',\n      succneqq: '\\u2AB6',\n      succnsim: '\\u22E9',\n      succsim: '\\u227F',\n      SuchThat: '\\u220B',\n      Sum: '\\u2211',\n      sum: '\\u2211',\n      sung: '\\u266A',\n      Sup: '\\u22D1',\n      sup: '\\u2283',\n      sup1: '\\u00B9',\n      sup2: '\\u00B2',\n      sup3: '\\u00B3',\n      supdot: '\\u2ABE',\n      supdsub: '\\u2AD8',\n      supE: '\\u2AC6',\n      supe: '\\u2287',\n      supedot: '\\u2AC4',\n      Superset: '\\u2283',\n      SupersetEqual: '\\u2287',\n      suphsol: '\\u27C9',\n      suphsub: '\\u2AD7',\n      suplarr: '\\u297B',\n      supmult: '\\u2AC2',\n      supnE: '\\u2ACC',\n      supne: '\\u228B',\n      supplus: '\\u2AC0',\n      Supset: '\\u22D1',\n      supset: '\\u2283',\n      supseteq: '\\u2287',\n      supseteqq: '\\u2AC6',\n      supsetneq: '\\u228B',\n      supsetneqq: '\\u2ACC',\n      supsim: '\\u2AC8',\n      supsub: '\\u2AD4',\n      supsup: '\\u2AD6',\n      swarhk: '\\u2926',\n      swArr: '\\u21D9',\n      swarr: '\\u2199',\n      swarrow: '\\u2199',\n      swnwar: '\\u292A',\n      szlig: '\\u00DF',\n      Tab: '\\u0009',\n      target: '\\u2316',\n      Tau: '\\u03A4',\n      tau: '\\u03C4',\n      tbrk: '\\u23B4',\n      Tcaron: '\\u0164',\n      tcaron: '\\u0165',\n      Tcedil: '\\u0162',\n      tcedil: '\\u0163',\n      Tcy: '\\u0422',\n      tcy: '\\u0442',\n      tdot: '\\u20DB',\n      telrec: '\\u2315',\n      Tfr: '\\uD835\\uDD17',\n      tfr: '\\uD835\\uDD31',\n      there4: '\\u2234',\n      Therefore: '\\u2234',\n      therefore: '\\u2234',\n      Theta: '\\u0398',\n      theta: '\\u03B8',\n      thetasym: '\\u03D1',\n      thetav: '\\u03D1',\n      thickapprox: '\\u2248',\n      thicksim: '\\u223C',\n      ThickSpace: '\\u205F\\u200A',\n      thinsp: '\\u2009',\n      ThinSpace: '\\u2009',\n      thkap: '\\u2248',\n      thksim: '\\u223C',\n      THORN: '\\u00DE',\n      thorn: '\\u00FE',\n      Tilde: '\\u223C',\n      tilde: '\\u02DC',\n      TildeEqual: '\\u2243',\n      TildeFullEqual: '\\u2245',\n      TildeTilde: '\\u2248',\n      times: '\\u00D7',\n      timesb: '\\u22A0',\n      timesbar: '\\u2A31',\n      timesd: '\\u2A30',\n      tint: '\\u222D',\n      toea: '\\u2928',\n      top: '\\u22A4',\n      topbot: '\\u2336',\n      topcir: '\\u2AF1',\n      Topf: '\\uD835\\uDD4B',\n      topf: '\\uD835\\uDD65',\n      topfork: '\\u2ADA',\n      tosa: '\\u2929',\n      tprime: '\\u2034',\n      TRADE: '\\u2122',\n      trade: '\\u2122',\n      triangle: '\\u25B5',\n      triangledown: '\\u25BF',\n      triangleleft: '\\u25C3',\n      trianglelefteq: '\\u22B4',\n      triangleq: '\\u225C',\n      triangleright: '\\u25B9',\n      trianglerighteq: '\\u22B5',\n      tridot: '\\u25EC',\n      trie: '\\u225C',\n      triminus: '\\u2A3A',\n      TripleDot: '\\u20DB',\n      triplus: '\\u2A39',\n      trisb: '\\u29CD',\n      tritime: '\\u2A3B',\n      trpezium: '\\u23E2',\n      Tscr: '\\uD835\\uDCAF',\n      tscr: '\\uD835\\uDCC9',\n      TScy: '\\u0426',\n      tscy: '\\u0446',\n      TSHcy: '\\u040B',\n      tshcy: '\\u045B',\n      Tstrok: '\\u0166',\n      tstrok: '\\u0167',\n      twixt: '\\u226C',\n      twoheadleftarrow: '\\u219E',\n      twoheadrightarrow: '\\u21A0',\n      Uacute: '\\u00DA',\n      uacute: '\\u00FA',\n      Uarr: '\\u219F',\n      uArr: '\\u21D1',\n      uarr: '\\u2191',\n      Uarrocir: '\\u2949',\n      Ubrcy: '\\u040E',\n      ubrcy: '\\u045E',\n      Ubreve: '\\u016C',\n      ubreve: '\\u016D',\n      Ucirc: '\\u00DB',\n      ucirc: '\\u00FB',\n      Ucy: '\\u0423',\n      ucy: '\\u0443',\n      udarr: '\\u21C5',\n      Udblac: '\\u0170',\n      udblac: '\\u0171',\n      udhar: '\\u296E',\n      ufisht: '\\u297E',\n      Ufr: '\\uD835\\uDD18',\n      ufr: '\\uD835\\uDD32',\n      Ugrave: '\\u00D9',\n      ugrave: '\\u00F9',\n      uHar: '\\u2963',\n      uharl: '\\u21BF',\n      uharr: '\\u21BE',\n      uhblk: '\\u2580',\n      ulcorn: '\\u231C',\n      ulcorner: '\\u231C',\n      ulcrop: '\\u230F',\n      ultri: '\\u25F8',\n      Umacr: '\\u016A',\n      umacr: '\\u016B',\n      uml: '\\u00A8',\n      UnderBar: '\\u005F',\n      UnderBrace: '\\u23DF',\n      UnderBracket: '\\u23B5',\n      UnderParenthesis: '\\u23DD',\n      Union: '\\u22C3',\n      UnionPlus: '\\u228E',\n      Uogon: '\\u0172',\n      uogon: '\\u0173',\n      Uopf: '\\uD835\\uDD4C',\n      uopf: '\\uD835\\uDD66',\n      UpArrow: '\\u2191',\n      Uparrow: '\\u21D1',\n      uparrow: '\\u2191',\n      UpArrowBar: '\\u2912',\n      UpArrowDownArrow: '\\u21C5',\n      UpDownArrow: '\\u2195',\n      Updownarrow: '\\u21D5',\n      updownarrow: '\\u2195',\n      UpEquilibrium: '\\u296E',\n      upharpoonleft: '\\u21BF',\n      upharpoonright: '\\u21BE',\n      uplus: '\\u228E',\n      UpperLeftArrow: '\\u2196',\n      UpperRightArrow: '\\u2197',\n      Upsi: '\\u03D2',\n      upsi: '\\u03C5',\n      upsih: '\\u03D2',\n      Upsilon: '\\u03A5',\n      upsilon: '\\u03C5',\n      UpTee: '\\u22A5',\n      UpTeeArrow: '\\u21A5',\n      upuparrows: '\\u21C8',\n      urcorn: '\\u231D',\n      urcorner: '\\u231D',\n      urcrop: '\\u230E',\n      Uring: '\\u016E',\n      uring: '\\u016F',\n      urtri: '\\u25F9',\n      Uscr: '\\uD835\\uDCB0',\n      uscr: '\\uD835\\uDCCA',\n      utdot: '\\u22F0',\n      Utilde: '\\u0168',\n      utilde: '\\u0169',\n      utri: '\\u25B5',\n      utrif: '\\u25B4',\n      uuarr: '\\u21C8',\n      Uuml: '\\u00DC',\n      uuml: '\\u00FC',\n      uwangle: '\\u29A7',\n      vangrt: '\\u299C',\n      varepsilon: '\\u03F5',\n      varkappa: '\\u03F0',\n      varnothing: '\\u2205',\n      varphi: '\\u03D5',\n      varpi: '\\u03D6',\n      varpropto: '\\u221D',\n      vArr: '\\u21D5',\n      varr: '\\u2195',\n      varrho: '\\u03F1',\n      varsigma: '\\u03C2',\n      varsubsetneq: '\\u228A\\uFE00',\n      varsubsetneqq: '\\u2ACB\\uFE00',\n      varsupsetneq: '\\u228B\\uFE00',\n      varsupsetneqq: '\\u2ACC\\uFE00',\n      vartheta: '\\u03D1',\n      vartriangleleft: '\\u22B2',\n      vartriangleright: '\\u22B3',\n      Vbar: '\\u2AEB',\n      vBar: '\\u2AE8',\n      vBarv: '\\u2AE9',\n      Vcy: '\\u0412',\n      vcy: '\\u0432',\n      VDash: '\\u22AB',\n      Vdash: '\\u22A9',\n      vDash: '\\u22A8',\n      vdash: '\\u22A2',\n      Vdashl: '\\u2AE6',\n      Vee: '\\u22C1',\n      vee: '\\u2228',\n      veebar: '\\u22BB',\n      veeeq: '\\u225A',\n      vellip: '\\u22EE',\n      Verbar: '\\u2016',\n      verbar: '\\u007C',\n      Vert: '\\u2016',\n      vert: '\\u007C',\n      VerticalBar: '\\u2223',\n      VerticalLine: '\\u007C',\n      VerticalSeparator: '\\u2758',\n      VerticalTilde: '\\u2240',\n      VeryThinSpace: '\\u200A',\n      Vfr: '\\uD835\\uDD19',\n      vfr: '\\uD835\\uDD33',\n      vltri: '\\u22B2',\n      vnsub: '\\u2282\\u20D2',\n      vnsup: '\\u2283\\u20D2',\n      Vopf: '\\uD835\\uDD4D',\n      vopf: '\\uD835\\uDD67',\n      vprop: '\\u221D',\n      vrtri: '\\u22B3',\n      Vscr: '\\uD835\\uDCB1',\n      vscr: '\\uD835\\uDCCB',\n      vsubnE: '\\u2ACB\\uFE00',\n      vsubne: '\\u228A\\uFE00',\n      vsupnE: '\\u2ACC\\uFE00',\n      vsupne: '\\u228B\\uFE00',\n      Vvdash: '\\u22AA',\n      vzigzag: '\\u299A',\n      Wcirc: '\\u0174',\n      wcirc: '\\u0175',\n      wedbar: '\\u2A5F',\n      Wedge: '\\u22C0',\n      wedge: '\\u2227',\n      wedgeq: '\\u2259',\n      weierp: '\\u2118',\n      Wfr: '\\uD835\\uDD1A',\n      wfr: '\\uD835\\uDD34',\n      Wopf: '\\uD835\\uDD4E',\n      wopf: '\\uD835\\uDD68',\n      wp: '\\u2118',\n      wr: '\\u2240',\n      wreath: '\\u2240',\n      Wscr: '\\uD835\\uDCB2',\n      wscr: '\\uD835\\uDCCC',\n      xcap: '\\u22C2',\n      xcirc: '\\u25EF',\n      xcup: '\\u22C3',\n      xdtri: '\\u25BD',\n      Xfr: '\\uD835\\uDD1B',\n      xfr: '\\uD835\\uDD35',\n      xhArr: '\\u27FA',\n      xharr: '\\u27F7',\n      Xi: '\\u039E',\n      xi: '\\u03BE',\n      xlArr: '\\u27F8',\n      xlarr: '\\u27F5',\n      xmap: '\\u27FC',\n      xnis: '\\u22FB',\n      xodot: '\\u2A00',\n      Xopf: '\\uD835\\uDD4F',\n      xopf: '\\uD835\\uDD69',\n      xoplus: '\\u2A01',\n      xotime: '\\u2A02',\n      xrArr: '\\u27F9',\n      xrarr: '\\u27F6',\n      Xscr: '\\uD835\\uDCB3',\n      xscr: '\\uD835\\uDCCD',\n      xsqcup: '\\u2A06',\n      xuplus: '\\u2A04',\n      xutri: '\\u25B3',\n      xvee: '\\u22C1',\n      xwedge: '\\u22C0',\n      Yacute: '\\u00DD',\n      yacute: '\\u00FD',\n      YAcy: '\\u042F',\n      yacy: '\\u044F',\n      Ycirc: '\\u0176',\n      ycirc: '\\u0177',\n      Ycy: '\\u042B',\n      ycy: '\\u044B',\n      yen: '\\u00A5',\n      Yfr: '\\uD835\\uDD1C',\n      yfr: '\\uD835\\uDD36',\n      YIcy: '\\u0407',\n      yicy: '\\u0457',\n      Yopf: '\\uD835\\uDD50',\n      yopf: '\\uD835\\uDD6A',\n      Yscr: '\\uD835\\uDCB4',\n      yscr: '\\uD835\\uDCCE',\n      YUcy: '\\u042E',\n      yucy: '\\u044E',\n      Yuml: '\\u0178',\n      yuml: '\\u00FF',\n      Zacute: '\\u0179',\n      zacute: '\\u017A',\n      Zcaron: '\\u017D',\n      zcaron: '\\u017E',\n      Zcy: '\\u0417',\n      zcy: '\\u0437',\n      Zdot: '\\u017B',\n      zdot: '\\u017C',\n      zeetrf: '\\u2128',\n      ZeroWidthSpace: '\\u200B',\n      Zeta: '\\u0396',\n      zeta: '\\u03B6',\n      Zfr: '\\u2128',\n      zfr: '\\uD835\\uDD37',\n      ZHcy: '\\u0416',\n      zhcy: '\\u0436',\n      zigrarr: '\\u21DD',\n      Zopf: '\\u2124',\n      zopf: '\\uD835\\uDD6B',\n      Zscr: '\\uD835\\uDCB5',\n      zscr: '\\uD835\\uDCCF',\n      zwj: '\\u200D',\n      zwnj: '\\u200C'\n    });\n\n    /**\n     * @deprecated use `HTML_ENTITIES` instead\n     * @see HTML_ENTITIES\n     */\n    exports.entityMap = exports.HTML_ENTITIES;\n  });\n  entities.XML_ENTITIES;\n  entities.HTML_ENTITIES;\n  entities.entityMap;\n\n  var NAMESPACE$1 = conventions.NAMESPACE;\n\n  //[4]   \tNameStartChar\t   ::=   \t\":\" | [A-Z] | \"_\" | [a-z] | [#xC0-#xD6] | [#xD8-#xF6] | [#xF8-#x2FF] | [#x370-#x37D] | [#x37F-#x1FFF] | [#x200C-#x200D] | [#x2070-#x218F] | [#x2C00-#x2FEF] | [#x3001-#xD7FF] | [#xF900-#xFDCF] | [#xFDF0-#xFFFD] | [#x10000-#xEFFFF]\n  //[4a]   \tNameChar\t   ::=   \tNameStartChar | \"-\" | \".\" | [0-9] | #xB7 | [#x0300-#x036F] | [#x203F-#x2040]\n  //[5]   \tName\t   ::=   \tNameStartChar (NameChar)*\n  var nameStartChar = /[A-Z_a-z\\xC0-\\xD6\\xD8-\\xF6\\u00F8-\\u02FF\\u0370-\\u037D\\u037F-\\u1FFF\\u200C-\\u200D\\u2070-\\u218F\\u2C00-\\u2FEF\\u3001-\\uD7FF\\uF900-\\uFDCF\\uFDF0-\\uFFFD]/; //\\u10000-\\uEFFFF\n  var nameChar = new RegExp(\"[\\\\-\\\\.0-9\" + nameStartChar.source.slice(1, -1) + \"\\\\u00B7\\\\u0300-\\\\u036F\\\\u203F-\\\\u2040]\");\n  var tagNamePattern = new RegExp('^' + nameStartChar.source + nameChar.source + '*(?:\\:' + nameStartChar.source + nameChar.source + '*)?$');\n  //var tagNamePattern = /^[a-zA-Z_][\\w\\-\\.]*(?:\\:[a-zA-Z_][\\w\\-\\.]*)?$/\n  //var handlers = 'resolveEntity,getExternalSubset,characters,endDocument,endElement,endPrefixMapping,ignorableWhitespace,processingInstruction,setDocumentLocator,skippedEntity,startDocument,startElement,startPrefixMapping,notationDecl,unparsedEntityDecl,error,fatalError,warning,attributeDecl,elementDecl,externalEntityDecl,internalEntityDecl,comment,endCDATA,endDTD,endEntity,startCDATA,startDTD,startEntity'.split(',')\n\n  //S_TAG,\tS_ATTR,\tS_EQ,\tS_ATTR_NOQUOT_VALUE\n  //S_ATTR_SPACE,\tS_ATTR_END,\tS_TAG_SPACE, S_TAG_CLOSE\n  var S_TAG = 0; //tag name offerring\n  var S_ATTR = 1; //attr name offerring\n  var S_ATTR_SPACE = 2; //attr name end and space offer\n  var S_EQ = 3; //=space?\n  var S_ATTR_NOQUOT_VALUE = 4; //attr value(no quot value only)\n  var S_ATTR_END = 5; //attr value end and no space(quot end)\n  var S_TAG_SPACE = 6; //(attr value end || tag end ) && (space offer)\n  var S_TAG_CLOSE = 7; //closed el<el />\n\n  /**\n   * Creates an error that will not be caught by XMLReader aka the SAX parser.\n   *\n   * @param {string} message\n   * @param {any?} locator Optional, can provide details about the location in the source\n   * @constructor\n   */\n  function ParseError$1(message, locator) {\n    this.message = message;\n    this.locator = locator;\n    if (Error.captureStackTrace) Error.captureStackTrace(this, ParseError$1);\n  }\n  ParseError$1.prototype = new Error();\n  ParseError$1.prototype.name = ParseError$1.name;\n  function XMLReader$1() {}\n  XMLReader$1.prototype = {\n    parse: function (source, defaultNSMap, entityMap) {\n      var domBuilder = this.domBuilder;\n      domBuilder.startDocument();\n      _copy(defaultNSMap, defaultNSMap = {});\n      parse$1(source, defaultNSMap, entityMap, domBuilder, this.errorHandler);\n      domBuilder.endDocument();\n    }\n  };\n  function parse$1(source, defaultNSMapCopy, entityMap, domBuilder, errorHandler) {\n    function fixedFromCharCode(code) {\n      // String.prototype.fromCharCode does not supports\n      // > 2 bytes unicode chars directly\n      if (code > 0xffff) {\n        code -= 0x10000;\n        var surrogate1 = 0xd800 + (code >> 10),\n          surrogate2 = 0xdc00 + (code & 0x3ff);\n        return String.fromCharCode(surrogate1, surrogate2);\n      } else {\n        return String.fromCharCode(code);\n      }\n    }\n    function entityReplacer(a) {\n      var k = a.slice(1, -1);\n      if (Object.hasOwnProperty.call(entityMap, k)) {\n        return entityMap[k];\n      } else if (k.charAt(0) === '#') {\n        return fixedFromCharCode(parseInt(k.substr(1).replace('x', '0x')));\n      } else {\n        errorHandler.error('entity not found:' + a);\n        return a;\n      }\n    }\n    function appendText(end) {\n      //has some bugs\n      if (end > start) {\n        var xt = source.substring(start, end).replace(/&#?\\w+;/g, entityReplacer);\n        locator && position(start);\n        domBuilder.characters(xt, 0, end - start);\n        start = end;\n      }\n    }\n    function position(p, m) {\n      while (p >= lineEnd && (m = linePattern.exec(source))) {\n        lineStart = m.index;\n        lineEnd = lineStart + m[0].length;\n        locator.lineNumber++;\n        //console.log('line++:',locator,startPos,endPos)\n      }\n      locator.columnNumber = p - lineStart + 1;\n    }\n    var lineStart = 0;\n    var lineEnd = 0;\n    var linePattern = /.*(?:\\r\\n?|\\n)|.*$/g;\n    var locator = domBuilder.locator;\n    var parseStack = [{\n      currentNSMap: defaultNSMapCopy\n    }];\n    var closeMap = {};\n    var start = 0;\n    while (true) {\n      try {\n        var tagStart = source.indexOf('<', start);\n        if (tagStart < 0) {\n          if (!source.substr(start).match(/^\\s*$/)) {\n            var doc = domBuilder.doc;\n            var text = doc.createTextNode(source.substr(start));\n            doc.appendChild(text);\n            domBuilder.currentElement = text;\n          }\n          return;\n        }\n        if (tagStart > start) {\n          appendText(tagStart);\n        }\n        switch (source.charAt(tagStart + 1)) {\n          case '/':\n            var end = source.indexOf('>', tagStart + 3);\n            var tagName = source.substring(tagStart + 2, end).replace(/[ \\t\\n\\r]+$/g, '');\n            var config = parseStack.pop();\n            if (end < 0) {\n              tagName = source.substring(tagStart + 2).replace(/[\\s<].*/, '');\n              errorHandler.error(\"end tag name: \" + tagName + ' is not complete:' + config.tagName);\n              end = tagStart + 1 + tagName.length;\n            } else if (tagName.match(/\\s</)) {\n              tagName = tagName.replace(/[\\s<].*/, '');\n              errorHandler.error(\"end tag name: \" + tagName + ' maybe not complete');\n              end = tagStart + 1 + tagName.length;\n            }\n            var localNSMap = config.localNSMap;\n            var endMatch = config.tagName == tagName;\n            var endIgnoreCaseMach = endMatch || config.tagName && config.tagName.toLowerCase() == tagName.toLowerCase();\n            if (endIgnoreCaseMach) {\n              domBuilder.endElement(config.uri, config.localName, tagName);\n              if (localNSMap) {\n                for (var prefix in localNSMap) {\n                  if (Object.prototype.hasOwnProperty.call(localNSMap, prefix)) {\n                    domBuilder.endPrefixMapping(prefix);\n                  }\n                }\n              }\n              if (!endMatch) {\n                errorHandler.fatalError(\"end tag name: \" + tagName + ' is not match the current start tagName:' + config.tagName); // No known test case\n              }\n            } else {\n              parseStack.push(config);\n            }\n            end++;\n            break;\n          // end elment\n          case '?':\n            // <?...?>\n            locator && position(tagStart);\n            end = parseInstruction(source, tagStart, domBuilder);\n            break;\n          case '!':\n            // <!doctype,<![CDATA,<!--\n            locator && position(tagStart);\n            end = parseDCC(source, tagStart, domBuilder, errorHandler);\n            break;\n          default:\n            locator && position(tagStart);\n            var el = new ElementAttributes();\n            var currentNSMap = parseStack[parseStack.length - 1].currentNSMap;\n            //elStartEnd\n            var end = parseElementStartPart(source, tagStart, el, currentNSMap, entityReplacer, errorHandler);\n            var len = el.length;\n            if (!el.closed && fixSelfClosed(source, end, el.tagName, closeMap)) {\n              el.closed = true;\n              if (!entityMap.nbsp) {\n                errorHandler.warning('unclosed xml attribute');\n              }\n            }\n            if (locator && len) {\n              var locator2 = copyLocator(locator, {});\n              //try{//attribute position fixed\n              for (var i = 0; i < len; i++) {\n                var a = el[i];\n                position(a.offset);\n                a.locator = copyLocator(locator, {});\n              }\n              domBuilder.locator = locator2;\n              if (appendElement$1(el, domBuilder, currentNSMap)) {\n                parseStack.push(el);\n              }\n              domBuilder.locator = locator;\n            } else {\n              if (appendElement$1(el, domBuilder, currentNSMap)) {\n                parseStack.push(el);\n              }\n            }\n            if (NAMESPACE$1.isHTML(el.uri) && !el.closed) {\n              end = parseHtmlSpecialContent(source, end, el.tagName, entityReplacer, domBuilder);\n            } else {\n              end++;\n            }\n        }\n      } catch (e) {\n        if (e instanceof ParseError$1) {\n          throw e;\n        }\n        errorHandler.error('element parse error: ' + e);\n        end = -1;\n      }\n      if (end > start) {\n        start = end;\n      } else {\n        //TODO: 这里有可能sax回退,有位置错误风险\n        appendText(Math.max(tagStart, start) + 1);\n      }\n    }\n  }\n  function copyLocator(f, t) {\n    t.lineNumber = f.lineNumber;\n    t.columnNumber = f.columnNumber;\n    return t;\n  }\n\n  /**\n   * @see #appendElement(source,elStartEnd,el,selfClosed,entityReplacer,domBuilder,parseStack);\n   * @return end of the elementStartPart(end of elementEndPart for selfClosed el)\n   */\n  function parseElementStartPart(source, start, el, currentNSMap, entityReplacer, errorHandler) {\n    /**\n     * @param {string} qname\n     * @param {string} value\n     * @param {number} startIndex\n     */\n    function addAttribute(qname, value, startIndex) {\n      if (el.attributeNames.hasOwnProperty(qname)) {\n        errorHandler.fatalError('Attribute ' + qname + ' redefined');\n      }\n      el.addValue(qname,\n      // @see https://www.w3.org/TR/xml/#AVNormalize\n      // since the xmldom sax parser does not \"interpret\" DTD the following is not implemented:\n      // - recursive replacement of (DTD) entity references\n      // - trimming and collapsing multiple spaces into a single one for attributes that are not of type CDATA\n      value.replace(/[\\t\\n\\r]/g, ' ').replace(/&#?\\w+;/g, entityReplacer), startIndex);\n    }\n    var attrName;\n    var value;\n    var p = ++start;\n    var s = S_TAG; //status\n    while (true) {\n      var c = source.charAt(p);\n      switch (c) {\n        case '=':\n          if (s === S_ATTR) {\n            //attrName\n            attrName = source.slice(start, p);\n            s = S_EQ;\n          } else if (s === S_ATTR_SPACE) {\n            s = S_EQ;\n          } else {\n            //fatalError: equal must after attrName or space after attrName\n            throw new Error('attribute equal must after attrName'); // No known test case\n          }\n          break;\n        case '\\'':\n        case '\"':\n          if (s === S_EQ || s === S_ATTR //|| s == S_ATTR_SPACE\n          ) {\n            //equal\n            if (s === S_ATTR) {\n              errorHandler.warning('attribute value must after \"=\"');\n              attrName = source.slice(start, p);\n            }\n            start = p + 1;\n            p = source.indexOf(c, start);\n            if (p > 0) {\n              value = source.slice(start, p);\n              addAttribute(attrName, value, start - 1);\n              s = S_ATTR_END;\n            } else {\n              //fatalError: no end quot match\n              throw new Error('attribute value no end \\'' + c + '\\' match');\n            }\n          } else if (s == S_ATTR_NOQUOT_VALUE) {\n            value = source.slice(start, p);\n            addAttribute(attrName, value, start);\n            errorHandler.warning('attribute \"' + attrName + '\" missed start quot(' + c + ')!!');\n            start = p + 1;\n            s = S_ATTR_END;\n          } else {\n            //fatalError: no equal before\n            throw new Error('attribute value must after \"=\"'); // No known test case\n          }\n          break;\n        case '/':\n          switch (s) {\n            case S_TAG:\n              el.setTagName(source.slice(start, p));\n            case S_ATTR_END:\n            case S_TAG_SPACE:\n            case S_TAG_CLOSE:\n              s = S_TAG_CLOSE;\n              el.closed = true;\n            case S_ATTR_NOQUOT_VALUE:\n            case S_ATTR:\n              break;\n            case S_ATTR_SPACE:\n              el.closed = true;\n              break;\n            //case S_EQ:\n            default:\n              throw new Error(\"attribute invalid close char('/')\");\n            // No known test case\n          }\n          break;\n        case '':\n          //end document\n          errorHandler.error('unexpected end of input');\n          if (s == S_TAG) {\n            el.setTagName(source.slice(start, p));\n          }\n          return p;\n        case '>':\n          switch (s) {\n            case S_TAG:\n              el.setTagName(source.slice(start, p));\n            case S_ATTR_END:\n            case S_TAG_SPACE:\n            case S_TAG_CLOSE:\n              break;\n            //normal\n            case S_ATTR_NOQUOT_VALUE: //Compatible state\n            case S_ATTR:\n              value = source.slice(start, p);\n              if (value.slice(-1) === '/') {\n                el.closed = true;\n                value = value.slice(0, -1);\n              }\n            case S_ATTR_SPACE:\n              if (s === S_ATTR_SPACE) {\n                value = attrName;\n              }\n              if (s == S_ATTR_NOQUOT_VALUE) {\n                errorHandler.warning('attribute \"' + value + '\" missed quot(\")!');\n                addAttribute(attrName, value, start);\n              } else {\n                if (!NAMESPACE$1.isHTML(currentNSMap['']) || !value.match(/^(?:disabled|checked|selected)$/i)) {\n                  errorHandler.warning('attribute \"' + value + '\" missed value!! \"' + value + '\" instead!!');\n                }\n                addAttribute(value, value, start);\n              }\n              break;\n            case S_EQ:\n              throw new Error('attribute value missed!!');\n          }\n          //\t\t\tconsole.log(tagName,tagNamePattern,tagNamePattern.test(tagName))\n          return p;\n        /*xml space '\\x20' | #x9 | #xD | #xA; */\n        case '\\u0080':\n          c = ' ';\n        default:\n          if (c <= ' ') {\n            //space\n            switch (s) {\n              case S_TAG:\n                el.setTagName(source.slice(start, p)); //tagName\n                s = S_TAG_SPACE;\n                break;\n              case S_ATTR:\n                attrName = source.slice(start, p);\n                s = S_ATTR_SPACE;\n                break;\n              case S_ATTR_NOQUOT_VALUE:\n                var value = source.slice(start, p);\n                errorHandler.warning('attribute \"' + value + '\" missed quot(\")!!');\n                addAttribute(attrName, value, start);\n              case S_ATTR_END:\n                s = S_TAG_SPACE;\n                break;\n              //case S_TAG_SPACE:\n              //case S_EQ:\n              //case S_ATTR_SPACE:\n              //\tvoid();break;\n              //case S_TAG_CLOSE:\n              //ignore warning\n            }\n          } else {\n            //not space\n            //S_TAG,\tS_ATTR,\tS_EQ,\tS_ATTR_NOQUOT_VALUE\n            //S_ATTR_SPACE,\tS_ATTR_END,\tS_TAG_SPACE, S_TAG_CLOSE\n            switch (s) {\n              //case S_TAG:void();break;\n              //case S_ATTR:void();break;\n              //case S_ATTR_NOQUOT_VALUE:void();break;\n              case S_ATTR_SPACE:\n                el.tagName;\n                if (!NAMESPACE$1.isHTML(currentNSMap['']) || !attrName.match(/^(?:disabled|checked|selected)$/i)) {\n                  errorHandler.warning('attribute \"' + attrName + '\" missed value!! \"' + attrName + '\" instead2!!');\n                }\n                addAttribute(attrName, attrName, start);\n                start = p;\n                s = S_ATTR;\n                break;\n              case S_ATTR_END:\n                errorHandler.warning('attribute space is required\"' + attrName + '\"!!');\n              case S_TAG_SPACE:\n                s = S_ATTR;\n                start = p;\n                break;\n              case S_EQ:\n                s = S_ATTR_NOQUOT_VALUE;\n                start = p;\n                break;\n              case S_TAG_CLOSE:\n                throw new Error(\"elements closed character '/' and '>' must be connected to\");\n            }\n          }\n      } //end outer switch\n      //console.log('p++',p)\n      p++;\n    }\n  }\n  /**\n   * @return true if has new namespace define\n   */\n  function appendElement$1(el, domBuilder, currentNSMap) {\n    var tagName = el.tagName;\n    var localNSMap = null;\n    //var currentNSMap = parseStack[parseStack.length-1].currentNSMap;\n    var i = el.length;\n    while (i--) {\n      var a = el[i];\n      var qName = a.qName;\n      var value = a.value;\n      var nsp = qName.indexOf(':');\n      if (nsp > 0) {\n        var prefix = a.prefix = qName.slice(0, nsp);\n        var localName = qName.slice(nsp + 1);\n        var nsPrefix = prefix === 'xmlns' && localName;\n      } else {\n        localName = qName;\n        prefix = null;\n        nsPrefix = qName === 'xmlns' && '';\n      }\n      //can not set prefix,because prefix !== ''\n      a.localName = localName;\n      //prefix == null for no ns prefix attribute\n      if (nsPrefix !== false) {\n        //hack!!\n        if (localNSMap == null) {\n          localNSMap = {};\n          //console.log(currentNSMap,0)\n          _copy(currentNSMap, currentNSMap = {});\n          //console.log(currentNSMap,1)\n        }\n        currentNSMap[nsPrefix] = localNSMap[nsPrefix] = value;\n        a.uri = NAMESPACE$1.XMLNS;\n        domBuilder.startPrefixMapping(nsPrefix, value);\n      }\n    }\n    var i = el.length;\n    while (i--) {\n      a = el[i];\n      var prefix = a.prefix;\n      if (prefix) {\n        //no prefix attribute has no namespace\n        if (prefix === 'xml') {\n          a.uri = NAMESPACE$1.XML;\n        }\n        if (prefix !== 'xmlns') {\n          a.uri = currentNSMap[prefix || ''];\n\n          //{console.log('###'+a.qName,domBuilder.locator.systemId+'',currentNSMap,a.uri)}\n        }\n      }\n    }\n    var nsp = tagName.indexOf(':');\n    if (nsp > 0) {\n      prefix = el.prefix = tagName.slice(0, nsp);\n      localName = el.localName = tagName.slice(nsp + 1);\n    } else {\n      prefix = null; //important!!\n      localName = el.localName = tagName;\n    }\n    //no prefix element has default namespace\n    var ns = el.uri = currentNSMap[prefix || ''];\n    domBuilder.startElement(ns, localName, tagName, el);\n    //endPrefixMapping and startPrefixMapping have not any help for dom builder\n    //localNSMap = null\n    if (el.closed) {\n      domBuilder.endElement(ns, localName, tagName);\n      if (localNSMap) {\n        for (prefix in localNSMap) {\n          if (Object.prototype.hasOwnProperty.call(localNSMap, prefix)) {\n            domBuilder.endPrefixMapping(prefix);\n          }\n        }\n      }\n    } else {\n      el.currentNSMap = currentNSMap;\n      el.localNSMap = localNSMap;\n      //parseStack.push(el);\n      return true;\n    }\n  }\n  function parseHtmlSpecialContent(source, elStartEnd, tagName, entityReplacer, domBuilder) {\n    if (/^(?:script|textarea)$/i.test(tagName)) {\n      var elEndStart = source.indexOf('</' + tagName + '>', elStartEnd);\n      var text = source.substring(elStartEnd + 1, elEndStart);\n      if (/[&<]/.test(text)) {\n        if (/^script$/i.test(tagName)) {\n          //if(!/\\]\\]>/.test(text)){\n          //lexHandler.startCDATA();\n          domBuilder.characters(text, 0, text.length);\n          //lexHandler.endCDATA();\n          return elEndStart;\n          //}\n        } //}else{//text area\n        text = text.replace(/&#?\\w+;/g, entityReplacer);\n        domBuilder.characters(text, 0, text.length);\n        return elEndStart;\n        //}\n      }\n    }\n    return elStartEnd + 1;\n  }\n  function fixSelfClosed(source, elStartEnd, tagName, closeMap) {\n    //if(tagName in closeMap){\n    var pos = closeMap[tagName];\n    if (pos == null) {\n      //console.log(tagName)\n      pos = source.lastIndexOf('</' + tagName + '>');\n      if (pos < elStartEnd) {\n        //忘记闭合\n        pos = source.lastIndexOf('</' + tagName);\n      }\n      closeMap[tagName] = pos;\n    }\n    return pos < elStartEnd;\n    //}\n  }\n  function _copy(source, target) {\n    for (var n in source) {\n      if (Object.prototype.hasOwnProperty.call(source, n)) {\n        target[n] = source[n];\n      }\n    }\n  }\n  function parseDCC(source, start, domBuilder, errorHandler) {\n    //sure start with '<!'\n    var next = source.charAt(start + 2);\n    switch (next) {\n      case '-':\n        if (source.charAt(start + 3) === '-') {\n          var end = source.indexOf('-->', start + 4);\n          //append comment source.substring(4,end)//<!--\n          if (end > start) {\n            domBuilder.comment(source, start + 4, end - start - 4);\n            return end + 3;\n          } else {\n            errorHandler.error(\"Unclosed comment\");\n            return -1;\n          }\n        } else {\n          //error\n          return -1;\n        }\n      default:\n        if (source.substr(start + 3, 6) == 'CDATA[') {\n          var end = source.indexOf(']]>', start + 9);\n          domBuilder.startCDATA();\n          domBuilder.characters(source, start + 9, end - start - 9);\n          domBuilder.endCDATA();\n          return end + 3;\n        }\n        //<!DOCTYPE\n        //startDTD(java.lang.String name, java.lang.String publicId, java.lang.String systemId)\n        var matchs = split(source, start);\n        var len = matchs.length;\n        if (len > 1 && /!doctype/i.test(matchs[0][0])) {\n          var name = matchs[1][0];\n          var pubid = false;\n          var sysid = false;\n          if (len > 3) {\n            if (/^public$/i.test(matchs[2][0])) {\n              pubid = matchs[3][0];\n              sysid = len > 4 && matchs[4][0];\n            } else if (/^system$/i.test(matchs[2][0])) {\n              sysid = matchs[3][0];\n            }\n          }\n          var lastMatch = matchs[len - 1];\n          domBuilder.startDTD(name, pubid, sysid);\n          domBuilder.endDTD();\n          return lastMatch.index + lastMatch[0].length;\n        }\n    }\n    return -1;\n  }\n  function parseInstruction(source, start, domBuilder) {\n    var end = source.indexOf('?>', start);\n    if (end) {\n      var match = source.substring(start, end).match(/^<\\?(\\S*)\\s*([\\s\\S]*?)\\s*$/);\n      if (match) {\n        match[0].length;\n        domBuilder.processingInstruction(match[1], match[2]);\n        return end + 2;\n      } else {\n        //error\n        return -1;\n      }\n    }\n    return -1;\n  }\n  function ElementAttributes() {\n    this.attributeNames = {};\n  }\n  ElementAttributes.prototype = {\n    setTagName: function (tagName) {\n      if (!tagNamePattern.test(tagName)) {\n        throw new Error('invalid tagName:' + tagName);\n      }\n      this.tagName = tagName;\n    },\n    addValue: function (qName, value, offset) {\n      if (!tagNamePattern.test(qName)) {\n        throw new Error('invalid attribute:' + qName);\n      }\n      this.attributeNames[qName] = this.length;\n      this[this.length++] = {\n        qName: qName,\n        value: value,\n        offset: offset\n      };\n    },\n    length: 0,\n    getLocalName: function (i) {\n      return this[i].localName;\n    },\n    getLocator: function (i) {\n      return this[i].locator;\n    },\n    getQName: function (i) {\n      return this[i].qName;\n    },\n    getURI: function (i) {\n      return this[i].uri;\n    },\n    getValue: function (i) {\n      return this[i].value;\n    }\n    //\t,getIndex:function(uri, localName)){\n    //\t\tif(localName){\n    //\n    //\t\t}else{\n    //\t\t\tvar qName = uri\n    //\t\t}\n    //\t},\n    //\tgetValue:function(){return this.getValue(this.getIndex.apply(this,arguments))},\n    //\tgetType:function(uri,localName){}\n    //\tgetType:function(i){},\n  };\n  function split(source, start) {\n    var match;\n    var buf = [];\n    var reg = /'[^']+'|\"[^\"]+\"|[^\\s<>\\/=]+=?|(\\/?\\s*>|<)/g;\n    reg.lastIndex = start;\n    reg.exec(source); //skip <\n    while (match = reg.exec(source)) {\n      buf.push(match);\n      if (match[1]) return buf;\n    }\n  }\n  var XMLReader_1 = XMLReader$1;\n  var ParseError_1 = ParseError$1;\n  var sax = {\n    XMLReader: XMLReader_1,\n    ParseError: ParseError_1\n  };\n\n  var DOMImplementation = dom.DOMImplementation;\n  var NAMESPACE = conventions.NAMESPACE;\n  var ParseError = sax.ParseError;\n  var XMLReader = sax.XMLReader;\n\n  /**\n   * Normalizes line ending according to https://www.w3.org/TR/xml11/#sec-line-ends:\n   *\n   * > XML parsed entities are often stored in computer files which,\n   * > for editing convenience, are organized into lines.\n   * > These lines are typically separated by some combination\n   * > of the characters CARRIAGE RETURN (#xD) and LINE FEED (#xA).\n   * >\n   * > To simplify the tasks of applications, the XML processor must behave\n   * > as if it normalized all line breaks in external parsed entities (including the document entity)\n   * > on input, before parsing, by translating all of the following to a single #xA character:\n   * >\n   * > 1. the two-character sequence #xD #xA\n   * > 2. the two-character sequence #xD #x85\n   * > 3. the single character #x85\n   * > 4. the single character #x2028\n   * > 5. any #xD character that is not immediately followed by #xA or #x85.\n   *\n   * @param {string} input\n   * @returns {string}\n   */\n  function normalizeLineEndings(input) {\n    return input.replace(/\\r[\\n\\u0085]/g, '\\n').replace(/[\\r\\u0085\\u2028]/g, '\\n');\n  }\n\n  /**\n   * @typedef Locator\n   * @property {number} [columnNumber]\n   * @property {number} [lineNumber]\n   */\n\n  /**\n   * @typedef DOMParserOptions\n   * @property {DOMHandler} [domBuilder]\n   * @property {Function} [errorHandler]\n   * @property {(string) => string} [normalizeLineEndings] used to replace line endings before parsing\n   * \t\t\t\t\t\tdefaults to `normalizeLineEndings`\n   * @property {Locator} [locator]\n   * @property {Record<string, string>} [xmlns]\n   *\n   * @see normalizeLineEndings\n   */\n\n  /**\n   * The DOMParser interface provides the ability to parse XML or HTML source code\n   * from a string into a DOM `Document`.\n   *\n   * _xmldom is different from the spec in that it allows an `options` parameter,\n   * to override the default behavior._\n   *\n   * @param {DOMParserOptions} [options]\n   * @constructor\n   *\n   * @see https://developer.mozilla.org/en-US/docs/Web/API/DOMParser\n   * @see https://html.spec.whatwg.org/multipage/dynamic-markup-insertion.html#dom-parsing-and-serialization\n   */\n  function DOMParser$1(options) {\n    this.options = options || {\n      locator: {}\n    };\n  }\n  DOMParser$1.prototype.parseFromString = function (source, mimeType) {\n    var options = this.options;\n    var sax = new XMLReader();\n    var domBuilder = options.domBuilder || new DOMHandler(); //contentHandler and LexicalHandler\n    var errorHandler = options.errorHandler;\n    var locator = options.locator;\n    var defaultNSMap = options.xmlns || {};\n    var isHTML = /\\/x?html?$/.test(mimeType); //mimeType.toLowerCase().indexOf('html') > -1;\n    var entityMap = isHTML ? entities.HTML_ENTITIES : entities.XML_ENTITIES;\n    if (locator) {\n      domBuilder.setDocumentLocator(locator);\n    }\n    sax.errorHandler = buildErrorHandler(errorHandler, domBuilder, locator);\n    sax.domBuilder = options.domBuilder || domBuilder;\n    if (isHTML) {\n      defaultNSMap[''] = NAMESPACE.HTML;\n    }\n    defaultNSMap.xml = defaultNSMap.xml || NAMESPACE.XML;\n    var normalize = options.normalizeLineEndings || normalizeLineEndings;\n    if (source && typeof source === 'string') {\n      sax.parse(normalize(source), defaultNSMap, entityMap);\n    } else {\n      sax.errorHandler.error('invalid doc source');\n    }\n    return domBuilder.doc;\n  };\n  function buildErrorHandler(errorImpl, domBuilder, locator) {\n    if (!errorImpl) {\n      if (domBuilder instanceof DOMHandler) {\n        return domBuilder;\n      }\n      errorImpl = domBuilder;\n    }\n    var errorHandler = {};\n    var isCallback = errorImpl instanceof Function;\n    locator = locator || {};\n    function build(key) {\n      var fn = errorImpl[key];\n      if (!fn && isCallback) {\n        fn = errorImpl.length == 2 ? function (msg) {\n          errorImpl(key, msg);\n        } : errorImpl;\n      }\n      errorHandler[key] = fn && function (msg) {\n        fn('[xmldom ' + key + ']\\t' + msg + _locator(locator));\n      } || function () {};\n    }\n    build('warning');\n    build('error');\n    build('fatalError');\n    return errorHandler;\n  }\n\n  //console.log('#\\n\\n\\n\\n\\n\\n\\n####')\n  /**\n   * +ContentHandler+ErrorHandler\n   * +LexicalHandler+EntityResolver2\n   * -DeclHandler-DTDHandler\n   *\n   * DefaultHandler:EntityResolver, DTDHandler, ContentHandler, ErrorHandler\n   * DefaultHandler2:DefaultHandler,LexicalHandler, DeclHandler, EntityResolver2\n   * @link http://www.saxproject.org/apidoc/org/xml/sax/helpers/DefaultHandler.html\n   */\n  function DOMHandler() {\n    this.cdata = false;\n  }\n  function position(locator, node) {\n    node.lineNumber = locator.lineNumber;\n    node.columnNumber = locator.columnNumber;\n  }\n  /**\n   * @see org.xml.sax.ContentHandler#startDocument\n   * @link http://www.saxproject.org/apidoc/org/xml/sax/ContentHandler.html\n   */\n  DOMHandler.prototype = {\n    startDocument: function () {\n      this.doc = new DOMImplementation().createDocument(null, null, null);\n      if (this.locator) {\n        this.doc.documentURI = this.locator.systemId;\n      }\n    },\n    startElement: function (namespaceURI, localName, qName, attrs) {\n      var doc = this.doc;\n      var el = doc.createElementNS(namespaceURI, qName || localName);\n      var len = attrs.length;\n      appendElement(this, el);\n      this.currentElement = el;\n      this.locator && position(this.locator, el);\n      for (var i = 0; i < len; i++) {\n        var namespaceURI = attrs.getURI(i);\n        var value = attrs.getValue(i);\n        var qName = attrs.getQName(i);\n        var attr = doc.createAttributeNS(namespaceURI, qName);\n        this.locator && position(attrs.getLocator(i), attr);\n        attr.value = attr.nodeValue = value;\n        el.setAttributeNode(attr);\n      }\n    },\n    endElement: function (namespaceURI, localName, qName) {\n      var current = this.currentElement;\n      current.tagName;\n      this.currentElement = current.parentNode;\n    },\n    startPrefixMapping: function (prefix, uri) {},\n    endPrefixMapping: function (prefix) {},\n    processingInstruction: function (target, data) {\n      var ins = this.doc.createProcessingInstruction(target, data);\n      this.locator && position(this.locator, ins);\n      appendElement(this, ins);\n    },\n    ignorableWhitespace: function (ch, start, length) {},\n    characters: function (chars, start, length) {\n      chars = _toString.apply(this, arguments);\n      //console.log(chars)\n      if (chars) {\n        if (this.cdata) {\n          var charNode = this.doc.createCDATASection(chars);\n        } else {\n          var charNode = this.doc.createTextNode(chars);\n        }\n        if (this.currentElement) {\n          this.currentElement.appendChild(charNode);\n        } else if (/^\\s*$/.test(chars)) {\n          this.doc.appendChild(charNode);\n          //process xml\n        }\n        this.locator && position(this.locator, charNode);\n      }\n    },\n    skippedEntity: function (name) {},\n    endDocument: function () {\n      this.doc.normalize();\n    },\n    setDocumentLocator: function (locator) {\n      if (this.locator = locator) {\n        // && !('lineNumber' in locator)){\n        locator.lineNumber = 0;\n      }\n    },\n    //LexicalHandler\n    comment: function (chars, start, length) {\n      chars = _toString.apply(this, arguments);\n      var comm = this.doc.createComment(chars);\n      this.locator && position(this.locator, comm);\n      appendElement(this, comm);\n    },\n    startCDATA: function () {\n      //used in characters() methods\n      this.cdata = true;\n    },\n    endCDATA: function () {\n      this.cdata = false;\n    },\n    startDTD: function (name, publicId, systemId) {\n      var impl = this.doc.implementation;\n      if (impl && impl.createDocumentType) {\n        var dt = impl.createDocumentType(name, publicId, systemId);\n        this.locator && position(this.locator, dt);\n        appendElement(this, dt);\n        this.doc.doctype = dt;\n      }\n    },\n    /**\n     * @see org.xml.sax.ErrorHandler\n     * @link http://www.saxproject.org/apidoc/org/xml/sax/ErrorHandler.html\n     */\n    warning: function (error) {\n      console.warn('[xmldom warning]\\t' + error, _locator(this.locator));\n    },\n    error: function (error) {\n      console.error('[xmldom error]\\t' + error, _locator(this.locator));\n    },\n    fatalError: function (error) {\n      throw new ParseError(error, this.locator);\n    }\n  };\n  function _locator(l) {\n    if (l) {\n      return '\\n@' + (l.systemId || '') + '#[line:' + l.lineNumber + ',col:' + l.columnNumber + ']';\n    }\n  }\n  function _toString(chars, start, length) {\n    if (typeof chars == 'string') {\n      return chars.substr(start, length);\n    } else {\n      //java sax connect width xmldom on rhino(what about: \"? && !(chars instanceof String)\")\n      if (chars.length >= start + length || start) {\n        return new java.lang.String(chars, start, length) + '';\n      }\n      return chars;\n    }\n  }\n\n  /*\n   * @link http://www.saxproject.org/apidoc/org/xml/sax/ext/LexicalHandler.html\n   * used method of org.xml.sax.ext.LexicalHandler:\n   *  #comment(chars, start, length)\n   *  #startCDATA()\n   *  #endCDATA()\n   *  #startDTD(name, publicId, systemId)\n   *\n   *\n   * IGNORED method of org.xml.sax.ext.LexicalHandler:\n   *  #endDTD()\n   *  #startEntity(name)\n   *  #endEntity(name)\n   *\n   *\n   * @link http://www.saxproject.org/apidoc/org/xml/sax/ext/DeclHandler.html\n   * IGNORED method of org.xml.sax.ext.DeclHandler\n   * \t#attributeDecl(eName, aName, type, mode, value)\n   *  #elementDecl(name, model)\n   *  #externalEntityDecl(name, publicId, systemId)\n   *  #internalEntityDecl(name, value)\n   * @link http://www.saxproject.org/apidoc/org/xml/sax/ext/EntityResolver2.html\n   * IGNORED method of org.xml.sax.EntityResolver2\n   *  #resolveEntity(String name,String publicId,String baseURI,String systemId)\n   *  #resolveEntity(publicId, systemId)\n   *  #getExternalSubset(name, baseURI)\n   * @link http://www.saxproject.org/apidoc/org/xml/sax/DTDHandler.html\n   * IGNORED method of org.xml.sax.DTDHandler\n   *  #notationDecl(name, publicId, systemId) {};\n   *  #unparsedEntityDecl(name, publicId, systemId, notationName) {};\n   */\n  \"endDTD,startEntity,endEntity,attributeDecl,elementDecl,externalEntityDecl,internalEntityDecl,resolveEntity,getExternalSubset,notationDecl,unparsedEntityDecl\".replace(/\\w+/g, function (key) {\n    DOMHandler.prototype[key] = function () {\n      return null;\n    };\n  });\n\n  /* Private static helpers treated below as private instance methods, so don't need to add these to the public API; we might use a Relator to also get rid of non-standard public properties */\n  function appendElement(hander, node) {\n    if (!hander.currentElement) {\n      hander.doc.appendChild(node);\n    } else {\n      hander.currentElement.appendChild(node);\n    }\n  } //appendChild and setAttributeNS are preformance key\n\n  var __DOMHandler = DOMHandler;\n  var normalizeLineEndings_1 = normalizeLineEndings;\n  var DOMParser_1 = DOMParser$1;\n  var domParser = {\n    __DOMHandler: __DOMHandler,\n    normalizeLineEndings: normalizeLineEndings_1,\n    DOMParser: DOMParser_1\n  };\n\n  var DOMParser = domParser.DOMParser;\n\n  /*! @name mpd-parser @version 1.3.1 @license Apache-2.0 */\n  const isObject = obj => {\n    return !!obj && typeof obj === 'object';\n  };\n  const merge$1 = (...objects) => {\n    return objects.reduce((result, source) => {\n      if (typeof source !== 'object') {\n        return result;\n      }\n      Object.keys(source).forEach(key => {\n        if (Array.isArray(result[key]) && Array.isArray(source[key])) {\n          result[key] = result[key].concat(source[key]);\n        } else if (isObject(result[key]) && isObject(source[key])) {\n          result[key] = merge$1(result[key], source[key]);\n        } else {\n          result[key] = source[key];\n        }\n      });\n      return result;\n    }, {});\n  };\n  const values = o => Object.keys(o).map(k => o[k]);\n  const range = (start, end) => {\n    const result = [];\n    for (let i = start; i < end; i++) {\n      result.push(i);\n    }\n    return result;\n  };\n  const flatten = lists => lists.reduce((x, y) => x.concat(y), []);\n  const from = list => {\n    if (!list.length) {\n      return [];\n    }\n    const result = [];\n    for (let i = 0; i < list.length; i++) {\n      result.push(list[i]);\n    }\n    return result;\n  };\n  const findIndexes = (l, key) => l.reduce((a, e, i) => {\n    if (e[key]) {\n      a.push(i);\n    }\n    return a;\n  }, []);\n  /**\n   * Returns a union of the included lists provided each element can be identified by a key.\n   *\n   * @param {Array} list - list of lists to get the union of\n   * @param {Function} keyFunction - the function to use as a key for each element\n   *\n   * @return {Array} the union of the arrays\n   */\n\n  const union = (lists, keyFunction) => {\n    return values(lists.reduce((acc, list) => {\n      list.forEach(el => {\n        acc[keyFunction(el)] = el;\n      });\n      return acc;\n    }, {}));\n  };\n  var errors = {\n    INVALID_NUMBER_OF_PERIOD: 'INVALID_NUMBER_OF_PERIOD',\n    INVALID_NUMBER_OF_CONTENT_STEERING: 'INVALID_NUMBER_OF_CONTENT_STEERING',\n    DASH_EMPTY_MANIFEST: 'DASH_EMPTY_MANIFEST',\n    DASH_INVALID_XML: 'DASH_INVALID_XML',\n    NO_BASE_URL: 'NO_BASE_URL',\n    MISSING_SEGMENT_INFORMATION: 'MISSING_SEGMENT_INFORMATION',\n    SEGMENT_TIME_UNSPECIFIED: 'SEGMENT_TIME_UNSPECIFIED',\n    UNSUPPORTED_UTC_TIMING_SCHEME: 'UNSUPPORTED_UTC_TIMING_SCHEME'\n  };\n\n  /**\n   * @typedef {Object} SingleUri\n   * @property {string} uri - relative location of segment\n   * @property {string} resolvedUri - resolved location of segment\n   * @property {Object} byterange - Object containing information on how to make byte range\n   *   requests following byte-range-spec per RFC2616.\n   * @property {String} byterange.length - length of range request\n   * @property {String} byterange.offset - byte offset of range request\n   *\n   * @see https://www.w3.org/Protocols/rfc2616/rfc2616-sec14.html#sec14.35.1\n   */\n\n  /**\n   * Converts a URLType node (5.3.9.2.3 Table 13) to a segment object\n   * that conforms to how m3u8-parser is structured\n   *\n   * @see https://github.com/videojs/m3u8-parser\n   *\n   * @param {string} baseUrl - baseUrl provided by <BaseUrl> nodes\n   * @param {string} source - source url for segment\n   * @param {string} range - optional range used for range calls,\n   *   follows  RFC 2616, Clause 14.35.1\n   * @return {SingleUri} full segment information transformed into a format similar\n   *   to m3u8-parser\n   */\n\n  const urlTypeToSegment = ({\n    baseUrl = '',\n    source = '',\n    range = '',\n    indexRange = ''\n  }) => {\n    const segment = {\n      uri: source,\n      resolvedUri: resolveUrl$1(baseUrl || '', source)\n    };\n    if (range || indexRange) {\n      const rangeStr = range ? range : indexRange;\n      const ranges = rangeStr.split('-'); // default to parsing this as a BigInt if possible\n\n      let startRange = window.BigInt ? window.BigInt(ranges[0]) : parseInt(ranges[0], 10);\n      let endRange = window.BigInt ? window.BigInt(ranges[1]) : parseInt(ranges[1], 10); // convert back to a number if less than MAX_SAFE_INTEGER\n\n      if (startRange < Number.MAX_SAFE_INTEGER && typeof startRange === 'bigint') {\n        startRange = Number(startRange);\n      }\n      if (endRange < Number.MAX_SAFE_INTEGER && typeof endRange === 'bigint') {\n        endRange = Number(endRange);\n      }\n      let length;\n      if (typeof endRange === 'bigint' || typeof startRange === 'bigint') {\n        length = window.BigInt(endRange) - window.BigInt(startRange) + window.BigInt(1);\n      } else {\n        length = endRange - startRange + 1;\n      }\n      if (typeof length === 'bigint' && length < Number.MAX_SAFE_INTEGER) {\n        length = Number(length);\n      } // byterange should be inclusive according to\n      // RFC 2616, Clause 14.35.1\n\n      segment.byterange = {\n        length,\n        offset: startRange\n      };\n    }\n    return segment;\n  };\n  const byteRangeToString = byterange => {\n    // `endRange` is one less than `offset + length` because the HTTP range\n    // header uses inclusive ranges\n    let endRange;\n    if (typeof byterange.offset === 'bigint' || typeof byterange.length === 'bigint') {\n      endRange = window.BigInt(byterange.offset) + window.BigInt(byterange.length) - window.BigInt(1);\n    } else {\n      endRange = byterange.offset + byterange.length - 1;\n    }\n    return `${byterange.offset}-${endRange}`;\n  };\n\n  /**\n   * parse the end number attribue that can be a string\n   * number, or undefined.\n   *\n   * @param {string|number|undefined} endNumber\n   *        The end number attribute.\n   *\n   * @return {number|null}\n   *          The result of parsing the end number.\n   */\n\n  const parseEndNumber = endNumber => {\n    if (endNumber && typeof endNumber !== 'number') {\n      endNumber = parseInt(endNumber, 10);\n    }\n    if (isNaN(endNumber)) {\n      return null;\n    }\n    return endNumber;\n  };\n  /**\n   * Functions for calculating the range of available segments in static and dynamic\n   * manifests.\n   */\n\n  const segmentRange = {\n    /**\n     * Returns the entire range of available segments for a static MPD\n     *\n     * @param {Object} attributes\n     *        Inheritied MPD attributes\n     * @return {{ start: number, end: number }}\n     *         The start and end numbers for available segments\n     */\n    static(attributes) {\n      const {\n        duration,\n        timescale = 1,\n        sourceDuration,\n        periodDuration\n      } = attributes;\n      const endNumber = parseEndNumber(attributes.endNumber);\n      const segmentDuration = duration / timescale;\n      if (typeof endNumber === 'number') {\n        return {\n          start: 0,\n          end: endNumber\n        };\n      }\n      if (typeof periodDuration === 'number') {\n        return {\n          start: 0,\n          end: periodDuration / segmentDuration\n        };\n      }\n      return {\n        start: 0,\n        end: sourceDuration / segmentDuration\n      };\n    },\n    /**\n     * Returns the current live window range of available segments for a dynamic MPD\n     *\n     * @param {Object} attributes\n     *        Inheritied MPD attributes\n     * @return {{ start: number, end: number }}\n     *         The start and end numbers for available segments\n     */\n    dynamic(attributes) {\n      const {\n        NOW,\n        clientOffset,\n        availabilityStartTime,\n        timescale = 1,\n        duration,\n        periodStart = 0,\n        minimumUpdatePeriod = 0,\n        timeShiftBufferDepth = Infinity\n      } = attributes;\n      const endNumber = parseEndNumber(attributes.endNumber); // clientOffset is passed in at the top level of mpd-parser and is an offset calculated\n      // after retrieving UTC server time.\n\n      const now = (NOW + clientOffset) / 1000; // WC stands for Wall Clock.\n      // Convert the period start time to EPOCH.\n\n      const periodStartWC = availabilityStartTime + periodStart; // Period end in EPOCH is manifest's retrieval time + time until next update.\n\n      const periodEndWC = now + minimumUpdatePeriod;\n      const periodDuration = periodEndWC - periodStartWC;\n      const segmentCount = Math.ceil(periodDuration * timescale / duration);\n      const availableStart = Math.floor((now - periodStartWC - timeShiftBufferDepth) * timescale / duration);\n      const availableEnd = Math.floor((now - periodStartWC) * timescale / duration);\n      return {\n        start: Math.max(0, availableStart),\n        end: typeof endNumber === 'number' ? endNumber : Math.min(segmentCount, availableEnd)\n      };\n    }\n  };\n  /**\n   * Maps a range of numbers to objects with information needed to build the corresponding\n   * segment list\n   *\n   * @name toSegmentsCallback\n   * @function\n   * @param {number} number\n   *        Number of the segment\n   * @param {number} index\n   *        Index of the number in the range list\n   * @return {{ number: Number, duration: Number, timeline: Number, time: Number }}\n   *         Object with segment timing and duration info\n   */\n\n  /**\n   * Returns a callback for Array.prototype.map for mapping a range of numbers to\n   * information needed to build the segment list.\n   *\n   * @param {Object} attributes\n   *        Inherited MPD attributes\n   * @return {toSegmentsCallback}\n   *         Callback map function\n   */\n\n  const toSegments = attributes => number => {\n    const {\n      duration,\n      timescale = 1,\n      periodStart,\n      startNumber = 1\n    } = attributes;\n    return {\n      number: startNumber + number,\n      duration: duration / timescale,\n      timeline: periodStart,\n      time: number * duration\n    };\n  };\n  /**\n   * Returns a list of objects containing segment timing and duration info used for\n   * building the list of segments. This uses the @duration attribute specified\n   * in the MPD manifest to derive the range of segments.\n   *\n   * @param {Object} attributes\n   *        Inherited MPD attributes\n   * @return {{number: number, duration: number, time: number, timeline: number}[]}\n   *         List of Objects with segment timing and duration info\n   */\n\n  const parseByDuration = attributes => {\n    const {\n      type,\n      duration,\n      timescale = 1,\n      periodDuration,\n      sourceDuration\n    } = attributes;\n    const {\n      start,\n      end\n    } = segmentRange[type](attributes);\n    const segments = range(start, end).map(toSegments(attributes));\n    if (type === 'static') {\n      const index = segments.length - 1; // section is either a period or the full source\n\n      const sectionDuration = typeof periodDuration === 'number' ? periodDuration : sourceDuration; // final segment may be less than full segment duration\n\n      segments[index].duration = sectionDuration - duration / timescale * index;\n    }\n    return segments;\n  };\n\n  /**\n   * Translates SegmentBase into a set of segments.\n   * (DASH SPEC Section 5.3.9.3.2) contains a set of <SegmentURL> nodes.  Each\n   * node should be translated into segment.\n   *\n   * @param {Object} attributes\n   *   Object containing all inherited attributes from parent elements with attribute\n   *   names as keys\n   * @return {Object.<Array>} list of segments\n   */\n\n  const segmentsFromBase = attributes => {\n    const {\n      baseUrl,\n      initialization = {},\n      sourceDuration,\n      indexRange = '',\n      periodStart,\n      presentationTime,\n      number = 0,\n      duration\n    } = attributes; // base url is required for SegmentBase to work, per spec (Section 5.3.9.2.1)\n\n    if (!baseUrl) {\n      throw new Error(errors.NO_BASE_URL);\n    }\n    const initSegment = urlTypeToSegment({\n      baseUrl,\n      source: initialization.sourceURL,\n      range: initialization.range\n    });\n    const segment = urlTypeToSegment({\n      baseUrl,\n      source: baseUrl,\n      indexRange\n    });\n    segment.map = initSegment; // If there is a duration, use it, otherwise use the given duration of the source\n    // (since SegmentBase is only for one total segment)\n\n    if (duration) {\n      const segmentTimeInfo = parseByDuration(attributes);\n      if (segmentTimeInfo.length) {\n        segment.duration = segmentTimeInfo[0].duration;\n        segment.timeline = segmentTimeInfo[0].timeline;\n      }\n    } else if (sourceDuration) {\n      segment.duration = sourceDuration;\n      segment.timeline = periodStart;\n    } // If presentation time is provided, these segments are being generated by SIDX\n    // references, and should use the time provided. For the general case of SegmentBase,\n    // there should only be one segment in the period, so its presentation time is the same\n    // as its period start.\n\n    segment.presentationTime = presentationTime || periodStart;\n    segment.number = number;\n    return [segment];\n  };\n  /**\n   * Given a playlist, a sidx box, and a baseUrl, update the segment list of the playlist\n   * according to the sidx information given.\n   *\n   * playlist.sidx has metadadata about the sidx where-as the sidx param\n   * is the parsed sidx box itself.\n   *\n   * @param {Object} playlist the playlist to update the sidx information for\n   * @param {Object} sidx the parsed sidx box\n   * @return {Object} the playlist object with the updated sidx information\n   */\n\n  const addSidxSegmentsToPlaylist$1 = (playlist, sidx, baseUrl) => {\n    // Retain init segment information\n    const initSegment = playlist.sidx.map ? playlist.sidx.map : null; // Retain source duration from initial main manifest parsing\n\n    const sourceDuration = playlist.sidx.duration; // Retain source timeline\n\n    const timeline = playlist.timeline || 0;\n    const sidxByteRange = playlist.sidx.byterange;\n    const sidxEnd = sidxByteRange.offset + sidxByteRange.length; // Retain timescale of the parsed sidx\n\n    const timescale = sidx.timescale; // referenceType 1 refers to other sidx boxes\n\n    const mediaReferences = sidx.references.filter(r => r.referenceType !== 1);\n    const segments = [];\n    const type = playlist.endList ? 'static' : 'dynamic';\n    const periodStart = playlist.sidx.timeline;\n    let presentationTime = periodStart;\n    let number = playlist.mediaSequence || 0; // firstOffset is the offset from the end of the sidx box\n\n    let startIndex; // eslint-disable-next-line\n\n    if (typeof sidx.firstOffset === 'bigint') {\n      startIndex = window.BigInt(sidxEnd) + sidx.firstOffset;\n    } else {\n      startIndex = sidxEnd + sidx.firstOffset;\n    }\n    for (let i = 0; i < mediaReferences.length; i++) {\n      const reference = sidx.references[i]; // size of the referenced (sub)segment\n\n      const size = reference.referencedSize; // duration of the referenced (sub)segment, in  the  timescale\n      // this will be converted to seconds when generating segments\n\n      const duration = reference.subsegmentDuration; // should be an inclusive range\n\n      let endIndex; // eslint-disable-next-line\n\n      if (typeof startIndex === 'bigint') {\n        endIndex = startIndex + window.BigInt(size) - window.BigInt(1);\n      } else {\n        endIndex = startIndex + size - 1;\n      }\n      const indexRange = `${startIndex}-${endIndex}`;\n      const attributes = {\n        baseUrl,\n        timescale,\n        timeline,\n        periodStart,\n        presentationTime,\n        number,\n        duration,\n        sourceDuration,\n        indexRange,\n        type\n      };\n      const segment = segmentsFromBase(attributes)[0];\n      if (initSegment) {\n        segment.map = initSegment;\n      }\n      segments.push(segment);\n      if (typeof startIndex === 'bigint') {\n        startIndex += window.BigInt(size);\n      } else {\n        startIndex += size;\n      }\n      presentationTime += duration / timescale;\n      number++;\n    }\n    playlist.segments = segments;\n    return playlist;\n  };\n  const SUPPORTED_MEDIA_TYPES = ['AUDIO', 'SUBTITLES']; // allow one 60fps frame as leniency (arbitrarily chosen)\n\n  const TIME_FUDGE = 1 / 60;\n  /**\n   * Given a list of timelineStarts, combines, dedupes, and sorts them.\n   *\n   * @param {TimelineStart[]} timelineStarts - list of timeline starts\n   *\n   * @return {TimelineStart[]} the combined and deduped timeline starts\n   */\n\n  const getUniqueTimelineStarts = timelineStarts => {\n    return union(timelineStarts, ({\n      timeline\n    }) => timeline).sort((a, b) => a.timeline > b.timeline ? 1 : -1);\n  };\n  /**\n   * Finds the playlist with the matching NAME attribute.\n   *\n   * @param {Array} playlists - playlists to search through\n   * @param {string} name - the NAME attribute to search for\n   *\n   * @return {Object|null} the matching playlist object, or null\n   */\n\n  const findPlaylistWithName = (playlists, name) => {\n    for (let i = 0; i < playlists.length; i++) {\n      if (playlists[i].attributes.NAME === name) {\n        return playlists[i];\n      }\n    }\n    return null;\n  };\n  /**\n   * Gets a flattened array of media group playlists.\n   *\n   * @param {Object} manifest - the main manifest object\n   *\n   * @return {Array} the media group playlists\n   */\n\n  const getMediaGroupPlaylists = manifest => {\n    let mediaGroupPlaylists = [];\n    forEachMediaGroup$1(manifest, SUPPORTED_MEDIA_TYPES, (properties, type, group, label) => {\n      mediaGroupPlaylists = mediaGroupPlaylists.concat(properties.playlists || []);\n    });\n    return mediaGroupPlaylists;\n  };\n  /**\n   * Updates the playlist's media sequence numbers.\n   *\n   * @param {Object} config - options object\n   * @param {Object} config.playlist - the playlist to update\n   * @param {number} config.mediaSequence - the mediaSequence number to start with\n   */\n\n  const updateMediaSequenceForPlaylist = ({\n    playlist,\n    mediaSequence\n  }) => {\n    playlist.mediaSequence = mediaSequence;\n    playlist.segments.forEach((segment, index) => {\n      segment.number = playlist.mediaSequence + index;\n    });\n  };\n  /**\n   * Updates the media and discontinuity sequence numbers of newPlaylists given oldPlaylists\n   * and a complete list of timeline starts.\n   *\n   * If no matching playlist is found, only the discontinuity sequence number of the playlist\n   * will be updated.\n   *\n   * Since early available timelines are not supported, at least one segment must be present.\n   *\n   * @param {Object} config - options object\n   * @param {Object[]} oldPlaylists - the old playlists to use as a reference\n   * @param {Object[]} newPlaylists - the new playlists to update\n   * @param {Object} timelineStarts - all timelineStarts seen in the stream to this point\n   */\n\n  const updateSequenceNumbers = ({\n    oldPlaylists,\n    newPlaylists,\n    timelineStarts\n  }) => {\n    newPlaylists.forEach(playlist => {\n      playlist.discontinuitySequence = timelineStarts.findIndex(function ({\n        timeline\n      }) {\n        return timeline === playlist.timeline;\n      }); // Playlists NAMEs come from DASH Representation IDs, which are mandatory\n      // (see ISO_23009-1-2012 5.3.5.2).\n      //\n      // If the same Representation existed in a prior Period, it will retain the same NAME.\n\n      const oldPlaylist = findPlaylistWithName(oldPlaylists, playlist.attributes.NAME);\n      if (!oldPlaylist) {\n        // Since this is a new playlist, the media sequence values can start from 0 without\n        // consequence.\n        return;\n      } // TODO better support for live SIDX\n      //\n      // As of this writing, mpd-parser does not support multiperiod SIDX (in live or VOD).\n      // This is evident by a playlist only having a single SIDX reference. In a multiperiod\n      // playlist there would need to be multiple SIDX references. In addition, live SIDX is\n      // not supported when the SIDX properties change on refreshes.\n      //\n      // In the future, if support needs to be added, the merging logic here can be called\n      // after SIDX references are resolved. For now, exit early to prevent exceptions being\n      // thrown due to undefined references.\n\n      if (playlist.sidx) {\n        return;\n      } // Since we don't yet support early available timelines, we don't need to support\n      // playlists with no segments.\n\n      const firstNewSegment = playlist.segments[0];\n      const oldMatchingSegmentIndex = oldPlaylist.segments.findIndex(function (oldSegment) {\n        return Math.abs(oldSegment.presentationTime - firstNewSegment.presentationTime) < TIME_FUDGE;\n      }); // No matching segment from the old playlist means the entire playlist was refreshed.\n      // In this case the media sequence should account for this update, and the new segments\n      // should be marked as discontinuous from the prior content, since the last prior\n      // timeline was removed.\n\n      if (oldMatchingSegmentIndex === -1) {\n        updateMediaSequenceForPlaylist({\n          playlist,\n          mediaSequence: oldPlaylist.mediaSequence + oldPlaylist.segments.length\n        });\n        playlist.segments[0].discontinuity = true;\n        playlist.discontinuityStarts.unshift(0); // No matching segment does not necessarily mean there's missing content.\n        //\n        // If the new playlist's timeline is the same as the last seen segment's timeline,\n        // then a discontinuity can be added to identify that there's potentially missing\n        // content. If there's no missing content, the discontinuity should still be rather\n        // harmless. It's possible that if segment durations are accurate enough, that the\n        // existence of a gap can be determined using the presentation times and durations,\n        // but if the segment timing info is off, it may introduce more problems than simply\n        // adding the discontinuity.\n        //\n        // If the new playlist's timeline is different from the last seen segment's timeline,\n        // then a discontinuity can be added to identify that this is the first seen segment\n        // of a new timeline. However, the logic at the start of this function that\n        // determined the disconinuity sequence by timeline index is now off by one (the\n        // discontinuity of the newest timeline hasn't yet fallen off the manifest...since\n        // we added it), so the disconinuity sequence must be decremented.\n        //\n        // A period may also have a duration of zero, so the case of no segments is handled\n        // here even though we don't yet support early available periods.\n\n        if (!oldPlaylist.segments.length && playlist.timeline > oldPlaylist.timeline || oldPlaylist.segments.length && playlist.timeline > oldPlaylist.segments[oldPlaylist.segments.length - 1].timeline) {\n          playlist.discontinuitySequence--;\n        }\n        return;\n      } // If the first segment matched with a prior segment on a discontinuity (it's matching\n      // on the first segment of a period), then the discontinuitySequence shouldn't be the\n      // timeline's matching one, but instead should be the one prior, and the first segment\n      // of the new manifest should be marked with a discontinuity.\n      //\n      // The reason for this special case is that discontinuity sequence shows how many\n      // discontinuities have fallen off of the playlist, and discontinuities are marked on\n      // the first segment of a new \"timeline.\" Because of this, while DASH will retain that\n      // Period while the \"timeline\" exists, HLS keeps track of it via the discontinuity\n      // sequence, and that first segment is an indicator, but can be removed before that\n      // timeline is gone.\n\n      const oldMatchingSegment = oldPlaylist.segments[oldMatchingSegmentIndex];\n      if (oldMatchingSegment.discontinuity && !firstNewSegment.discontinuity) {\n        firstNewSegment.discontinuity = true;\n        playlist.discontinuityStarts.unshift(0);\n        playlist.discontinuitySequence--;\n      }\n      updateMediaSequenceForPlaylist({\n        playlist,\n        mediaSequence: oldPlaylist.segments[oldMatchingSegmentIndex].number\n      });\n    });\n  };\n  /**\n   * Given an old parsed manifest object and a new parsed manifest object, updates the\n   * sequence and timing values within the new manifest to ensure that it lines up with the\n   * old.\n   *\n   * @param {Array} oldManifest - the old main manifest object\n   * @param {Array} newManifest - the new main manifest object\n   *\n   * @return {Object} the updated new manifest object\n   */\n\n  const positionManifestOnTimeline = ({\n    oldManifest,\n    newManifest\n  }) => {\n    // Starting from v4.1.2 of the IOP, section 4.4.3.3 states:\n    //\n    // \"MPD@availabilityStartTime and Period@start shall not be changed over MPD updates.\"\n    //\n    // This was added from https://github.com/Dash-Industry-Forum/DASH-IF-IOP/issues/160\n    //\n    // Because of this change, and the difficulty of supporting periods with changing start\n    // times, periods with changing start times are not supported. This makes the logic much\n    // simpler, since periods with the same start time can be considerred the same period\n    // across refreshes.\n    //\n    // To give an example as to the difficulty of handling periods where the start time may\n    // change, if a single period manifest is refreshed with another manifest with a single\n    // period, and both the start and end times are increased, then the only way to determine\n    // if it's a new period or an old one that has changed is to look through the segments of\n    // each playlist and determine the presentation time bounds to find a match. In addition,\n    // if the period start changed to exceed the old period end, then there would be no\n    // match, and it would not be possible to determine whether the refreshed period is a new\n    // one or the old one.\n    const oldPlaylists = oldManifest.playlists.concat(getMediaGroupPlaylists(oldManifest));\n    const newPlaylists = newManifest.playlists.concat(getMediaGroupPlaylists(newManifest)); // Save all seen timelineStarts to the new manifest. Although this potentially means that\n    // there's a \"memory leak\" in that it will never stop growing, in reality, only a couple\n    // of properties are saved for each seen Period. Even long running live streams won't\n    // generate too many Periods, unless the stream is watched for decades. In the future,\n    // this can be optimized by mapping to discontinuity sequence numbers for each timeline,\n    // but it may not become an issue, and the additional info can be useful for debugging.\n\n    newManifest.timelineStarts = getUniqueTimelineStarts([oldManifest.timelineStarts, newManifest.timelineStarts]);\n    updateSequenceNumbers({\n      oldPlaylists,\n      newPlaylists,\n      timelineStarts: newManifest.timelineStarts\n    });\n    return newManifest;\n  };\n  const generateSidxKey = sidx => sidx && sidx.uri + '-' + byteRangeToString(sidx.byterange);\n  const mergeDiscontiguousPlaylists = playlists => {\n    // Break out playlists into groups based on their baseUrl\n    const playlistsByBaseUrl = playlists.reduce(function (acc, cur) {\n      if (!acc[cur.attributes.baseUrl]) {\n        acc[cur.attributes.baseUrl] = [];\n      }\n      acc[cur.attributes.baseUrl].push(cur);\n      return acc;\n    }, {});\n    let allPlaylists = [];\n    Object.values(playlistsByBaseUrl).forEach(playlistGroup => {\n      const mergedPlaylists = values(playlistGroup.reduce((acc, playlist) => {\n        // assuming playlist IDs are the same across periods\n        // TODO: handle multiperiod where representation sets are not the same\n        // across periods\n        const name = playlist.attributes.id + (playlist.attributes.lang || '');\n        if (!acc[name]) {\n          // First Period\n          acc[name] = playlist;\n          acc[name].attributes.timelineStarts = [];\n        } else {\n          // Subsequent Periods\n          if (playlist.segments) {\n            // first segment of subsequent periods signal a discontinuity\n            if (playlist.segments[0]) {\n              playlist.segments[0].discontinuity = true;\n            }\n            acc[name].segments.push(...playlist.segments);\n          } // bubble up contentProtection, this assumes all DRM content\n          // has the same contentProtection\n\n          if (playlist.attributes.contentProtection) {\n            acc[name].attributes.contentProtection = playlist.attributes.contentProtection;\n          }\n        }\n        acc[name].attributes.timelineStarts.push({\n          // Although they represent the same number, it's important to have both to make it\n          // compatible with HLS potentially having a similar attribute.\n          start: playlist.attributes.periodStart,\n          timeline: playlist.attributes.periodStart\n        });\n        return acc;\n      }, {}));\n      allPlaylists = allPlaylists.concat(mergedPlaylists);\n    });\n    return allPlaylists.map(playlist => {\n      playlist.discontinuityStarts = findIndexes(playlist.segments || [], 'discontinuity');\n      return playlist;\n    });\n  };\n  const addSidxSegmentsToPlaylist = (playlist, sidxMapping) => {\n    const sidxKey = generateSidxKey(playlist.sidx);\n    const sidxMatch = sidxKey && sidxMapping[sidxKey] && sidxMapping[sidxKey].sidx;\n    if (sidxMatch) {\n      addSidxSegmentsToPlaylist$1(playlist, sidxMatch, playlist.sidx.resolvedUri);\n    }\n    return playlist;\n  };\n  const addSidxSegmentsToPlaylists = (playlists, sidxMapping = {}) => {\n    if (!Object.keys(sidxMapping).length) {\n      return playlists;\n    }\n    for (const i in playlists) {\n      playlists[i] = addSidxSegmentsToPlaylist(playlists[i], sidxMapping);\n    }\n    return playlists;\n  };\n  const formatAudioPlaylist = ({\n    attributes,\n    segments,\n    sidx,\n    mediaSequence,\n    discontinuitySequence,\n    discontinuityStarts\n  }, isAudioOnly) => {\n    const playlist = {\n      attributes: {\n        NAME: attributes.id,\n        BANDWIDTH: attributes.bandwidth,\n        CODECS: attributes.codecs,\n        ['PROGRAM-ID']: 1\n      },\n      uri: '',\n      endList: attributes.type === 'static',\n      timeline: attributes.periodStart,\n      resolvedUri: attributes.baseUrl || '',\n      targetDuration: attributes.duration,\n      discontinuitySequence,\n      discontinuityStarts,\n      timelineStarts: attributes.timelineStarts,\n      mediaSequence,\n      segments\n    };\n    if (attributes.contentProtection) {\n      playlist.contentProtection = attributes.contentProtection;\n    }\n    if (attributes.serviceLocation) {\n      playlist.attributes.serviceLocation = attributes.serviceLocation;\n    }\n    if (sidx) {\n      playlist.sidx = sidx;\n    }\n    if (isAudioOnly) {\n      playlist.attributes.AUDIO = 'audio';\n      playlist.attributes.SUBTITLES = 'subs';\n    }\n    return playlist;\n  };\n  const formatVttPlaylist = ({\n    attributes,\n    segments,\n    mediaSequence,\n    discontinuityStarts,\n    discontinuitySequence\n  }) => {\n    if (typeof segments === 'undefined') {\n      // vtt tracks may use single file in BaseURL\n      segments = [{\n        uri: attributes.baseUrl,\n        timeline: attributes.periodStart,\n        resolvedUri: attributes.baseUrl || '',\n        duration: attributes.sourceDuration,\n        number: 0\n      }]; // targetDuration should be the same duration as the only segment\n\n      attributes.duration = attributes.sourceDuration;\n    }\n    const m3u8Attributes = {\n      NAME: attributes.id,\n      BANDWIDTH: attributes.bandwidth,\n      ['PROGRAM-ID']: 1\n    };\n    if (attributes.codecs) {\n      m3u8Attributes.CODECS = attributes.codecs;\n    }\n    const vttPlaylist = {\n      attributes: m3u8Attributes,\n      uri: '',\n      endList: attributes.type === 'static',\n      timeline: attributes.periodStart,\n      resolvedUri: attributes.baseUrl || '',\n      targetDuration: attributes.duration,\n      timelineStarts: attributes.timelineStarts,\n      discontinuityStarts,\n      discontinuitySequence,\n      mediaSequence,\n      segments\n    };\n    if (attributes.serviceLocation) {\n      vttPlaylist.attributes.serviceLocation = attributes.serviceLocation;\n    }\n    return vttPlaylist;\n  };\n  const organizeAudioPlaylists = (playlists, sidxMapping = {}, isAudioOnly = false) => {\n    let mainPlaylist;\n    const formattedPlaylists = playlists.reduce((a, playlist) => {\n      const role = playlist.attributes.role && playlist.attributes.role.value || '';\n      const language = playlist.attributes.lang || '';\n      let label = playlist.attributes.label || 'main';\n      if (language && !playlist.attributes.label) {\n        const roleLabel = role ? ` (${role})` : '';\n        label = `${playlist.attributes.lang}${roleLabel}`;\n      }\n      if (!a[label]) {\n        a[label] = {\n          language,\n          autoselect: true,\n          default: role === 'main',\n          playlists: [],\n          uri: ''\n        };\n      }\n      const formatted = addSidxSegmentsToPlaylist(formatAudioPlaylist(playlist, isAudioOnly), sidxMapping);\n      a[label].playlists.push(formatted);\n      if (typeof mainPlaylist === 'undefined' && role === 'main') {\n        mainPlaylist = playlist;\n        mainPlaylist.default = true;\n      }\n      return a;\n    }, {}); // if no playlists have role \"main\", mark the first as main\n\n    if (!mainPlaylist) {\n      const firstLabel = Object.keys(formattedPlaylists)[0];\n      formattedPlaylists[firstLabel].default = true;\n    }\n    return formattedPlaylists;\n  };\n  const organizeVttPlaylists = (playlists, sidxMapping = {}) => {\n    return playlists.reduce((a, playlist) => {\n      const label = playlist.attributes.label || playlist.attributes.lang || 'text';\n      const language = playlist.attributes.lang || 'und';\n      if (!a[label]) {\n        a[label] = {\n          language,\n          default: false,\n          autoselect: false,\n          playlists: [],\n          uri: ''\n        };\n      }\n      a[label].playlists.push(addSidxSegmentsToPlaylist(formatVttPlaylist(playlist), sidxMapping));\n      return a;\n    }, {});\n  };\n  const organizeCaptionServices = captionServices => captionServices.reduce((svcObj, svc) => {\n    if (!svc) {\n      return svcObj;\n    }\n    svc.forEach(service => {\n      const {\n        channel,\n        language\n      } = service;\n      svcObj[language] = {\n        autoselect: false,\n        default: false,\n        instreamId: channel,\n        language\n      };\n      if (service.hasOwnProperty('aspectRatio')) {\n        svcObj[language].aspectRatio = service.aspectRatio;\n      }\n      if (service.hasOwnProperty('easyReader')) {\n        svcObj[language].easyReader = service.easyReader;\n      }\n      if (service.hasOwnProperty('3D')) {\n        svcObj[language]['3D'] = service['3D'];\n      }\n    });\n    return svcObj;\n  }, {});\n  const formatVideoPlaylist = ({\n    attributes,\n    segments,\n    sidx,\n    discontinuityStarts\n  }) => {\n    const playlist = {\n      attributes: {\n        NAME: attributes.id,\n        AUDIO: 'audio',\n        SUBTITLES: 'subs',\n        RESOLUTION: {\n          width: attributes.width,\n          height: attributes.height\n        },\n        CODECS: attributes.codecs,\n        BANDWIDTH: attributes.bandwidth,\n        ['PROGRAM-ID']: 1\n      },\n      uri: '',\n      endList: attributes.type === 'static',\n      timeline: attributes.periodStart,\n      resolvedUri: attributes.baseUrl || '',\n      targetDuration: attributes.duration,\n      discontinuityStarts,\n      timelineStarts: attributes.timelineStarts,\n      segments\n    };\n    if (attributes.frameRate) {\n      playlist.attributes['FRAME-RATE'] = attributes.frameRate;\n    }\n    if (attributes.contentProtection) {\n      playlist.contentProtection = attributes.contentProtection;\n    }\n    if (attributes.serviceLocation) {\n      playlist.attributes.serviceLocation = attributes.serviceLocation;\n    }\n    if (sidx) {\n      playlist.sidx = sidx;\n    }\n    return playlist;\n  };\n  const videoOnly = ({\n    attributes\n  }) => attributes.mimeType === 'video/mp4' || attributes.mimeType === 'video/webm' || attributes.contentType === 'video';\n  const audioOnly = ({\n    attributes\n  }) => attributes.mimeType === 'audio/mp4' || attributes.mimeType === 'audio/webm' || attributes.contentType === 'audio';\n  const vttOnly = ({\n    attributes\n  }) => attributes.mimeType === 'text/vtt' || attributes.contentType === 'text';\n  /**\n   * Contains start and timeline properties denoting a timeline start. For DASH, these will\n   * be the same number.\n   *\n   * @typedef {Object} TimelineStart\n   * @property {number} start - the start time of the timeline\n   * @property {number} timeline - the timeline number\n   */\n\n  /**\n   * Adds appropriate media and discontinuity sequence values to the segments and playlists.\n   *\n   * Throughout mpd-parser, the `number` attribute is used in relation to `startNumber`, a\n   * DASH specific attribute used in constructing segment URI's from templates. However, from\n   * an HLS perspective, the `number` attribute on a segment would be its `mediaSequence`\n   * value, which should start at the original media sequence value (or 0) and increment by 1\n   * for each segment thereafter. Since DASH's `startNumber` values are independent per\n   * period, it doesn't make sense to use it for `number`. Instead, assume everything starts\n   * from a 0 mediaSequence value and increment from there.\n   *\n   * Note that VHS currently doesn't use the `number` property, but it can be helpful for\n   * debugging and making sense of the manifest.\n   *\n   * For live playlists, to account for values increasing in manifests when periods are\n   * removed on refreshes, merging logic should be used to update the numbers to their\n   * appropriate values (to ensure they're sequential and increasing).\n   *\n   * @param {Object[]} playlists - the playlists to update\n   * @param {TimelineStart[]} timelineStarts - the timeline starts for the manifest\n   */\n\n  const addMediaSequenceValues = (playlists, timelineStarts) => {\n    // increment all segments sequentially\n    playlists.forEach(playlist => {\n      playlist.mediaSequence = 0;\n      playlist.discontinuitySequence = timelineStarts.findIndex(function ({\n        timeline\n      }) {\n        return timeline === playlist.timeline;\n      });\n      if (!playlist.segments) {\n        return;\n      }\n      playlist.segments.forEach((segment, index) => {\n        segment.number = index;\n      });\n    });\n  };\n  /**\n   * Given a media group object, flattens all playlists within the media group into a single\n   * array.\n   *\n   * @param {Object} mediaGroupObject - the media group object\n   *\n   * @return {Object[]}\n   *         The media group playlists\n   */\n\n  const flattenMediaGroupPlaylists = mediaGroupObject => {\n    if (!mediaGroupObject) {\n      return [];\n    }\n    return Object.keys(mediaGroupObject).reduce((acc, label) => {\n      const labelContents = mediaGroupObject[label];\n      return acc.concat(labelContents.playlists);\n    }, []);\n  };\n  const toM3u8 = ({\n    dashPlaylists,\n    locations,\n    contentSteering,\n    sidxMapping = {},\n    previousManifest,\n    eventStream\n  }) => {\n    if (!dashPlaylists.length) {\n      return {};\n    } // grab all main manifest attributes\n\n    const {\n      sourceDuration: duration,\n      type,\n      suggestedPresentationDelay,\n      minimumUpdatePeriod\n    } = dashPlaylists[0].attributes;\n    const videoPlaylists = mergeDiscontiguousPlaylists(dashPlaylists.filter(videoOnly)).map(formatVideoPlaylist);\n    const audioPlaylists = mergeDiscontiguousPlaylists(dashPlaylists.filter(audioOnly));\n    const vttPlaylists = mergeDiscontiguousPlaylists(dashPlaylists.filter(vttOnly));\n    const captions = dashPlaylists.map(playlist => playlist.attributes.captionServices).filter(Boolean);\n    const manifest = {\n      allowCache: true,\n      discontinuityStarts: [],\n      segments: [],\n      endList: true,\n      mediaGroups: {\n        AUDIO: {},\n        VIDEO: {},\n        ['CLOSED-CAPTIONS']: {},\n        SUBTITLES: {}\n      },\n      uri: '',\n      duration,\n      playlists: addSidxSegmentsToPlaylists(videoPlaylists, sidxMapping)\n    };\n    if (minimumUpdatePeriod >= 0) {\n      manifest.minimumUpdatePeriod = minimumUpdatePeriod * 1000;\n    }\n    if (locations) {\n      manifest.locations = locations;\n    }\n    if (contentSteering) {\n      manifest.contentSteering = contentSteering;\n    }\n    if (type === 'dynamic') {\n      manifest.suggestedPresentationDelay = suggestedPresentationDelay;\n    }\n    if (eventStream && eventStream.length > 0) {\n      manifest.eventStream = eventStream;\n    }\n    const isAudioOnly = manifest.playlists.length === 0;\n    const organizedAudioGroup = audioPlaylists.length ? organizeAudioPlaylists(audioPlaylists, sidxMapping, isAudioOnly) : null;\n    const organizedVttGroup = vttPlaylists.length ? organizeVttPlaylists(vttPlaylists, sidxMapping) : null;\n    const formattedPlaylists = videoPlaylists.concat(flattenMediaGroupPlaylists(organizedAudioGroup), flattenMediaGroupPlaylists(organizedVttGroup));\n    const playlistTimelineStarts = formattedPlaylists.map(({\n      timelineStarts\n    }) => timelineStarts);\n    manifest.timelineStarts = getUniqueTimelineStarts(playlistTimelineStarts);\n    addMediaSequenceValues(formattedPlaylists, manifest.timelineStarts);\n    if (organizedAudioGroup) {\n      manifest.mediaGroups.AUDIO.audio = organizedAudioGroup;\n    }\n    if (organizedVttGroup) {\n      manifest.mediaGroups.SUBTITLES.subs = organizedVttGroup;\n    }\n    if (captions.length) {\n      manifest.mediaGroups['CLOSED-CAPTIONS'].cc = organizeCaptionServices(captions);\n    }\n    if (previousManifest) {\n      return positionManifestOnTimeline({\n        oldManifest: previousManifest,\n        newManifest: manifest\n      });\n    }\n    return manifest;\n  };\n\n  /**\n   * Calculates the R (repetition) value for a live stream (for the final segment\n   * in a manifest where the r value is negative 1)\n   *\n   * @param {Object} attributes\n   *        Object containing all inherited attributes from parent elements with attribute\n   *        names as keys\n   * @param {number} time\n   *        current time (typically the total time up until the final segment)\n   * @param {number} duration\n   *        duration property for the given <S />\n   *\n   * @return {number}\n   *        R value to reach the end of the given period\n   */\n  const getLiveRValue = (attributes, time, duration) => {\n    const {\n      NOW,\n      clientOffset,\n      availabilityStartTime,\n      timescale = 1,\n      periodStart = 0,\n      minimumUpdatePeriod = 0\n    } = attributes;\n    const now = (NOW + clientOffset) / 1000;\n    const periodStartWC = availabilityStartTime + periodStart;\n    const periodEndWC = now + minimumUpdatePeriod;\n    const periodDuration = periodEndWC - periodStartWC;\n    return Math.ceil((periodDuration * timescale - time) / duration);\n  };\n  /**\n   * Uses information provided by SegmentTemplate.SegmentTimeline to determine segment\n   * timing and duration\n   *\n   * @param {Object} attributes\n   *        Object containing all inherited attributes from parent elements with attribute\n   *        names as keys\n   * @param {Object[]} segmentTimeline\n   *        List of objects representing the attributes of each S element contained within\n   *\n   * @return {{number: number, duration: number, time: number, timeline: number}[]}\n   *         List of Objects with segment timing and duration info\n   */\n\n  const parseByTimeline = (attributes, segmentTimeline) => {\n    const {\n      type,\n      minimumUpdatePeriod = 0,\n      media = '',\n      sourceDuration,\n      timescale = 1,\n      startNumber = 1,\n      periodStart: timeline\n    } = attributes;\n    const segments = [];\n    let time = -1;\n    for (let sIndex = 0; sIndex < segmentTimeline.length; sIndex++) {\n      const S = segmentTimeline[sIndex];\n      const duration = S.d;\n      const repeat = S.r || 0;\n      const segmentTime = S.t || 0;\n      if (time < 0) {\n        // first segment\n        time = segmentTime;\n      }\n      if (segmentTime && segmentTime > time) {\n        // discontinuity\n        // TODO: How to handle this type of discontinuity\n        // timeline++ here would treat it like HLS discontuity and content would\n        // get appended without gap\n        // E.G.\n        //  <S t=\"0\" d=\"1\" />\n        //  <S d=\"1\" />\n        //  <S d=\"1\" />\n        //  <S t=\"5\" d=\"1\" />\n        // would have $Time$ values of [0, 1, 2, 5]\n        // should this be appened at time positions [0, 1, 2, 3],(#EXT-X-DISCONTINUITY)\n        // or [0, 1, 2, gap, gap, 5]? (#EXT-X-GAP)\n        // does the value of sourceDuration consider this when calculating arbitrary\n        // negative @r repeat value?\n        // E.G. Same elements as above with this added at the end\n        //  <S d=\"1\" r=\"-1\" />\n        //  with a sourceDuration of 10\n        // Would the 2 gaps be included in the time duration calculations resulting in\n        // 8 segments with $Time$ values of [0, 1, 2, 5, 6, 7, 8, 9] or 10 segments\n        // with $Time$ values of [0, 1, 2, 5, 6, 7, 8, 9, 10, 11] ?\n        time = segmentTime;\n      }\n      let count;\n      if (repeat < 0) {\n        const nextS = sIndex + 1;\n        if (nextS === segmentTimeline.length) {\n          // last segment\n          if (type === 'dynamic' && minimumUpdatePeriod > 0 && media.indexOf('$Number$') > 0) {\n            count = getLiveRValue(attributes, time, duration);\n          } else {\n            // TODO: This may be incorrect depending on conclusion of TODO above\n            count = (sourceDuration * timescale - time) / duration;\n          }\n        } else {\n          count = (segmentTimeline[nextS].t - time) / duration;\n        }\n      } else {\n        count = repeat + 1;\n      }\n      const end = startNumber + segments.length + count;\n      let number = startNumber + segments.length;\n      while (number < end) {\n        segments.push({\n          number,\n          duration: duration / timescale,\n          time,\n          timeline\n        });\n        time += duration;\n        number++;\n      }\n    }\n    return segments;\n  };\n  const identifierPattern = /\\$([A-z]*)(?:(%0)([0-9]+)d)?\\$/g;\n  /**\n   * Replaces template identifiers with corresponding values. To be used as the callback\n   * for String.prototype.replace\n   *\n   * @name replaceCallback\n   * @function\n   * @param {string} match\n   *        Entire match of identifier\n   * @param {string} identifier\n   *        Name of matched identifier\n   * @param {string} format\n   *        Format tag string. Its presence indicates that padding is expected\n   * @param {string} width\n   *        Desired length of the replaced value. Values less than this width shall be left\n   *        zero padded\n   * @return {string}\n   *         Replacement for the matched identifier\n   */\n\n  /**\n   * Returns a function to be used as a callback for String.prototype.replace to replace\n   * template identifiers\n   *\n   * @param {Obect} values\n   *        Object containing values that shall be used to replace known identifiers\n   * @param {number} values.RepresentationID\n   *        Value of the Representation@id attribute\n   * @param {number} values.Number\n   *        Number of the corresponding segment\n   * @param {number} values.Bandwidth\n   *        Value of the Representation@bandwidth attribute.\n   * @param {number} values.Time\n   *        Timestamp value of the corresponding segment\n   * @return {replaceCallback}\n   *         Callback to be used with String.prototype.replace to replace identifiers\n   */\n\n  const identifierReplacement = values => (match, identifier, format, width) => {\n    if (match === '$$') {\n      // escape sequence\n      return '$';\n    }\n    if (typeof values[identifier] === 'undefined') {\n      return match;\n    }\n    const value = '' + values[identifier];\n    if (identifier === 'RepresentationID') {\n      // Format tag shall not be present with RepresentationID\n      return value;\n    }\n    if (!format) {\n      width = 1;\n    } else {\n      width = parseInt(width, 10);\n    }\n    if (value.length >= width) {\n      return value;\n    }\n    return `${new Array(width - value.length + 1).join('0')}${value}`;\n  };\n  /**\n   * Constructs a segment url from a template string\n   *\n   * @param {string} url\n   *        Template string to construct url from\n   * @param {Obect} values\n   *        Object containing values that shall be used to replace known identifiers\n   * @param {number} values.RepresentationID\n   *        Value of the Representation@id attribute\n   * @param {number} values.Number\n   *        Number of the corresponding segment\n   * @param {number} values.Bandwidth\n   *        Value of the Representation@bandwidth attribute.\n   * @param {number} values.Time\n   *        Timestamp value of the corresponding segment\n   * @return {string}\n   *         Segment url with identifiers replaced\n   */\n\n  const constructTemplateUrl = (url, values) => url.replace(identifierPattern, identifierReplacement(values));\n  /**\n   * Generates a list of objects containing timing and duration information about each\n   * segment needed to generate segment uris and the complete segment object\n   *\n   * @param {Object} attributes\n   *        Object containing all inherited attributes from parent elements with attribute\n   *        names as keys\n   * @param {Object[]|undefined} segmentTimeline\n   *        List of objects representing the attributes of each S element contained within\n   *        the SegmentTimeline element\n   * @return {{number: number, duration: number, time: number, timeline: number}[]}\n   *         List of Objects with segment timing and duration info\n   */\n\n  const parseTemplateInfo = (attributes, segmentTimeline) => {\n    if (!attributes.duration && !segmentTimeline) {\n      // if neither @duration or SegmentTimeline are present, then there shall be exactly\n      // one media segment\n      return [{\n        number: attributes.startNumber || 1,\n        duration: attributes.sourceDuration,\n        time: 0,\n        timeline: attributes.periodStart\n      }];\n    }\n    if (attributes.duration) {\n      return parseByDuration(attributes);\n    }\n    return parseByTimeline(attributes, segmentTimeline);\n  };\n  /**\n   * Generates a list of segments using information provided by the SegmentTemplate element\n   *\n   * @param {Object} attributes\n   *        Object containing all inherited attributes from parent elements with attribute\n   *        names as keys\n   * @param {Object[]|undefined} segmentTimeline\n   *        List of objects representing the attributes of each S element contained within\n   *        the SegmentTimeline element\n   * @return {Object[]}\n   *         List of segment objects\n   */\n\n  const segmentsFromTemplate = (attributes, segmentTimeline) => {\n    const templateValues = {\n      RepresentationID: attributes.id,\n      Bandwidth: attributes.bandwidth || 0\n    };\n    const {\n      initialization = {\n        sourceURL: '',\n        range: ''\n      }\n    } = attributes;\n    const mapSegment = urlTypeToSegment({\n      baseUrl: attributes.baseUrl,\n      source: constructTemplateUrl(initialization.sourceURL, templateValues),\n      range: initialization.range\n    });\n    const segments = parseTemplateInfo(attributes, segmentTimeline);\n    return segments.map(segment => {\n      templateValues.Number = segment.number;\n      templateValues.Time = segment.time;\n      const uri = constructTemplateUrl(attributes.media || '', templateValues); // See DASH spec section 5.3.9.2.2\n      // - if timescale isn't present on any level, default to 1.\n\n      const timescale = attributes.timescale || 1; // - if presentationTimeOffset isn't present on any level, default to 0\n\n      const presentationTimeOffset = attributes.presentationTimeOffset || 0;\n      const presentationTime =\n      // Even if the @t attribute is not specified for the segment, segment.time is\n      // calculated in mpd-parser prior to this, so it's assumed to be available.\n      attributes.periodStart + (segment.time - presentationTimeOffset) / timescale;\n      const map = {\n        uri,\n        timeline: segment.timeline,\n        duration: segment.duration,\n        resolvedUri: resolveUrl$1(attributes.baseUrl || '', uri),\n        map: mapSegment,\n        number: segment.number,\n        presentationTime\n      };\n      return map;\n    });\n  };\n\n  /**\n   * Converts a <SegmentUrl> (of type URLType from the DASH spec 5.3.9.2 Table 14)\n   * to an object that matches the output of a segment in videojs/mpd-parser\n   *\n   * @param {Object} attributes\n   *   Object containing all inherited attributes from parent elements with attribute\n   *   names as keys\n   * @param {Object} segmentUrl\n   *   <SegmentURL> node to translate into a segment object\n   * @return {Object} translated segment object\n   */\n\n  const SegmentURLToSegmentObject = (attributes, segmentUrl) => {\n    const {\n      baseUrl,\n      initialization = {}\n    } = attributes;\n    const initSegment = urlTypeToSegment({\n      baseUrl,\n      source: initialization.sourceURL,\n      range: initialization.range\n    });\n    const segment = urlTypeToSegment({\n      baseUrl,\n      source: segmentUrl.media,\n      range: segmentUrl.mediaRange\n    });\n    segment.map = initSegment;\n    return segment;\n  };\n  /**\n   * Generates a list of segments using information provided by the SegmentList element\n   * SegmentList (DASH SPEC Section 5.3.9.3.2) contains a set of <SegmentURL> nodes.  Each\n   * node should be translated into segment.\n   *\n   * @param {Object} attributes\n   *   Object containing all inherited attributes from parent elements with attribute\n   *   names as keys\n   * @param {Object[]|undefined} segmentTimeline\n   *        List of objects representing the attributes of each S element contained within\n   *        the SegmentTimeline element\n   * @return {Object.<Array>} list of segments\n   */\n\n  const segmentsFromList = (attributes, segmentTimeline) => {\n    const {\n      duration,\n      segmentUrls = [],\n      periodStart\n    } = attributes; // Per spec (5.3.9.2.1) no way to determine segment duration OR\n    // if both SegmentTimeline and @duration are defined, it is outside of spec.\n\n    if (!duration && !segmentTimeline || duration && segmentTimeline) {\n      throw new Error(errors.SEGMENT_TIME_UNSPECIFIED);\n    }\n    const segmentUrlMap = segmentUrls.map(segmentUrlObject => SegmentURLToSegmentObject(attributes, segmentUrlObject));\n    let segmentTimeInfo;\n    if (duration) {\n      segmentTimeInfo = parseByDuration(attributes);\n    }\n    if (segmentTimeline) {\n      segmentTimeInfo = parseByTimeline(attributes, segmentTimeline);\n    }\n    const segments = segmentTimeInfo.map((segmentTime, index) => {\n      if (segmentUrlMap[index]) {\n        const segment = segmentUrlMap[index]; // See DASH spec section 5.3.9.2.2\n        // - if timescale isn't present on any level, default to 1.\n\n        const timescale = attributes.timescale || 1; // - if presentationTimeOffset isn't present on any level, default to 0\n\n        const presentationTimeOffset = attributes.presentationTimeOffset || 0;\n        segment.timeline = segmentTime.timeline;\n        segment.duration = segmentTime.duration;\n        segment.number = segmentTime.number;\n        segment.presentationTime = periodStart + (segmentTime.time - presentationTimeOffset) / timescale;\n        return segment;\n      } // Since we're mapping we should get rid of any blank segments (in case\n      // the given SegmentTimeline is handling for more elements than we have\n      // SegmentURLs for).\n    }).filter(segment => segment);\n    return segments;\n  };\n  const generateSegments = ({\n    attributes,\n    segmentInfo\n  }) => {\n    let segmentAttributes;\n    let segmentsFn;\n    if (segmentInfo.template) {\n      segmentsFn = segmentsFromTemplate;\n      segmentAttributes = merge$1(attributes, segmentInfo.template);\n    } else if (segmentInfo.base) {\n      segmentsFn = segmentsFromBase;\n      segmentAttributes = merge$1(attributes, segmentInfo.base);\n    } else if (segmentInfo.list) {\n      segmentsFn = segmentsFromList;\n      segmentAttributes = merge$1(attributes, segmentInfo.list);\n    }\n    const segmentsInfo = {\n      attributes\n    };\n    if (!segmentsFn) {\n      return segmentsInfo;\n    }\n    const segments = segmentsFn(segmentAttributes, segmentInfo.segmentTimeline); // The @duration attribute will be used to determin the playlist's targetDuration which\n    // must be in seconds. Since we've generated the segment list, we no longer need\n    // @duration to be in @timescale units, so we can convert it here.\n\n    if (segmentAttributes.duration) {\n      const {\n        duration,\n        timescale = 1\n      } = segmentAttributes;\n      segmentAttributes.duration = duration / timescale;\n    } else if (segments.length) {\n      // if there is no @duration attribute, use the largest segment duration as\n      // as target duration\n      segmentAttributes.duration = segments.reduce((max, segment) => {\n        return Math.max(max, Math.ceil(segment.duration));\n      }, 0);\n    } else {\n      segmentAttributes.duration = 0;\n    }\n    segmentsInfo.attributes = segmentAttributes;\n    segmentsInfo.segments = segments; // This is a sidx box without actual segment information\n\n    if (segmentInfo.base && segmentAttributes.indexRange) {\n      segmentsInfo.sidx = segments[0];\n      segmentsInfo.segments = [];\n    }\n    return segmentsInfo;\n  };\n  const toPlaylists = representations => representations.map(generateSegments);\n  const findChildren = (element, name) => from(element.childNodes).filter(({\n    tagName\n  }) => tagName === name);\n  const getContent = element => element.textContent.trim();\n\n  /**\n   * Converts the provided string that may contain a division operation to a number.\n   *\n   * @param {string} value - the provided string value\n   *\n   * @return {number} the parsed string value\n   */\n  const parseDivisionValue = value => {\n    return parseFloat(value.split('/').reduce((prev, current) => prev / current));\n  };\n  const parseDuration = str => {\n    const SECONDS_IN_YEAR = 365 * 24 * 60 * 60;\n    const SECONDS_IN_MONTH = 30 * 24 * 60 * 60;\n    const SECONDS_IN_DAY = 24 * 60 * 60;\n    const SECONDS_IN_HOUR = 60 * 60;\n    const SECONDS_IN_MIN = 60; // P10Y10M10DT10H10M10.1S\n\n    const durationRegex = /P(?:(\\d*)Y)?(?:(\\d*)M)?(?:(\\d*)D)?(?:T(?:(\\d*)H)?(?:(\\d*)M)?(?:([\\d.]*)S)?)?/;\n    const match = durationRegex.exec(str);\n    if (!match) {\n      return 0;\n    }\n    const [year, month, day, hour, minute, second] = match.slice(1);\n    return parseFloat(year || 0) * SECONDS_IN_YEAR + parseFloat(month || 0) * SECONDS_IN_MONTH + parseFloat(day || 0) * SECONDS_IN_DAY + parseFloat(hour || 0) * SECONDS_IN_HOUR + parseFloat(minute || 0) * SECONDS_IN_MIN + parseFloat(second || 0);\n  };\n  const parseDate = str => {\n    // Date format without timezone according to ISO 8601\n    // YYY-MM-DDThh:mm:ss.ssssss\n    const dateRegex = /^\\d+-\\d+-\\d+T\\d+:\\d+:\\d+(\\.\\d+)?$/; // If the date string does not specifiy a timezone, we must specifiy UTC. This is\n    // expressed by ending with 'Z'\n\n    if (dateRegex.test(str)) {\n      str += 'Z';\n    }\n    return Date.parse(str);\n  };\n  const parsers = {\n    /**\n     * Specifies the duration of the entire Media Presentation. Format is a duration string\n     * as specified in ISO 8601\n     *\n     * @param {string} value\n     *        value of attribute as a string\n     * @return {number}\n     *         The duration in seconds\n     */\n    mediaPresentationDuration(value) {\n      return parseDuration(value);\n    },\n    /**\n     * Specifies the Segment availability start time for all Segments referred to in this\n     * MPD. For a dynamic manifest, it specifies the anchor for the earliest availability\n     * time. Format is a date string as specified in ISO 8601\n     *\n     * @param {string} value\n     *        value of attribute as a string\n     * @return {number}\n     *         The date as seconds from unix epoch\n     */\n    availabilityStartTime(value) {\n      return parseDate(value) / 1000;\n    },\n    /**\n     * Specifies the smallest period between potential changes to the MPD. Format is a\n     * duration string as specified in ISO 8601\n     *\n     * @param {string} value\n     *        value of attribute as a string\n     * @return {number}\n     *         The duration in seconds\n     */\n    minimumUpdatePeriod(value) {\n      return parseDuration(value);\n    },\n    /**\n     * Specifies the suggested presentation delay. Format is a\n     * duration string as specified in ISO 8601\n     *\n     * @param {string} value\n     *        value of attribute as a string\n     * @return {number}\n     *         The duration in seconds\n     */\n    suggestedPresentationDelay(value) {\n      return parseDuration(value);\n    },\n    /**\n     * specifices the type of mpd. Can be either \"static\" or \"dynamic\"\n     *\n     * @param {string} value\n     *        value of attribute as a string\n     *\n     * @return {string}\n     *         The type as a string\n     */\n    type(value) {\n      return value;\n    },\n    /**\n     * Specifies the duration of the smallest time shifting buffer for any Representation\n     * in the MPD. Format is a duration string as specified in ISO 8601\n     *\n     * @param {string} value\n     *        value of attribute as a string\n     * @return {number}\n     *         The duration in seconds\n     */\n    timeShiftBufferDepth(value) {\n      return parseDuration(value);\n    },\n    /**\n     * Specifies the PeriodStart time of the Period relative to the availabilityStarttime.\n     * Format is a duration string as specified in ISO 8601\n     *\n     * @param {string} value\n     *        value of attribute as a string\n     * @return {number}\n     *         The duration in seconds\n     */\n    start(value) {\n      return parseDuration(value);\n    },\n    /**\n     * Specifies the width of the visual presentation\n     *\n     * @param {string} value\n     *        value of attribute as a string\n     * @return {number}\n     *         The parsed width\n     */\n    width(value) {\n      return parseInt(value, 10);\n    },\n    /**\n     * Specifies the height of the visual presentation\n     *\n     * @param {string} value\n     *        value of attribute as a string\n     * @return {number}\n     *         The parsed height\n     */\n    height(value) {\n      return parseInt(value, 10);\n    },\n    /**\n     * Specifies the bitrate of the representation\n     *\n     * @param {string} value\n     *        value of attribute as a string\n     * @return {number}\n     *         The parsed bandwidth\n     */\n    bandwidth(value) {\n      return parseInt(value, 10);\n    },\n    /**\n     * Specifies the frame rate of the representation\n     *\n     * @param {string} value\n     *        value of attribute as a string\n     * @return {number}\n     *         The parsed frame rate\n     */\n    frameRate(value) {\n      return parseDivisionValue(value);\n    },\n    /**\n     * Specifies the number of the first Media Segment in this Representation in the Period\n     *\n     * @param {string} value\n     *        value of attribute as a string\n     * @return {number}\n     *         The parsed number\n     */\n    startNumber(value) {\n      return parseInt(value, 10);\n    },\n    /**\n     * Specifies the timescale in units per seconds\n     *\n     * @param {string} value\n     *        value of attribute as a string\n     * @return {number}\n     *         The parsed timescale\n     */\n    timescale(value) {\n      return parseInt(value, 10);\n    },\n    /**\n     * Specifies the presentationTimeOffset.\n     *\n     * @param {string} value\n     *        value of the attribute as a string\n     *\n     * @return {number}\n     *         The parsed presentationTimeOffset\n     */\n    presentationTimeOffset(value) {\n      return parseInt(value, 10);\n    },\n    /**\n     * Specifies the constant approximate Segment duration\n     * NOTE: The <Period> element also contains an @duration attribute. This duration\n     *       specifies the duration of the Period. This attribute is currently not\n     *       supported by the rest of the parser, however we still check for it to prevent\n     *       errors.\n     *\n     * @param {string} value\n     *        value of attribute as a string\n     * @return {number}\n     *         The parsed duration\n     */\n    duration(value) {\n      const parsedValue = parseInt(value, 10);\n      if (isNaN(parsedValue)) {\n        return parseDuration(value);\n      }\n      return parsedValue;\n    },\n    /**\n     * Specifies the Segment duration, in units of the value of the @timescale.\n     *\n     * @param {string} value\n     *        value of attribute as a string\n     * @return {number}\n     *         The parsed duration\n     */\n    d(value) {\n      return parseInt(value, 10);\n    },\n    /**\n     * Specifies the MPD start time, in @timescale units, the first Segment in the series\n     * starts relative to the beginning of the Period\n     *\n     * @param {string} value\n     *        value of attribute as a string\n     * @return {number}\n     *         The parsed time\n     */\n    t(value) {\n      return parseInt(value, 10);\n    },\n    /**\n     * Specifies the repeat count of the number of following contiguous Segments with the\n     * same duration expressed by the value of @d\n     *\n     * @param {string} value\n     *        value of attribute as a string\n     * @return {number}\n     *         The parsed number\n     */\n    r(value) {\n      return parseInt(value, 10);\n    },\n    /**\n     * Specifies the presentationTime.\n     *\n     * @param {string} value\n     *        value of the attribute as a string\n     *\n     * @return {number}\n     *         The parsed presentationTime\n     */\n    presentationTime(value) {\n      return parseInt(value, 10);\n    },\n    /**\n     * Default parser for all other attributes. Acts as a no-op and just returns the value\n     * as a string\n     *\n     * @param {string} value\n     *        value of attribute as a string\n     * @return {string}\n     *         Unparsed value\n     */\n    DEFAULT(value) {\n      return value;\n    }\n  };\n  /**\n   * Gets all the attributes and values of the provided node, parses attributes with known\n   * types, and returns an object with attribute names mapped to values.\n   *\n   * @param {Node} el\n   *        The node to parse attributes from\n   * @return {Object}\n   *         Object with all attributes of el parsed\n   */\n\n  const parseAttributes = el => {\n    if (!(el && el.attributes)) {\n      return {};\n    }\n    return from(el.attributes).reduce((a, e) => {\n      const parseFn = parsers[e.name] || parsers.DEFAULT;\n      a[e.name] = parseFn(e.value);\n      return a;\n    }, {});\n  };\n  const keySystemsMap = {\n    'urn:uuid:1077efec-c0b2-4d02-ace3-3c1e52e2fb4b': 'org.w3.clearkey',\n    'urn:uuid:edef8ba9-79d6-4ace-a3c8-27dcd51d21ed': 'com.widevine.alpha',\n    'urn:uuid:9a04f079-9840-4286-ab92-e65be0885f95': 'com.microsoft.playready',\n    'urn:uuid:f239e769-efa3-4850-9c16-a903c6932efb': 'com.adobe.primetime',\n    // ISO_IEC 23009-1_2022 5.8.5.2.2 The mp4 Protection Scheme\n    'urn:mpeg:dash:mp4protection:2011': 'mp4protection'\n  };\n  /**\n   * Builds a list of urls that is the product of the reference urls and BaseURL values\n   *\n   * @param {Object[]} references\n   *        List of objects containing the reference URL as well as its attributes\n   * @param {Node[]} baseUrlElements\n   *        List of BaseURL nodes from the mpd\n   * @return {Object[]}\n   *         List of objects with resolved urls and attributes\n   */\n\n  const buildBaseUrls = (references, baseUrlElements) => {\n    if (!baseUrlElements.length) {\n      return references;\n    }\n    return flatten(references.map(function (reference) {\n      return baseUrlElements.map(function (baseUrlElement) {\n        const initialBaseUrl = getContent(baseUrlElement);\n        const resolvedBaseUrl = resolveUrl$1(reference.baseUrl, initialBaseUrl);\n        const finalBaseUrl = merge$1(parseAttributes(baseUrlElement), {\n          baseUrl: resolvedBaseUrl\n        }); // If the URL is resolved, we want to get the serviceLocation from the reference\n        // assuming there is no serviceLocation on the initialBaseUrl\n\n        if (resolvedBaseUrl !== initialBaseUrl && !finalBaseUrl.serviceLocation && reference.serviceLocation) {\n          finalBaseUrl.serviceLocation = reference.serviceLocation;\n        }\n        return finalBaseUrl;\n      });\n    }));\n  };\n  /**\n   * Contains all Segment information for its containing AdaptationSet\n   *\n   * @typedef {Object} SegmentInformation\n   * @property {Object|undefined} template\n   *           Contains the attributes for the SegmentTemplate node\n   * @property {Object[]|undefined} segmentTimeline\n   *           Contains a list of atrributes for each S node within the SegmentTimeline node\n   * @property {Object|undefined} list\n   *           Contains the attributes for the SegmentList node\n   * @property {Object|undefined} base\n   *           Contains the attributes for the SegmentBase node\n   */\n\n  /**\n   * Returns all available Segment information contained within the AdaptationSet node\n   *\n   * @param {Node} adaptationSet\n   *        The AdaptationSet node to get Segment information from\n   * @return {SegmentInformation}\n   *         The Segment information contained within the provided AdaptationSet\n   */\n\n  const getSegmentInformation = adaptationSet => {\n    const segmentTemplate = findChildren(adaptationSet, 'SegmentTemplate')[0];\n    const segmentList = findChildren(adaptationSet, 'SegmentList')[0];\n    const segmentUrls = segmentList && findChildren(segmentList, 'SegmentURL').map(s => merge$1({\n      tag: 'SegmentURL'\n    }, parseAttributes(s)));\n    const segmentBase = findChildren(adaptationSet, 'SegmentBase')[0];\n    const segmentTimelineParentNode = segmentList || segmentTemplate;\n    const segmentTimeline = segmentTimelineParentNode && findChildren(segmentTimelineParentNode, 'SegmentTimeline')[0];\n    const segmentInitializationParentNode = segmentList || segmentBase || segmentTemplate;\n    const segmentInitialization = segmentInitializationParentNode && findChildren(segmentInitializationParentNode, 'Initialization')[0]; // SegmentTemplate is handled slightly differently, since it can have both\n    // @initialization and an <Initialization> node.  @initialization can be templated,\n    // while the node can have a url and range specified.  If the <SegmentTemplate> has\n    // both @initialization and an <Initialization> subelement we opt to override with\n    // the node, as this interaction is not defined in the spec.\n\n    const template = segmentTemplate && parseAttributes(segmentTemplate);\n    if (template && segmentInitialization) {\n      template.initialization = segmentInitialization && parseAttributes(segmentInitialization);\n    } else if (template && template.initialization) {\n      // If it is @initialization we convert it to an object since this is the format that\n      // later functions will rely on for the initialization segment.  This is only valid\n      // for <SegmentTemplate>\n      template.initialization = {\n        sourceURL: template.initialization\n      };\n    }\n    const segmentInfo = {\n      template,\n      segmentTimeline: segmentTimeline && findChildren(segmentTimeline, 'S').map(s => parseAttributes(s)),\n      list: segmentList && merge$1(parseAttributes(segmentList), {\n        segmentUrls,\n        initialization: parseAttributes(segmentInitialization)\n      }),\n      base: segmentBase && merge$1(parseAttributes(segmentBase), {\n        initialization: parseAttributes(segmentInitialization)\n      })\n    };\n    Object.keys(segmentInfo).forEach(key => {\n      if (!segmentInfo[key]) {\n        delete segmentInfo[key];\n      }\n    });\n    return segmentInfo;\n  };\n  /**\n   * Contains Segment information and attributes needed to construct a Playlist object\n   * from a Representation\n   *\n   * @typedef {Object} RepresentationInformation\n   * @property {SegmentInformation} segmentInfo\n   *           Segment information for this Representation\n   * @property {Object} attributes\n   *           Inherited attributes for this Representation\n   */\n\n  /**\n   * Maps a Representation node to an object containing Segment information and attributes\n   *\n   * @name inheritBaseUrlsCallback\n   * @function\n   * @param {Node} representation\n   *        Representation node from the mpd\n   * @return {RepresentationInformation}\n   *         Representation information needed to construct a Playlist object\n   */\n\n  /**\n   * Returns a callback for Array.prototype.map for mapping Representation nodes to\n   * Segment information and attributes using inherited BaseURL nodes.\n   *\n   * @param {Object} adaptationSetAttributes\n   *        Contains attributes inherited by the AdaptationSet\n   * @param {Object[]} adaptationSetBaseUrls\n   *        List of objects containing resolved base URLs and attributes\n   *        inherited by the AdaptationSet\n   * @param {SegmentInformation} adaptationSetSegmentInfo\n   *        Contains Segment information for the AdaptationSet\n   * @return {inheritBaseUrlsCallback}\n   *         Callback map function\n   */\n\n  const inheritBaseUrls = (adaptationSetAttributes, adaptationSetBaseUrls, adaptationSetSegmentInfo) => representation => {\n    const repBaseUrlElements = findChildren(representation, 'BaseURL');\n    const repBaseUrls = buildBaseUrls(adaptationSetBaseUrls, repBaseUrlElements);\n    const attributes = merge$1(adaptationSetAttributes, parseAttributes(representation));\n    const representationSegmentInfo = getSegmentInformation(representation);\n    return repBaseUrls.map(baseUrl => {\n      return {\n        segmentInfo: merge$1(adaptationSetSegmentInfo, representationSegmentInfo),\n        attributes: merge$1(attributes, baseUrl)\n      };\n    });\n  };\n  /**\n   * Tranforms a series of content protection nodes to\n   * an object containing pssh data by key system\n   *\n   * @param {Node[]} contentProtectionNodes\n   *        Content protection nodes\n   * @return {Object}\n   *        Object containing pssh data by key system\n   */\n\n  const generateKeySystemInformation = contentProtectionNodes => {\n    return contentProtectionNodes.reduce((acc, node) => {\n      const attributes = parseAttributes(node); // Although it could be argued that according to the UUID RFC spec the UUID string (a-f chars) should be generated\n      // as a lowercase string it also mentions it should be treated as case-insensitive on input. Since the key system\n      // UUIDs in the keySystemsMap are hardcoded as lowercase in the codebase there isn't any reason not to do\n      // .toLowerCase() on the input UUID string from the manifest (at least I could not think of one).\n\n      if (attributes.schemeIdUri) {\n        attributes.schemeIdUri = attributes.schemeIdUri.toLowerCase();\n      }\n      const keySystem = keySystemsMap[attributes.schemeIdUri];\n      if (keySystem) {\n        acc[keySystem] = {\n          attributes\n        };\n        const psshNode = findChildren(node, 'cenc:pssh')[0];\n        if (psshNode) {\n          const pssh = getContent(psshNode);\n          acc[keySystem].pssh = pssh && decodeB64ToUint8Array(pssh);\n        }\n      }\n      return acc;\n    }, {});\n  }; // defined in ANSI_SCTE 214-1 2016\n\n  const parseCaptionServiceMetadata = service => {\n    // 608 captions\n    if (service.schemeIdUri === 'urn:scte:dash:cc:cea-608:2015') {\n      const values = typeof service.value !== 'string' ? [] : service.value.split(';');\n      return values.map(value => {\n        let channel;\n        let language; // default language to value\n\n        language = value;\n        if (/^CC\\d=/.test(value)) {\n          [channel, language] = value.split('=');\n        } else if (/^CC\\d$/.test(value)) {\n          channel = value;\n        }\n        return {\n          channel,\n          language\n        };\n      });\n    } else if (service.schemeIdUri === 'urn:scte:dash:cc:cea-708:2015') {\n      const values = typeof service.value !== 'string' ? [] : service.value.split(';');\n      return values.map(value => {\n        const flags = {\n          // service or channel number 1-63\n          'channel': undefined,\n          // language is a 3ALPHA per ISO 639.2/B\n          // field is required\n          'language': undefined,\n          // BIT 1/0 or ?\n          // default value is 1, meaning 16:9 aspect ratio, 0 is 4:3, ? is unknown\n          'aspectRatio': 1,\n          // BIT 1/0\n          // easy reader flag indicated the text is tailed to the needs of beginning readers\n          // default 0, or off\n          'easyReader': 0,\n          // BIT 1/0\n          // If 3d metadata is present (CEA-708.1) then 1\n          // default 0\n          '3D': 0\n        };\n        if (/=/.test(value)) {\n          const [channel, opts = ''] = value.split('=');\n          flags.channel = channel;\n          flags.language = value;\n          opts.split(',').forEach(opt => {\n            const [name, val] = opt.split(':');\n            if (name === 'lang') {\n              flags.language = val; // er for easyReadery\n            } else if (name === 'er') {\n              flags.easyReader = Number(val); // war for wide aspect ratio\n            } else if (name === 'war') {\n              flags.aspectRatio = Number(val);\n            } else if (name === '3D') {\n              flags['3D'] = Number(val);\n            }\n          });\n        } else {\n          flags.language = value;\n        }\n        if (flags.channel) {\n          flags.channel = 'SERVICE' + flags.channel;\n        }\n        return flags;\n      });\n    }\n  };\n  /**\n   * A map callback that will parse all event stream data for a collection of periods\n   * DASH ISO_IEC_23009 5.10.2.2\n   * https://dashif-documents.azurewebsites.net/Events/master/event.html#mpd-event-timing\n   *\n   * @param {PeriodInformation} period object containing necessary period information\n   * @return a collection of parsed eventstream event objects\n   */\n\n  const toEventStream = period => {\n    // get and flatten all EventStreams tags and parse attributes and children\n    return flatten(findChildren(period.node, 'EventStream').map(eventStream => {\n      const eventStreamAttributes = parseAttributes(eventStream);\n      const schemeIdUri = eventStreamAttributes.schemeIdUri; // find all Events per EventStream tag and map to return objects\n\n      return findChildren(eventStream, 'Event').map(event => {\n        const eventAttributes = parseAttributes(event);\n        const presentationTime = eventAttributes.presentationTime || 0;\n        const timescale = eventStreamAttributes.timescale || 1;\n        const duration = eventAttributes.duration || 0;\n        const start = presentationTime / timescale + period.attributes.start;\n        return {\n          schemeIdUri,\n          value: eventStreamAttributes.value,\n          id: eventAttributes.id,\n          start,\n          end: start + duration / timescale,\n          messageData: getContent(event) || eventAttributes.messageData,\n          contentEncoding: eventStreamAttributes.contentEncoding,\n          presentationTimeOffset: eventStreamAttributes.presentationTimeOffset || 0\n        };\n      });\n    }));\n  };\n  /**\n   * Maps an AdaptationSet node to a list of Representation information objects\n   *\n   * @name toRepresentationsCallback\n   * @function\n   * @param {Node} adaptationSet\n   *        AdaptationSet node from the mpd\n   * @return {RepresentationInformation[]}\n   *         List of objects containing Representaion information\n   */\n\n  /**\n   * Returns a callback for Array.prototype.map for mapping AdaptationSet nodes to a list of\n   * Representation information objects\n   *\n   * @param {Object} periodAttributes\n   *        Contains attributes inherited by the Period\n   * @param {Object[]} periodBaseUrls\n   *        Contains list of objects with resolved base urls and attributes\n   *        inherited by the Period\n   * @param {string[]} periodSegmentInfo\n   *        Contains Segment Information at the period level\n   * @return {toRepresentationsCallback}\n   *         Callback map function\n   */\n\n  const toRepresentations = (periodAttributes, periodBaseUrls, periodSegmentInfo) => adaptationSet => {\n    const adaptationSetAttributes = parseAttributes(adaptationSet);\n    const adaptationSetBaseUrls = buildBaseUrls(periodBaseUrls, findChildren(adaptationSet, 'BaseURL'));\n    const role = findChildren(adaptationSet, 'Role')[0];\n    const roleAttributes = {\n      role: parseAttributes(role)\n    };\n    let attrs = merge$1(periodAttributes, adaptationSetAttributes, roleAttributes);\n    const accessibility = findChildren(adaptationSet, 'Accessibility')[0];\n    const captionServices = parseCaptionServiceMetadata(parseAttributes(accessibility));\n    if (captionServices) {\n      attrs = merge$1(attrs, {\n        captionServices\n      });\n    }\n    const label = findChildren(adaptationSet, 'Label')[0];\n    if (label && label.childNodes.length) {\n      const labelVal = label.childNodes[0].nodeValue.trim();\n      attrs = merge$1(attrs, {\n        label: labelVal\n      });\n    }\n    const contentProtection = generateKeySystemInformation(findChildren(adaptationSet, 'ContentProtection'));\n    if (Object.keys(contentProtection).length) {\n      attrs = merge$1(attrs, {\n        contentProtection\n      });\n    }\n    const segmentInfo = getSegmentInformation(adaptationSet);\n    const representations = findChildren(adaptationSet, 'Representation');\n    const adaptationSetSegmentInfo = merge$1(periodSegmentInfo, segmentInfo);\n    return flatten(representations.map(inheritBaseUrls(attrs, adaptationSetBaseUrls, adaptationSetSegmentInfo)));\n  };\n  /**\n   * Contains all period information for mapping nodes onto adaptation sets.\n   *\n   * @typedef {Object} PeriodInformation\n   * @property {Node} period.node\n   *           Period node from the mpd\n   * @property {Object} period.attributes\n   *           Parsed period attributes from node plus any added\n   */\n\n  /**\n   * Maps a PeriodInformation object to a list of Representation information objects for all\n   * AdaptationSet nodes contained within the Period.\n   *\n   * @name toAdaptationSetsCallback\n   * @function\n   * @param {PeriodInformation} period\n   *        Period object containing necessary period information\n   * @param {number} periodStart\n   *        Start time of the Period within the mpd\n   * @return {RepresentationInformation[]}\n   *         List of objects containing Representaion information\n   */\n\n  /**\n   * Returns a callback for Array.prototype.map for mapping Period nodes to a list of\n   * Representation information objects\n   *\n   * @param {Object} mpdAttributes\n   *        Contains attributes inherited by the mpd\n    * @param {Object[]} mpdBaseUrls\n   *        Contains list of objects with resolved base urls and attributes\n   *        inherited by the mpd\n   * @return {toAdaptationSetsCallback}\n   *         Callback map function\n   */\n\n  const toAdaptationSets = (mpdAttributes, mpdBaseUrls) => (period, index) => {\n    const periodBaseUrls = buildBaseUrls(mpdBaseUrls, findChildren(period.node, 'BaseURL'));\n    const periodAttributes = merge$1(mpdAttributes, {\n      periodStart: period.attributes.start\n    });\n    if (typeof period.attributes.duration === 'number') {\n      periodAttributes.periodDuration = period.attributes.duration;\n    }\n    const adaptationSets = findChildren(period.node, 'AdaptationSet');\n    const periodSegmentInfo = getSegmentInformation(period.node);\n    return flatten(adaptationSets.map(toRepresentations(periodAttributes, periodBaseUrls, periodSegmentInfo)));\n  };\n  /**\n   * Tranforms an array of content steering nodes into an object\n   * containing CDN content steering information from the MPD manifest.\n   *\n   * For more information on the DASH spec for Content Steering parsing, see:\n   * https://dashif.org/docs/DASH-IF-CTS-00XX-Content-Steering-Community-Review.pdf\n   *\n   * @param {Node[]} contentSteeringNodes\n   *        Content steering nodes\n   * @param {Function} eventHandler\n   *        The event handler passed into the parser options to handle warnings\n   * @return {Object}\n   *        Object containing content steering data\n   */\n\n  const generateContentSteeringInformation = (contentSteeringNodes, eventHandler) => {\n    // If there are more than one ContentSteering tags, throw an error\n    if (contentSteeringNodes.length > 1) {\n      eventHandler({\n        type: 'warn',\n        message: 'The MPD manifest should contain no more than one ContentSteering tag'\n      });\n    } // Return a null value if there are no ContentSteering tags\n\n    if (!contentSteeringNodes.length) {\n      return null;\n    }\n    const infoFromContentSteeringTag = merge$1({\n      serverURL: getContent(contentSteeringNodes[0])\n    }, parseAttributes(contentSteeringNodes[0])); // Converts `queryBeforeStart` to a boolean, as well as setting the default value\n    // to `false` if it doesn't exist\n\n    infoFromContentSteeringTag.queryBeforeStart = infoFromContentSteeringTag.queryBeforeStart === 'true';\n    return infoFromContentSteeringTag;\n  };\n  /**\n   * Gets Period@start property for a given period.\n   *\n   * @param {Object} options\n   *        Options object\n   * @param {Object} options.attributes\n   *        Period attributes\n   * @param {Object} [options.priorPeriodAttributes]\n   *        Prior period attributes (if prior period is available)\n   * @param {string} options.mpdType\n   *        The MPD@type these periods came from\n   * @return {number|null}\n   *         The period start, or null if it's an early available period or error\n   */\n\n  const getPeriodStart = ({\n    attributes,\n    priorPeriodAttributes,\n    mpdType\n  }) => {\n    // Summary of period start time calculation from DASH spec section 5.3.2.1\n    //\n    // A period's start is the first period's start + time elapsed after playing all\n    // prior periods to this one. Periods continue one after the other in time (without\n    // gaps) until the end of the presentation.\n    //\n    // The value of Period@start should be:\n    // 1. if Period@start is present: value of Period@start\n    // 2. if previous period exists and it has @duration: previous Period@start +\n    //    previous Period@duration\n    // 3. if this is first period and MPD@type is 'static': 0\n    // 4. in all other cases, consider the period an \"early available period\" (note: not\n    //    currently supported)\n    // (1)\n    if (typeof attributes.start === 'number') {\n      return attributes.start;\n    } // (2)\n\n    if (priorPeriodAttributes && typeof priorPeriodAttributes.start === 'number' && typeof priorPeriodAttributes.duration === 'number') {\n      return priorPeriodAttributes.start + priorPeriodAttributes.duration;\n    } // (3)\n\n    if (!priorPeriodAttributes && mpdType === 'static') {\n      return 0;\n    } // (4)\n    // There is currently no logic for calculating the Period@start value if there is\n    // no Period@start or prior Period@start and Period@duration available. This is not made\n    // explicit by the DASH interop guidelines or the DASH spec, however, since there's\n    // nothing about any other resolution strategies, it's implied. Thus, this case should\n    // be considered an early available period, or error, and null should suffice for both\n    // of those cases.\n\n    return null;\n  };\n  /**\n   * Traverses the mpd xml tree to generate a list of Representation information objects\n   * that have inherited attributes from parent nodes\n   *\n   * @param {Node} mpd\n   *        The root node of the mpd\n   * @param {Object} options\n   *        Available options for inheritAttributes\n   * @param {string} options.manifestUri\n   *        The uri source of the mpd\n   * @param {number} options.NOW\n   *        Current time per DASH IOP.  Default is current time in ms since epoch\n   * @param {number} options.clientOffset\n   *        Client time difference from NOW (in milliseconds)\n   * @return {RepresentationInformation[]}\n   *         List of objects containing Representation information\n   */\n\n  const inheritAttributes = (mpd, options = {}) => {\n    const {\n      manifestUri = '',\n      NOW = Date.now(),\n      clientOffset = 0,\n      // TODO: For now, we are expecting an eventHandler callback function\n      // to be passed into the mpd parser as an option.\n      // In the future, we should enable stream parsing by using the Stream class from vhs-utils.\n      // This will support new features including a standardized event handler.\n      // See the m3u8 parser for examples of how stream parsing is currently used for HLS parsing.\n      // https://github.com/videojs/vhs-utils/blob/88d6e10c631e57a5af02c5a62bc7376cd456b4f5/src/stream.js#L9\n      eventHandler = function () {}\n    } = options;\n    const periodNodes = findChildren(mpd, 'Period');\n    if (!periodNodes.length) {\n      throw new Error(errors.INVALID_NUMBER_OF_PERIOD);\n    }\n    const locations = findChildren(mpd, 'Location');\n    const mpdAttributes = parseAttributes(mpd);\n    const mpdBaseUrls = buildBaseUrls([{\n      baseUrl: manifestUri\n    }], findChildren(mpd, 'BaseURL'));\n    const contentSteeringNodes = findChildren(mpd, 'ContentSteering'); // See DASH spec section 5.3.1.2, Semantics of MPD element. Default type to 'static'.\n\n    mpdAttributes.type = mpdAttributes.type || 'static';\n    mpdAttributes.sourceDuration = mpdAttributes.mediaPresentationDuration || 0;\n    mpdAttributes.NOW = NOW;\n    mpdAttributes.clientOffset = clientOffset;\n    if (locations.length) {\n      mpdAttributes.locations = locations.map(getContent);\n    }\n    const periods = []; // Since toAdaptationSets acts on individual periods right now, the simplest approach to\n    // adding properties that require looking at prior periods is to parse attributes and add\n    // missing ones before toAdaptationSets is called. If more such properties are added, it\n    // may be better to refactor toAdaptationSets.\n\n    periodNodes.forEach((node, index) => {\n      const attributes = parseAttributes(node); // Use the last modified prior period, as it may contain added information necessary\n      // for this period.\n\n      const priorPeriod = periods[index - 1];\n      attributes.start = getPeriodStart({\n        attributes,\n        priorPeriodAttributes: priorPeriod ? priorPeriod.attributes : null,\n        mpdType: mpdAttributes.type\n      });\n      periods.push({\n        node,\n        attributes\n      });\n    });\n    return {\n      locations: mpdAttributes.locations,\n      contentSteeringInfo: generateContentSteeringInformation(contentSteeringNodes, eventHandler),\n      // TODO: There are occurences where this `representationInfo` array contains undesired\n      // duplicates. This generally occurs when there are multiple BaseURL nodes that are\n      // direct children of the MPD node. When we attempt to resolve URLs from a combination of the\n      // parent BaseURL and a child BaseURL, and the value does not resolve,\n      // we end up returning the child BaseURL multiple times.\n      // We need to determine a way to remove these duplicates in a safe way.\n      // See: https://github.com/videojs/mpd-parser/pull/17#discussion_r162750527\n      representationInfo: flatten(periods.map(toAdaptationSets(mpdAttributes, mpdBaseUrls))),\n      eventStream: flatten(periods.map(toEventStream))\n    };\n  };\n  const stringToMpdXml = manifestString => {\n    if (manifestString === '') {\n      throw new Error(errors.DASH_EMPTY_MANIFEST);\n    }\n    const parser = new DOMParser();\n    let xml;\n    let mpd;\n    try {\n      xml = parser.parseFromString(manifestString, 'application/xml');\n      mpd = xml && xml.documentElement.tagName === 'MPD' ? xml.documentElement : null;\n    } catch (e) {// ie 11 throws on invalid xml\n    }\n    if (!mpd || mpd && mpd.getElementsByTagName('parsererror').length > 0) {\n      throw new Error(errors.DASH_INVALID_XML);\n    }\n    return mpd;\n  };\n\n  /**\n   * Parses the manifest for a UTCTiming node, returning the nodes attributes if found\n   *\n   * @param {string} mpd\n   *        XML string of the MPD manifest\n   * @return {Object|null}\n   *         Attributes of UTCTiming node specified in the manifest. Null if none found\n   */\n\n  const parseUTCTimingScheme = mpd => {\n    const UTCTimingNode = findChildren(mpd, 'UTCTiming')[0];\n    if (!UTCTimingNode) {\n      return null;\n    }\n    const attributes = parseAttributes(UTCTimingNode);\n    switch (attributes.schemeIdUri) {\n      case 'urn:mpeg:dash:utc:http-head:2014':\n      case 'urn:mpeg:dash:utc:http-head:2012':\n        attributes.method = 'HEAD';\n        break;\n      case 'urn:mpeg:dash:utc:http-xsdate:2014':\n      case 'urn:mpeg:dash:utc:http-iso:2014':\n      case 'urn:mpeg:dash:utc:http-xsdate:2012':\n      case 'urn:mpeg:dash:utc:http-iso:2012':\n        attributes.method = 'GET';\n        break;\n      case 'urn:mpeg:dash:utc:direct:2014':\n      case 'urn:mpeg:dash:utc:direct:2012':\n        attributes.method = 'DIRECT';\n        attributes.value = Date.parse(attributes.value);\n        break;\n      case 'urn:mpeg:dash:utc:http-ntp:2014':\n      case 'urn:mpeg:dash:utc:ntp:2014':\n      case 'urn:mpeg:dash:utc:sntp:2014':\n      default:\n        throw new Error(errors.UNSUPPORTED_UTC_TIMING_SCHEME);\n    }\n    return attributes;\n  };\n  /*\n   * Given a DASH manifest string and options, parses the DASH manifest into an object in the\n   * form outputed by m3u8-parser and accepted by videojs/http-streaming.\n   *\n   * For live DASH manifests, if `previousManifest` is provided in options, then the newly\n   * parsed DASH manifest will have its media sequence and discontinuity sequence values\n   * updated to reflect its position relative to the prior manifest.\n   *\n   * @param {string} manifestString - the DASH manifest as a string\n   * @param {options} [options] - any options\n   *\n   * @return {Object} the manifest object\n   */\n\n  const parse = (manifestString, options = {}) => {\n    const parsedManifestInfo = inheritAttributes(stringToMpdXml(manifestString), options);\n    const playlists = toPlaylists(parsedManifestInfo.representationInfo);\n    return toM3u8({\n      dashPlaylists: playlists,\n      locations: parsedManifestInfo.locations,\n      contentSteering: parsedManifestInfo.contentSteeringInfo,\n      sidxMapping: options.sidxMapping,\n      previousManifest: options.previousManifest,\n      eventStream: parsedManifestInfo.eventStream\n    });\n  };\n  /**\n   * Parses the manifest for a UTCTiming node, returning the nodes attributes if found\n   *\n   * @param {string} manifestString\n   *        XML string of the MPD manifest\n   * @return {Object|null}\n   *         Attributes of UTCTiming node specified in the manifest. Null if none found\n   */\n\n  const parseUTCTiming = manifestString => parseUTCTimingScheme(stringToMpdXml(manifestString));\n\n  var MAX_UINT32 = Math.pow(2, 32);\n  var getUint64$1 = function (uint8) {\n    var dv = new DataView(uint8.buffer, uint8.byteOffset, uint8.byteLength);\n    var value;\n    if (dv.getBigUint64) {\n      value = dv.getBigUint64(0);\n      if (value < Number.MAX_SAFE_INTEGER) {\n        return Number(value);\n      }\n      return value;\n    }\n    return dv.getUint32(0) * MAX_UINT32 + dv.getUint32(4);\n  };\n  var numbers = {\n    getUint64: getUint64$1,\n    MAX_UINT32: MAX_UINT32\n  };\n\n  var getUint64 = numbers.getUint64;\n  var parseSidx = function (data) {\n    var view = new DataView(data.buffer, data.byteOffset, data.byteLength),\n      result = {\n        version: data[0],\n        flags: new Uint8Array(data.subarray(1, 4)),\n        references: [],\n        referenceId: view.getUint32(4),\n        timescale: view.getUint32(8)\n      },\n      i = 12;\n    if (result.version === 0) {\n      result.earliestPresentationTime = view.getUint32(i);\n      result.firstOffset = view.getUint32(i + 4);\n      i += 8;\n    } else {\n      // read 64 bits\n      result.earliestPresentationTime = getUint64(data.subarray(i));\n      result.firstOffset = getUint64(data.subarray(i + 8));\n      i += 16;\n    }\n    i += 2; // reserved\n\n    var referenceCount = view.getUint16(i);\n    i += 2; // start of references\n\n    for (; referenceCount > 0; i += 12, referenceCount--) {\n      result.references.push({\n        referenceType: (data[i] & 0x80) >>> 7,\n        referencedSize: view.getUint32(i) & 0x7FFFFFFF,\n        subsegmentDuration: view.getUint32(i + 4),\n        startsWithSap: !!(data[i + 8] & 0x80),\n        sapType: (data[i + 8] & 0x70) >>> 4,\n        sapDeltaTime: view.getUint32(i + 8) & 0x0FFFFFFF\n      });\n    }\n    return result;\n  };\n  var parseSidx_1 = parseSidx;\n\n  var ID3 = toUint8([0x49, 0x44, 0x33]);\n  var getId3Size = function getId3Size(bytes, offset) {\n    if (offset === void 0) {\n      offset = 0;\n    }\n    bytes = toUint8(bytes);\n    var flags = bytes[offset + 5];\n    var returnSize = bytes[offset + 6] << 21 | bytes[offset + 7] << 14 | bytes[offset + 8] << 7 | bytes[offset + 9];\n    var footerPresent = (flags & 16) >> 4;\n    if (footerPresent) {\n      return returnSize + 20;\n    }\n    return returnSize + 10;\n  };\n  var getId3Offset = function getId3Offset(bytes, offset) {\n    if (offset === void 0) {\n      offset = 0;\n    }\n    bytes = toUint8(bytes);\n    if (bytes.length - offset < 10 || !bytesMatch(bytes, ID3, {\n      offset: offset\n    })) {\n      return offset;\n    }\n    offset += getId3Size(bytes, offset); // recursive check for id3 tags as some files\n    // have multiple ID3 tag sections even though\n    // they should not.\n\n    return getId3Offset(bytes, offset);\n  };\n\n  var normalizePath$1 = function normalizePath(path) {\n    if (typeof path === 'string') {\n      return stringToBytes(path);\n    }\n    if (typeof path === 'number') {\n      return path;\n    }\n    return path;\n  };\n  var normalizePaths$1 = function normalizePaths(paths) {\n    if (!Array.isArray(paths)) {\n      return [normalizePath$1(paths)];\n    }\n    return paths.map(function (p) {\n      return normalizePath$1(p);\n    });\n  };\n  /**\n   * find any number of boxes by name given a path to it in an iso bmff\n   * such as mp4.\n   *\n   * @param {TypedArray} bytes\n   *        bytes for the iso bmff to search for boxes in\n   *\n   * @param {Uint8Array[]|string[]|string|Uint8Array} name\n   *        An array of paths or a single path representing the name\n   *        of boxes to search through in bytes. Paths may be\n   *        uint8 (character codes) or strings.\n   *\n   * @param {boolean} [complete=false]\n   *        Should we search only for complete boxes on the final path.\n   *        This is very useful when you do not want to get back partial boxes\n   *        in the case of streaming files.\n   *\n   * @return {Uint8Array[]}\n   *         An array of the end paths that we found.\n   */\n\n  var findBox = function findBox(bytes, paths, complete) {\n    if (complete === void 0) {\n      complete = false;\n    }\n    paths = normalizePaths$1(paths);\n    bytes = toUint8(bytes);\n    var results = [];\n    if (!paths.length) {\n      // short-circuit the search for empty paths\n      return results;\n    }\n    var i = 0;\n    while (i < bytes.length) {\n      var size = (bytes[i] << 24 | bytes[i + 1] << 16 | bytes[i + 2] << 8 | bytes[i + 3]) >>> 0;\n      var type = bytes.subarray(i + 4, i + 8); // invalid box format.\n\n      if (size === 0) {\n        break;\n      }\n      var end = i + size;\n      if (end > bytes.length) {\n        // this box is bigger than the number of bytes we have\n        // and complete is set, we cannot find any more boxes.\n        if (complete) {\n          break;\n        }\n        end = bytes.length;\n      }\n      var data = bytes.subarray(i + 8, end);\n      if (bytesMatch(type, paths[0])) {\n        if (paths.length === 1) {\n          // this is the end of the path and we've found the box we were\n          // looking for\n          results.push(data);\n        } else {\n          // recursively search for the next box along the path\n          results.push.apply(results, findBox(data, paths.slice(1), complete));\n        }\n      }\n      i = end;\n    } // we've finished searching all of bytes\n\n    return results;\n  };\n\n  // https://matroska-org.github.io/libebml/specs.html\n  // https://www.matroska.org/technical/elements.html\n  // https://www.webmproject.org/docs/container/\n\n  var EBML_TAGS = {\n    EBML: toUint8([0x1A, 0x45, 0xDF, 0xA3]),\n    DocType: toUint8([0x42, 0x82]),\n    Segment: toUint8([0x18, 0x53, 0x80, 0x67]),\n    SegmentInfo: toUint8([0x15, 0x49, 0xA9, 0x66]),\n    Tracks: toUint8([0x16, 0x54, 0xAE, 0x6B]),\n    Track: toUint8([0xAE]),\n    TrackNumber: toUint8([0xd7]),\n    DefaultDuration: toUint8([0x23, 0xe3, 0x83]),\n    TrackEntry: toUint8([0xAE]),\n    TrackType: toUint8([0x83]),\n    FlagDefault: toUint8([0x88]),\n    CodecID: toUint8([0x86]),\n    CodecPrivate: toUint8([0x63, 0xA2]),\n    VideoTrack: toUint8([0xe0]),\n    AudioTrack: toUint8([0xe1]),\n    // Not used yet, but will be used for live webm/mkv\n    // see https://www.matroska.org/technical/basics.html#block-structure\n    // see https://www.matroska.org/technical/basics.html#simpleblock-structure\n    Cluster: toUint8([0x1F, 0x43, 0xB6, 0x75]),\n    Timestamp: toUint8([0xE7]),\n    TimestampScale: toUint8([0x2A, 0xD7, 0xB1]),\n    BlockGroup: toUint8([0xA0]),\n    BlockDuration: toUint8([0x9B]),\n    Block: toUint8([0xA1]),\n    SimpleBlock: toUint8([0xA3])\n  };\n  /**\n   * This is a simple table to determine the length\n   * of things in ebml. The length is one based (starts at 1,\n   * rather than zero) and for every zero bit before a one bit\n   * we add one to length. We also need this table because in some\n   * case we have to xor all the length bits from another value.\n   */\n\n  var LENGTH_TABLE = [128, 64, 32, 16, 8, 4, 2, 1];\n  var getLength = function getLength(byte) {\n    var len = 1;\n    for (var i = 0; i < LENGTH_TABLE.length; i++) {\n      if (byte & LENGTH_TABLE[i]) {\n        break;\n      }\n      len++;\n    }\n    return len;\n  }; // length in ebml is stored in the first 4 to 8 bits\n  // of the first byte. 4 for the id length and 8 for the\n  // data size length. Length is measured by converting the number to binary\n  // then 1 + the number of zeros before a 1 is encountered starting\n  // from the left.\n\n  var getvint = function getvint(bytes, offset, removeLength, signed) {\n    if (removeLength === void 0) {\n      removeLength = true;\n    }\n    if (signed === void 0) {\n      signed = false;\n    }\n    var length = getLength(bytes[offset]);\n    var valueBytes = bytes.subarray(offset, offset + length); // NOTE that we do **not** subarray here because we need to copy these bytes\n    // as they will be modified below to remove the dataSizeLen bits and we do not\n    // want to modify the original data. normally we could just call slice on\n    // uint8array but ie 11 does not support that...\n\n    if (removeLength) {\n      valueBytes = Array.prototype.slice.call(bytes, offset, offset + length);\n      valueBytes[0] ^= LENGTH_TABLE[length - 1];\n    }\n    return {\n      length: length,\n      value: bytesToNumber(valueBytes, {\n        signed: signed\n      }),\n      bytes: valueBytes\n    };\n  };\n  var normalizePath = function normalizePath(path) {\n    if (typeof path === 'string') {\n      return path.match(/.{1,2}/g).map(function (p) {\n        return normalizePath(p);\n      });\n    }\n    if (typeof path === 'number') {\n      return numberToBytes(path);\n    }\n    return path;\n  };\n  var normalizePaths = function normalizePaths(paths) {\n    if (!Array.isArray(paths)) {\n      return [normalizePath(paths)];\n    }\n    return paths.map(function (p) {\n      return normalizePath(p);\n    });\n  };\n  var getInfinityDataSize = function getInfinityDataSize(id, bytes, offset) {\n    if (offset >= bytes.length) {\n      return bytes.length;\n    }\n    var innerid = getvint(bytes, offset, false);\n    if (bytesMatch(id.bytes, innerid.bytes)) {\n      return offset;\n    }\n    var dataHeader = getvint(bytes, offset + innerid.length);\n    return getInfinityDataSize(id, bytes, offset + dataHeader.length + dataHeader.value + innerid.length);\n  };\n  /**\n   * Notes on the EBLM format.\n   *\n   * EBLM uses \"vints\" tags. Every vint tag contains\n   * two parts\n   *\n   * 1. The length from the first byte. You get this by\n   *    converting the byte to binary and counting the zeros\n   *    before a 1. Then you add 1 to that. Examples\n   *    00011111 = length 4 because there are 3 zeros before a 1.\n   *    00100000 = length 3 because there are 2 zeros before a 1.\n   *    00000011 = length 7 because there are 6 zeros before a 1.\n   *\n   * 2. The bits used for length are removed from the first byte\n   *    Then all the bytes are merged into a value. NOTE: this\n   *    is not the case for id ebml tags as there id includes\n   *    length bits.\n   *\n   */\n\n  var findEbml = function findEbml(bytes, paths) {\n    paths = normalizePaths(paths);\n    bytes = toUint8(bytes);\n    var results = [];\n    if (!paths.length) {\n      return results;\n    }\n    var i = 0;\n    while (i < bytes.length) {\n      var id = getvint(bytes, i, false);\n      var dataHeader = getvint(bytes, i + id.length);\n      var dataStart = i + id.length + dataHeader.length; // dataSize is unknown or this is a live stream\n\n      if (dataHeader.value === 0x7f) {\n        dataHeader.value = getInfinityDataSize(id, bytes, dataStart);\n        if (dataHeader.value !== bytes.length) {\n          dataHeader.value -= dataStart;\n        }\n      }\n      var dataEnd = dataStart + dataHeader.value > bytes.length ? bytes.length : dataStart + dataHeader.value;\n      var data = bytes.subarray(dataStart, dataEnd);\n      if (bytesMatch(paths[0], id.bytes)) {\n        if (paths.length === 1) {\n          // this is the end of the paths and we've found the tag we were\n          // looking for\n          results.push(data);\n        } else {\n          // recursively search for the next tag inside of the data\n          // of this one\n          results = results.concat(findEbml(data, paths.slice(1)));\n        }\n      }\n      var totalLength = id.length + dataHeader.length + data.length; // move past this tag entirely, we are not looking for it\n\n      i += totalLength;\n    }\n    return results;\n  }; // see https://www.matroska.org/technical/basics.html#block-structure\n\n  var NAL_TYPE_ONE = toUint8([0x00, 0x00, 0x00, 0x01]);\n  var NAL_TYPE_TWO = toUint8([0x00, 0x00, 0x01]);\n  var EMULATION_PREVENTION = toUint8([0x00, 0x00, 0x03]);\n  /**\n   * Expunge any \"Emulation Prevention\" bytes from a \"Raw Byte\n   * Sequence Payload\"\n   *\n   * @param data {Uint8Array} the bytes of a RBSP from a NAL\n   * unit\n   * @return {Uint8Array} the RBSP without any Emulation\n   * Prevention Bytes\n   */\n\n  var discardEmulationPreventionBytes = function discardEmulationPreventionBytes(bytes) {\n    var positions = [];\n    var i = 1; // Find all `Emulation Prevention Bytes`\n\n    while (i < bytes.length - 2) {\n      if (bytesMatch(bytes.subarray(i, i + 3), EMULATION_PREVENTION)) {\n        positions.push(i + 2);\n        i++;\n      }\n      i++;\n    } // If no Emulation Prevention Bytes were found just return the original\n    // array\n\n    if (positions.length === 0) {\n      return bytes;\n    } // Create a new array to hold the NAL unit data\n\n    var newLength = bytes.length - positions.length;\n    var newData = new Uint8Array(newLength);\n    var sourceIndex = 0;\n    for (i = 0; i < newLength; sourceIndex++, i++) {\n      if (sourceIndex === positions[0]) {\n        // Skip this byte\n        sourceIndex++; // Remove this position index\n\n        positions.shift();\n      }\n      newData[i] = bytes[sourceIndex];\n    }\n    return newData;\n  };\n  var findNal = function findNal(bytes, dataType, types, nalLimit) {\n    if (nalLimit === void 0) {\n      nalLimit = Infinity;\n    }\n    bytes = toUint8(bytes);\n    types = [].concat(types);\n    var i = 0;\n    var nalStart;\n    var nalsFound = 0; // keep searching until:\n    // we reach the end of bytes\n    // we reach the maximum number of nals they want to seach\n    // NOTE: that we disregard nalLimit when we have found the start\n    // of the nal we want so that we can find the end of the nal we want.\n\n    while (i < bytes.length && (nalsFound < nalLimit || nalStart)) {\n      var nalOffset = void 0;\n      if (bytesMatch(bytes.subarray(i), NAL_TYPE_ONE)) {\n        nalOffset = 4;\n      } else if (bytesMatch(bytes.subarray(i), NAL_TYPE_TWO)) {\n        nalOffset = 3;\n      } // we are unsynced,\n      // find the next nal unit\n\n      if (!nalOffset) {\n        i++;\n        continue;\n      }\n      nalsFound++;\n      if (nalStart) {\n        return discardEmulationPreventionBytes(bytes.subarray(nalStart, i));\n      }\n      var nalType = void 0;\n      if (dataType === 'h264') {\n        nalType = bytes[i + nalOffset] & 0x1f;\n      } else if (dataType === 'h265') {\n        nalType = bytes[i + nalOffset] >> 1 & 0x3f;\n      }\n      if (types.indexOf(nalType) !== -1) {\n        nalStart = i + nalOffset;\n      } // nal header is 1 length for h264, and 2 for h265\n\n      i += nalOffset + (dataType === 'h264' ? 1 : 2);\n    }\n    return bytes.subarray(0, 0);\n  };\n  var findH264Nal = function findH264Nal(bytes, type, nalLimit) {\n    return findNal(bytes, 'h264', type, nalLimit);\n  };\n  var findH265Nal = function findH265Nal(bytes, type, nalLimit) {\n    return findNal(bytes, 'h265', type, nalLimit);\n  };\n\n  var CONSTANTS = {\n    // \"webm\" string literal in hex\n    'webm': toUint8([0x77, 0x65, 0x62, 0x6d]),\n    // \"matroska\" string literal in hex\n    'matroska': toUint8([0x6d, 0x61, 0x74, 0x72, 0x6f, 0x73, 0x6b, 0x61]),\n    // \"fLaC\" string literal in hex\n    'flac': toUint8([0x66, 0x4c, 0x61, 0x43]),\n    // \"OggS\" string literal in hex\n    'ogg': toUint8([0x4f, 0x67, 0x67, 0x53]),\n    // ac-3 sync byte, also works for ec-3 as that is simply a codec\n    // of ac-3\n    'ac3': toUint8([0x0b, 0x77]),\n    // \"RIFF\" string literal in hex used for wav and avi\n    'riff': toUint8([0x52, 0x49, 0x46, 0x46]),\n    // \"AVI\" string literal in hex\n    'avi': toUint8([0x41, 0x56, 0x49]),\n    // \"WAVE\" string literal in hex\n    'wav': toUint8([0x57, 0x41, 0x56, 0x45]),\n    // \"ftyp3g\" string literal in hex\n    '3gp': toUint8([0x66, 0x74, 0x79, 0x70, 0x33, 0x67]),\n    // \"ftyp\" string literal in hex\n    'mp4': toUint8([0x66, 0x74, 0x79, 0x70]),\n    // \"styp\" string literal in hex\n    'fmp4': toUint8([0x73, 0x74, 0x79, 0x70]),\n    // \"ftypqt\" string literal in hex\n    'mov': toUint8([0x66, 0x74, 0x79, 0x70, 0x71, 0x74]),\n    // moov string literal in hex\n    'moov': toUint8([0x6D, 0x6F, 0x6F, 0x76]),\n    // moof string literal in hex\n    'moof': toUint8([0x6D, 0x6F, 0x6F, 0x66])\n  };\n  var _isLikely = {\n    aac: function aac(bytes) {\n      var offset = getId3Offset(bytes);\n      return bytesMatch(bytes, [0xFF, 0x10], {\n        offset: offset,\n        mask: [0xFF, 0x16]\n      });\n    },\n    mp3: function mp3(bytes) {\n      var offset = getId3Offset(bytes);\n      return bytesMatch(bytes, [0xFF, 0x02], {\n        offset: offset,\n        mask: [0xFF, 0x06]\n      });\n    },\n    webm: function webm(bytes) {\n      var docType = findEbml(bytes, [EBML_TAGS.EBML, EBML_TAGS.DocType])[0]; // check if DocType EBML tag is webm\n\n      return bytesMatch(docType, CONSTANTS.webm);\n    },\n    mkv: function mkv(bytes) {\n      var docType = findEbml(bytes, [EBML_TAGS.EBML, EBML_TAGS.DocType])[0]; // check if DocType EBML tag is matroska\n\n      return bytesMatch(docType, CONSTANTS.matroska);\n    },\n    mp4: function mp4(bytes) {\n      // if this file is another base media file format, it is not mp4\n      if (_isLikely['3gp'](bytes) || _isLikely.mov(bytes)) {\n        return false;\n      } // if this file starts with a ftyp or styp box its mp4\n\n      if (bytesMatch(bytes, CONSTANTS.mp4, {\n        offset: 4\n      }) || bytesMatch(bytes, CONSTANTS.fmp4, {\n        offset: 4\n      })) {\n        return true;\n      } // if this file starts with a moof/moov box its mp4\n\n      if (bytesMatch(bytes, CONSTANTS.moof, {\n        offset: 4\n      }) || bytesMatch(bytes, CONSTANTS.moov, {\n        offset: 4\n      })) {\n        return true;\n      }\n    },\n    mov: function mov(bytes) {\n      return bytesMatch(bytes, CONSTANTS.mov, {\n        offset: 4\n      });\n    },\n    '3gp': function gp(bytes) {\n      return bytesMatch(bytes, CONSTANTS['3gp'], {\n        offset: 4\n      });\n    },\n    ac3: function ac3(bytes) {\n      var offset = getId3Offset(bytes);\n      return bytesMatch(bytes, CONSTANTS.ac3, {\n        offset: offset\n      });\n    },\n    ts: function ts(bytes) {\n      if (bytes.length < 189 && bytes.length >= 1) {\n        return bytes[0] === 0x47;\n      }\n      var i = 0; // check the first 376 bytes for two matching sync bytes\n\n      while (i + 188 < bytes.length && i < 188) {\n        if (bytes[i] === 0x47 && bytes[i + 188] === 0x47) {\n          return true;\n        }\n        i += 1;\n      }\n      return false;\n    },\n    flac: function flac(bytes) {\n      var offset = getId3Offset(bytes);\n      return bytesMatch(bytes, CONSTANTS.flac, {\n        offset: offset\n      });\n    },\n    ogg: function ogg(bytes) {\n      return bytesMatch(bytes, CONSTANTS.ogg);\n    },\n    avi: function avi(bytes) {\n      return bytesMatch(bytes, CONSTANTS.riff) && bytesMatch(bytes, CONSTANTS.avi, {\n        offset: 8\n      });\n    },\n    wav: function wav(bytes) {\n      return bytesMatch(bytes, CONSTANTS.riff) && bytesMatch(bytes, CONSTANTS.wav, {\n        offset: 8\n      });\n    },\n    'h264': function h264(bytes) {\n      // find seq_parameter_set_rbsp\n      return findH264Nal(bytes, 7, 3).length;\n    },\n    'h265': function h265(bytes) {\n      // find video_parameter_set_rbsp or seq_parameter_set_rbsp\n      return findH265Nal(bytes, [32, 33], 3).length;\n    }\n  }; // get all the isLikely functions\n  // but make sure 'ts' is above h264 and h265\n  // but below everything else as it is the least specific\n\n  var isLikelyTypes = Object.keys(_isLikely) // remove ts, h264, h265\n  .filter(function (t) {\n    return t !== 'ts' && t !== 'h264' && t !== 'h265';\n  }) // add it back to the bottom\n  .concat(['ts', 'h264', 'h265']); // make sure we are dealing with uint8 data.\n\n  isLikelyTypes.forEach(function (type) {\n    var isLikelyFn = _isLikely[type];\n    _isLikely[type] = function (bytes) {\n      return isLikelyFn(toUint8(bytes));\n    };\n  }); // export after wrapping\n\n  var isLikely = _isLikely; // A useful list of file signatures can be found here\n  // https://en.wikipedia.org/wiki/List_of_file_signatures\n\n  var detectContainerForBytes = function detectContainerForBytes(bytes) {\n    bytes = toUint8(bytes);\n    for (var i = 0; i < isLikelyTypes.length; i++) {\n      var type = isLikelyTypes[i];\n      if (isLikely[type](bytes)) {\n        return type;\n      }\n    }\n    return '';\n  }; // fmp4 is not a container\n\n  var isLikelyFmp4MediaSegment = function isLikelyFmp4MediaSegment(bytes) {\n    return findBox(bytes, ['moof']).length > 0;\n  };\n\n  /**\n   * mux.js\n   *\n   * Copyright (c) Brightcove\n   * Licensed Apache-2.0 https://github.com/videojs/mux.js/blob/master/LICENSE\n   */\n  var ONE_SECOND_IN_TS = 90000,\n    // 90kHz clock\n    secondsToVideoTs,\n    secondsToAudioTs,\n    videoTsToSeconds,\n    audioTsToSeconds,\n    audioTsToVideoTs,\n    videoTsToAudioTs,\n    metadataTsToSeconds;\n  secondsToVideoTs = function (seconds) {\n    return seconds * ONE_SECOND_IN_TS;\n  };\n  secondsToAudioTs = function (seconds, sampleRate) {\n    return seconds * sampleRate;\n  };\n  videoTsToSeconds = function (timestamp) {\n    return timestamp / ONE_SECOND_IN_TS;\n  };\n  audioTsToSeconds = function (timestamp, sampleRate) {\n    return timestamp / sampleRate;\n  };\n  audioTsToVideoTs = function (timestamp, sampleRate) {\n    return secondsToVideoTs(audioTsToSeconds(timestamp, sampleRate));\n  };\n  videoTsToAudioTs = function (timestamp, sampleRate) {\n    return secondsToAudioTs(videoTsToSeconds(timestamp), sampleRate);\n  };\n\n  /**\n   * Adjust ID3 tag or caption timing information by the timeline pts values\n   * (if keepOriginalTimestamps is false) and convert to seconds\n   */\n  metadataTsToSeconds = function (timestamp, timelineStartPts, keepOriginalTimestamps) {\n    return videoTsToSeconds(keepOriginalTimestamps ? timestamp : timestamp - timelineStartPts);\n  };\n  var clock = {\n    ONE_SECOND_IN_TS: ONE_SECOND_IN_TS,\n    secondsToVideoTs: secondsToVideoTs,\n    secondsToAudioTs: secondsToAudioTs,\n    videoTsToSeconds: videoTsToSeconds,\n    audioTsToSeconds: audioTsToSeconds,\n    audioTsToVideoTs: audioTsToVideoTs,\n    videoTsToAudioTs: videoTsToAudioTs,\n    metadataTsToSeconds: metadataTsToSeconds\n  };\n  var clock_1 = clock.ONE_SECOND_IN_TS;\n\n  /*! @name @videojs/http-streaming @version 3.16.2 @license Apache-2.0 */\n\n  /**\n   * @file resolve-url.js - Handling how URLs are resolved and manipulated\n   */\n  const resolveUrl = resolveUrl$1;\n  /**\n   * If the xhr request was redirected, return the responseURL, otherwise,\n   * return the original url.\n   *\n   * @api private\n   *\n   * @param  {string} url - an url being requested\n   * @param  {XMLHttpRequest} req - xhr request result\n   *\n   * @return {string}\n   */\n\n  const resolveManifestRedirect = (url, req) => {\n    // To understand how the responseURL below is set and generated:\n    // - https://fetch.spec.whatwg.org/#concept-response-url\n    // - https://fetch.spec.whatwg.org/#atomic-http-redirect-handling\n    if (req && req.responseURL && url !== req.responseURL) {\n      return req.responseURL;\n    }\n    return url;\n  };\n  const logger = source => {\n    if (videojs.log.debug) {\n      return videojs.log.debug.bind(videojs, 'VHS:', `${source} >`);\n    }\n    return function () {};\n  };\n\n  /**\n   * Provides a compatibility layer between Video.js 7 and 8 API changes for VHS.\n   */\n  /**\n   * Delegates to videojs.obj.merge (Video.js 8) or\n   * videojs.mergeOptions (Video.js 7).\n   */\n\n  function merge(...args) {\n    const context = videojs.obj || videojs;\n    const fn = context.merge || context.mergeOptions;\n    return fn.apply(context, args);\n  }\n  /**\n   * Delegates to videojs.time.createTimeRanges (Video.js 8) or\n   * videojs.createTimeRanges (Video.js 7).\n   */\n\n  function createTimeRanges(...args) {\n    const context = videojs.time || videojs;\n    const fn = context.createTimeRanges || context.createTimeRanges;\n    return fn.apply(context, args);\n  }\n  /**\n   * Converts provided buffered ranges to a descriptive string\n   *\n   * @param {TimeRanges} buffered - received buffered time ranges\n   *\n   * @return {string} - descriptive string\n   */\n\n  function bufferedRangesToString(buffered) {\n    if (buffered.length === 0) {\n      return 'Buffered Ranges are empty';\n    }\n    let bufferedRangesStr = 'Buffered Ranges: \\n';\n    for (let i = 0; i < buffered.length; i++) {\n      const start = buffered.start(i);\n      const end = buffered.end(i);\n      bufferedRangesStr += `${start} --> ${end}. Duration (${end - start})\\n`;\n    }\n    return bufferedRangesStr;\n  }\n\n  /**\n   * ranges\n   *\n   * Utilities for working with TimeRanges.\n   *\n   */\n\n  const TIME_FUDGE_FACTOR = 1 / 30; // Comparisons between time values such as current time and the end of the buffered range\n  // can be misleading because of precision differences or when the current media has poorly\n  // aligned audio and video, which can cause values to be slightly off from what you would\n  // expect. This value is what we consider to be safe to use in such comparisons to account\n  // for these scenarios.\n\n  const SAFE_TIME_DELTA = TIME_FUDGE_FACTOR * 3;\n  const filterRanges = function (timeRanges, predicate) {\n    const results = [];\n    let i;\n    if (timeRanges && timeRanges.length) {\n      // Search for ranges that match the predicate\n      for (i = 0; i < timeRanges.length; i++) {\n        if (predicate(timeRanges.start(i), timeRanges.end(i))) {\n          results.push([timeRanges.start(i), timeRanges.end(i)]);\n        }\n      }\n    }\n    return createTimeRanges(results);\n  };\n  /**\n   * Attempts to find the buffered TimeRange that contains the specified\n   * time.\n   *\n   * @param {TimeRanges} buffered - the TimeRanges object to query\n   * @param {number} time  - the time to filter on.\n   * @return {TimeRanges} a new TimeRanges object\n   */\n\n  const findRange = function (buffered, time) {\n    return filterRanges(buffered, function (start, end) {\n      return start - SAFE_TIME_DELTA <= time && end + SAFE_TIME_DELTA >= time;\n    });\n  };\n  /**\n   * Returns the TimeRanges that begin later than the specified time.\n   *\n   * @param {TimeRanges} timeRanges - the TimeRanges object to query\n   * @param {number} time - the time to filter on.\n   * @return {TimeRanges} a new TimeRanges object.\n   */\n\n  const findNextRange = function (timeRanges, time) {\n    return filterRanges(timeRanges, function (start) {\n      return start - TIME_FUDGE_FACTOR >= time;\n    });\n  };\n  /**\n   * Returns gaps within a list of TimeRanges\n   *\n   * @param {TimeRanges} buffered - the TimeRanges object\n   * @return {TimeRanges} a TimeRanges object of gaps\n   */\n\n  const findGaps = function (buffered) {\n    if (buffered.length < 2) {\n      return createTimeRanges();\n    }\n    const ranges = [];\n    for (let i = 1; i < buffered.length; i++) {\n      const start = buffered.end(i - 1);\n      const end = buffered.start(i);\n      ranges.push([start, end]);\n    }\n    return createTimeRanges(ranges);\n  };\n  /**\n   * Calculate the intersection of two TimeRanges\n   *\n   * @param {TimeRanges} bufferA\n   * @param {TimeRanges} bufferB\n   * @return {TimeRanges} The interesection of `bufferA` with `bufferB`\n   */\n\n  const bufferIntersection = function (bufferA, bufferB) {\n    let start = null;\n    let end = null;\n    let arity = 0;\n    const extents = [];\n    const ranges = [];\n    if (!bufferA || !bufferA.length || !bufferB || !bufferB.length) {\n      return createTimeRanges();\n    } // Handle the case where we have both buffers and create an\n    // intersection of the two\n\n    let count = bufferA.length; // A) Gather up all start and end times\n\n    while (count--) {\n      extents.push({\n        time: bufferA.start(count),\n        type: 'start'\n      });\n      extents.push({\n        time: bufferA.end(count),\n        type: 'end'\n      });\n    }\n    count = bufferB.length;\n    while (count--) {\n      extents.push({\n        time: bufferB.start(count),\n        type: 'start'\n      });\n      extents.push({\n        time: bufferB.end(count),\n        type: 'end'\n      });\n    } // B) Sort them by time\n\n    extents.sort(function (a, b) {\n      return a.time - b.time;\n    }); // C) Go along one by one incrementing arity for start and decrementing\n    //    arity for ends\n\n    for (count = 0; count < extents.length; count++) {\n      if (extents[count].type === 'start') {\n        arity++; // D) If arity is ever incremented to 2 we are entering an\n        //    overlapping range\n\n        if (arity === 2) {\n          start = extents[count].time;\n        }\n      } else if (extents[count].type === 'end') {\n        arity--; // E) If arity is ever decremented to 1 we leaving an\n        //    overlapping range\n\n        if (arity === 1) {\n          end = extents[count].time;\n        }\n      } // F) Record overlapping ranges\n\n      if (start !== null && end !== null) {\n        ranges.push([start, end]);\n        start = null;\n        end = null;\n      }\n    }\n    return createTimeRanges(ranges);\n  };\n  /**\n   * Gets a human readable string for a TimeRange\n   *\n   * @param {TimeRange} range\n   * @return {string} a human readable string\n   */\n\n  const printableRange = range => {\n    const strArr = [];\n    if (!range || !range.length) {\n      return '';\n    }\n    for (let i = 0; i < range.length; i++) {\n      strArr.push(range.start(i) + ' => ' + range.end(i));\n    }\n    return strArr.join(', ');\n  };\n  /**\n   * Calculates the amount of time left in seconds until the player hits the end of the\n   * buffer and causes a rebuffer\n   *\n   * @param {TimeRange} buffered\n   *        The state of the buffer\n   * @param {Numnber} currentTime\n   *        The current time of the player\n   * @param {number} playbackRate\n   *        The current playback rate of the player. Defaults to 1.\n   * @return {number}\n   *         Time until the player has to start rebuffering in seconds.\n   * @function timeUntilRebuffer\n   */\n\n  const timeUntilRebuffer = function (buffered, currentTime, playbackRate = 1) {\n    const bufferedEnd = buffered.length ? buffered.end(buffered.length - 1) : 0;\n    return (bufferedEnd - currentTime) / playbackRate;\n  };\n  /**\n   * Converts a TimeRanges object into an array representation\n   *\n   * @param {TimeRanges} timeRanges\n   * @return {Array}\n   */\n\n  const timeRangesToArray = timeRanges => {\n    const timeRangesList = [];\n    for (let i = 0; i < timeRanges.length; i++) {\n      timeRangesList.push({\n        start: timeRanges.start(i),\n        end: timeRanges.end(i)\n      });\n    }\n    return timeRangesList;\n  };\n  /**\n   * Determines if two time range objects are different.\n   *\n   * @param {TimeRange} a\n   *        the first time range object to check\n   *\n   * @param {TimeRange} b\n   *        the second time range object to check\n   *\n   * @return {Boolean}\n   *         Whether the time range objects differ\n   */\n\n  const isRangeDifferent = function (a, b) {\n    // same object\n    if (a === b) {\n      return false;\n    } // one or the other is undefined\n\n    if (!a && b || !b && a) {\n      return true;\n    } // length is different\n\n    if (a.length !== b.length) {\n      return true;\n    } // see if any start/end pair is different\n\n    for (let i = 0; i < a.length; i++) {\n      if (a.start(i) !== b.start(i) || a.end(i) !== b.end(i)) {\n        return true;\n      }\n    } // if the length and every pair is the same\n    // this is the same time range\n\n    return false;\n  };\n  const lastBufferedEnd = function (a) {\n    if (!a || !a.length || !a.end) {\n      return;\n    }\n    return a.end(a.length - 1);\n  };\n  /**\n   * A utility function to add up the amount of time in a timeRange\n   * after a specified startTime.\n   * ie:[[0, 10], [20, 40], [50, 60]] with a startTime 0\n   *     would return 40 as there are 40s seconds after 0 in the timeRange\n   *\n   * @param {TimeRange} range\n   *        The range to check against\n   * @param {number} startTime\n   *        The time in the time range that you should start counting from\n   *\n   * @return {number}\n   *          The number of seconds in the buffer passed the specified time.\n   */\n\n  const timeAheadOf = function (range, startTime) {\n    let time = 0;\n    if (!range || !range.length) {\n      return time;\n    }\n    for (let i = 0; i < range.length; i++) {\n      const start = range.start(i);\n      const end = range.end(i); // startTime is after this range entirely\n\n      if (startTime > end) {\n        continue;\n      } // startTime is within this range\n\n      if (startTime > start && startTime <= end) {\n        time += end - startTime;\n        continue;\n      } // startTime is before this range.\n\n      time += end - start;\n    }\n    return time;\n  };\n\n  /**\n   * @file playlist.js\n   *\n   * Playlist related utilities.\n   */\n  /**\n   * Get the duration of a segment, with special cases for\n   * llhls segments that do not have a duration yet.\n   *\n   * @param {Object} playlist\n   *        the playlist that the segment belongs to.\n   * @param {Object} segment\n   *        the segment to get a duration for.\n   *\n   * @return {number}\n   *          the segment duration\n   */\n\n  const segmentDurationWithParts = (playlist, segment) => {\n    // if this isn't a preload segment\n    // then we will have a segment duration that is accurate.\n    if (!segment.preload) {\n      return segment.duration;\n    } // otherwise we have to add up parts and preload hints\n    // to get an up to date duration.\n\n    let result = 0;\n    (segment.parts || []).forEach(function (p) {\n      result += p.duration;\n    }); // for preload hints we have to use partTargetDuration\n    // as they won't even have a duration yet.\n\n    (segment.preloadHints || []).forEach(function (p) {\n      if (p.type === 'PART') {\n        result += playlist.partTargetDuration;\n      }\n    });\n    return result;\n  };\n  /**\n   * A function to get a combined list of parts and segments with durations\n   * and indexes.\n   *\n   * @param {Playlist} playlist the playlist to get the list for.\n   *\n   * @return {Array} The part/segment list.\n   */\n\n  const getPartsAndSegments = playlist => (playlist.segments || []).reduce((acc, segment, si) => {\n    if (segment.parts) {\n      segment.parts.forEach(function (part, pi) {\n        acc.push({\n          duration: part.duration,\n          segmentIndex: si,\n          partIndex: pi,\n          part,\n          segment\n        });\n      });\n    } else {\n      acc.push({\n        duration: segment.duration,\n        segmentIndex: si,\n        partIndex: null,\n        segment,\n        part: null\n      });\n    }\n    return acc;\n  }, []);\n  const getLastParts = media => {\n    const lastSegment = media.segments && media.segments.length && media.segments[media.segments.length - 1];\n    return lastSegment && lastSegment.parts || [];\n  };\n  const getKnownPartCount = ({\n    preloadSegment\n  }) => {\n    if (!preloadSegment) {\n      return;\n    }\n    const {\n      parts,\n      preloadHints\n    } = preloadSegment;\n    let partCount = (preloadHints || []).reduce((count, hint) => count + (hint.type === 'PART' ? 1 : 0), 0);\n    partCount += parts && parts.length ? parts.length : 0;\n    return partCount;\n  };\n  /**\n   * Get the number of seconds to delay from the end of a\n   * live playlist.\n   *\n   * @param {Playlist} main the main playlist\n   * @param {Playlist} media the media playlist\n   * @return {number} the hold back in seconds.\n   */\n\n  const liveEdgeDelay = (main, media) => {\n    if (media.endList) {\n      return 0;\n    } // dash suggestedPresentationDelay trumps everything\n\n    if (main && main.suggestedPresentationDelay) {\n      return main.suggestedPresentationDelay;\n    }\n    const hasParts = getLastParts(media).length > 0; // look for \"part\" delays from ll-hls first\n\n    if (hasParts && media.serverControl && media.serverControl.partHoldBack) {\n      return media.serverControl.partHoldBack;\n    } else if (hasParts && media.partTargetDuration) {\n      return media.partTargetDuration * 3; // finally look for full segment delays\n    } else if (media.serverControl && media.serverControl.holdBack) {\n      return media.serverControl.holdBack;\n    } else if (media.targetDuration) {\n      return media.targetDuration * 3;\n    }\n    return 0;\n  };\n  /**\n   * walk backward until we find a duration we can use\n   * or return a failure\n   *\n   * @param {Playlist} playlist the playlist to walk through\n   * @param {Number} endSequence the mediaSequence to stop walking on\n   */\n\n  const backwardDuration = function (playlist, endSequence) {\n    let result = 0;\n    let i = endSequence - playlist.mediaSequence; // if a start time is available for segment immediately following\n    // the interval, use it\n\n    let segment = playlist.segments[i]; // Walk backward until we find the latest segment with timeline\n    // information that is earlier than endSequence\n\n    if (segment) {\n      if (typeof segment.start !== 'undefined') {\n        return {\n          result: segment.start,\n          precise: true\n        };\n      }\n      if (typeof segment.end !== 'undefined') {\n        return {\n          result: segment.end - segment.duration,\n          precise: true\n        };\n      }\n    }\n    while (i--) {\n      segment = playlist.segments[i];\n      if (typeof segment.end !== 'undefined') {\n        return {\n          result: result + segment.end,\n          precise: true\n        };\n      }\n      result += segmentDurationWithParts(playlist, segment);\n      if (typeof segment.start !== 'undefined') {\n        return {\n          result: result + segment.start,\n          precise: true\n        };\n      }\n    }\n    return {\n      result,\n      precise: false\n    };\n  };\n  /**\n   * walk forward until we find a duration we can use\n   * or return a failure\n   *\n   * @param {Playlist} playlist the playlist to walk through\n   * @param {number} endSequence the mediaSequence to stop walking on\n   */\n\n  const forwardDuration = function (playlist, endSequence) {\n    let result = 0;\n    let segment;\n    let i = endSequence - playlist.mediaSequence; // Walk forward until we find the earliest segment with timeline\n    // information\n\n    for (; i < playlist.segments.length; i++) {\n      segment = playlist.segments[i];\n      if (typeof segment.start !== 'undefined') {\n        return {\n          result: segment.start - result,\n          precise: true\n        };\n      }\n      result += segmentDurationWithParts(playlist, segment);\n      if (typeof segment.end !== 'undefined') {\n        return {\n          result: segment.end - result,\n          precise: true\n        };\n      }\n    } // indicate we didn't find a useful duration estimate\n\n    return {\n      result: -1,\n      precise: false\n    };\n  };\n  /**\n    * Calculate the media duration from the segments associated with a\n    * playlist. The duration of a subinterval of the available segments\n    * may be calculated by specifying an end index.\n    *\n    * @param {Object} playlist a media playlist object\n    * @param {number=} endSequence an exclusive upper boundary\n    * for the playlist.  Defaults to playlist length.\n    * @param {number} expired the amount of time that has dropped\n    * off the front of the playlist in a live scenario\n    * @return {number} the duration between the first available segment\n    * and end index.\n    */\n\n  const intervalDuration = function (playlist, endSequence, expired) {\n    if (typeof endSequence === 'undefined') {\n      endSequence = playlist.mediaSequence + playlist.segments.length;\n    }\n    if (endSequence < playlist.mediaSequence) {\n      return 0;\n    } // do a backward walk to estimate the duration\n\n    const backward = backwardDuration(playlist, endSequence);\n    if (backward.precise) {\n      // if we were able to base our duration estimate on timing\n      // information provided directly from the Media Source, return\n      // it\n      return backward.result;\n    } // walk forward to see if a precise duration estimate can be made\n    // that way\n\n    const forward = forwardDuration(playlist, endSequence);\n    if (forward.precise) {\n      // we found a segment that has been buffered and so it's\n      // position is known precisely\n      return forward.result;\n    } // return the less-precise, playlist-based duration estimate\n\n    return backward.result + expired;\n  };\n  /**\n    * Calculates the duration of a playlist. If a start and end index\n    * are specified, the duration will be for the subset of the media\n    * timeline between those two indices. The total duration for live\n    * playlists is always Infinity.\n    *\n    * @param {Object} playlist a media playlist object\n    * @param {number=} endSequence an exclusive upper\n    * boundary for the playlist. Defaults to the playlist media\n    * sequence number plus its length.\n    * @param {number=} expired the amount of time that has\n    * dropped off the front of the playlist in a live scenario\n    * @return {number} the duration between the start index and end\n    * index.\n    */\n\n  const duration = function (playlist, endSequence, expired) {\n    if (!playlist) {\n      return 0;\n    }\n    if (typeof expired !== 'number') {\n      expired = 0;\n    } // if a slice of the total duration is not requested, use\n    // playlist-level duration indicators when they're present\n\n    if (typeof endSequence === 'undefined') {\n      // if present, use the duration specified in the playlist\n      if (playlist.totalDuration) {\n        return playlist.totalDuration;\n      } // duration should be Infinity for live playlists\n\n      if (!playlist.endList) {\n        return window.Infinity;\n      }\n    } // calculate the total duration based on the segment durations\n\n    return intervalDuration(playlist, endSequence, expired);\n  };\n  /**\n    * Calculate the time between two indexes in the current playlist\n    * neight the start- nor the end-index need to be within the current\n    * playlist in which case, the targetDuration of the playlist is used\n    * to approximate the durations of the segments\n    *\n    * @param {Array} options.durationList list to iterate over for durations.\n    * @param {number} options.defaultDuration duration to use for elements before or after the durationList\n    * @param {number} options.startIndex partsAndSegments index to start\n    * @param {number} options.endIndex partsAndSegments index to end.\n    * @return {number} the number of seconds between startIndex and endIndex\n    */\n\n  const sumDurations = function ({\n    defaultDuration,\n    durationList,\n    startIndex,\n    endIndex\n  }) {\n    let durations = 0;\n    if (startIndex > endIndex) {\n      [startIndex, endIndex] = [endIndex, startIndex];\n    }\n    if (startIndex < 0) {\n      for (let i = startIndex; i < Math.min(0, endIndex); i++) {\n        durations += defaultDuration;\n      }\n      startIndex = 0;\n    }\n    for (let i = startIndex; i < endIndex; i++) {\n      durations += durationList[i].duration;\n    }\n    return durations;\n  };\n  /**\n   * Calculates the playlist end time\n   *\n   * @param {Object} playlist a media playlist object\n   * @param {number=} expired the amount of time that has\n   *                  dropped off the front of the playlist in a live scenario\n   * @param {boolean|false} useSafeLiveEnd a boolean value indicating whether or not the\n   *                        playlist end calculation should consider the safe live end\n   *                        (truncate the playlist end by three segments). This is normally\n   *                        used for calculating the end of the playlist's seekable range.\n   *                        This takes into account the value of liveEdgePadding.\n   *                        Setting liveEdgePadding to 0 is equivalent to setting this to false.\n   * @param {number} liveEdgePadding a number indicating how far from the end of the playlist we should be in seconds.\n   *                 If this is provided, it is used in the safe live end calculation.\n   *                 Setting useSafeLiveEnd=false or liveEdgePadding=0 are equivalent.\n   *                 Corresponds to suggestedPresentationDelay in DASH manifests.\n   * @return {number} the end time of playlist\n   * @function playlistEnd\n   */\n\n  const playlistEnd = function (playlist, expired, useSafeLiveEnd, liveEdgePadding) {\n    if (!playlist || !playlist.segments) {\n      return null;\n    }\n    if (playlist.endList) {\n      return duration(playlist);\n    }\n    if (expired === null) {\n      return null;\n    }\n    expired = expired || 0;\n    let lastSegmentEndTime = intervalDuration(playlist, playlist.mediaSequence + playlist.segments.length, expired);\n    if (useSafeLiveEnd) {\n      liveEdgePadding = typeof liveEdgePadding === 'number' ? liveEdgePadding : liveEdgeDelay(null, playlist);\n      lastSegmentEndTime -= liveEdgePadding;\n    } // don't return a time less than zero\n\n    return Math.max(0, lastSegmentEndTime);\n  };\n  /**\n    * Calculates the interval of time that is currently seekable in a\n    * playlist. The returned time ranges are relative to the earliest\n    * moment in the specified playlist that is still available. A full\n    * seekable implementation for live streams would need to offset\n    * these values by the duration of content that has expired from the\n    * stream.\n    *\n    * @param {Object} playlist a media playlist object\n    * dropped off the front of the playlist in a live scenario\n    * @param {number=} expired the amount of time that has\n    * dropped off the front of the playlist in a live scenario\n    * @param {number} liveEdgePadding how far from the end of the playlist we should be in seconds.\n    *        Corresponds to suggestedPresentationDelay in DASH manifests.\n    * @return {TimeRanges} the periods of time that are valid targets\n    * for seeking\n    */\n\n  const seekable = function (playlist, expired, liveEdgePadding) {\n    const useSafeLiveEnd = true;\n    const seekableStart = expired || 0;\n    let seekableEnd = playlistEnd(playlist, expired, useSafeLiveEnd, liveEdgePadding);\n    if (seekableEnd === null) {\n      return createTimeRanges();\n    } // Clamp seekable end since it can not be less than the seekable start\n\n    if (seekableEnd < seekableStart) {\n      seekableEnd = seekableStart;\n    }\n    return createTimeRanges(seekableStart, seekableEnd);\n  };\n  /**\n   * Determine the index and estimated starting time of the segment that\n   * contains a specified playback position in a media playlist.\n   *\n   * @param {Object} options.playlist the media playlist to query\n   * @param {number} options.currentTime The number of seconds since the earliest\n   * possible position to determine the containing segment for\n   * @param {number} options.startTime the time when the segment/part starts\n   * @param {number} options.startingSegmentIndex the segment index to start looking at.\n   * @param {number?} [options.startingPartIndex] the part index to look at within the segment.\n   *\n   * @return {Object} an object with partIndex, segmentIndex, and startTime.\n   */\n\n  const getMediaInfoForTime = function ({\n    playlist,\n    currentTime,\n    startingSegmentIndex,\n    startingPartIndex,\n    startTime,\n    exactManifestTimings\n  }) {\n    let time = currentTime - startTime;\n    const partsAndSegments = getPartsAndSegments(playlist);\n    let startIndex = 0;\n    for (let i = 0; i < partsAndSegments.length; i++) {\n      const partAndSegment = partsAndSegments[i];\n      if (startingSegmentIndex !== partAndSegment.segmentIndex) {\n        continue;\n      } // skip this if part index does not match.\n\n      if (typeof startingPartIndex === 'number' && typeof partAndSegment.partIndex === 'number' && startingPartIndex !== partAndSegment.partIndex) {\n        continue;\n      }\n      startIndex = i;\n      break;\n    }\n    if (time < 0) {\n      // Walk backward from startIndex in the playlist, adding durations\n      // until we find a segment that contains `time` and return it\n      if (startIndex > 0) {\n        for (let i = startIndex - 1; i >= 0; i--) {\n          const partAndSegment = partsAndSegments[i];\n          time += partAndSegment.duration;\n          if (exactManifestTimings) {\n            if (time < 0) {\n              continue;\n            }\n          } else if (time + TIME_FUDGE_FACTOR <= 0) {\n            continue;\n          }\n          return {\n            partIndex: partAndSegment.partIndex,\n            segmentIndex: partAndSegment.segmentIndex,\n            startTime: startTime - sumDurations({\n              defaultDuration: playlist.targetDuration,\n              durationList: partsAndSegments,\n              startIndex,\n              endIndex: i\n            })\n          };\n        }\n      } // We were unable to find a good segment within the playlist\n      // so select the first segment\n\n      return {\n        partIndex: partsAndSegments[0] && partsAndSegments[0].partIndex || null,\n        segmentIndex: partsAndSegments[0] && partsAndSegments[0].segmentIndex || 0,\n        startTime: currentTime\n      };\n    } // When startIndex is negative, we first walk forward to first segment\n    // adding target durations. If we \"run out of time\" before getting to\n    // the first segment, return the first segment\n\n    if (startIndex < 0) {\n      for (let i = startIndex; i < 0; i++) {\n        time -= playlist.targetDuration;\n        if (time < 0) {\n          return {\n            partIndex: partsAndSegments[0] && partsAndSegments[0].partIndex || null,\n            segmentIndex: partsAndSegments[0] && partsAndSegments[0].segmentIndex || 0,\n            startTime: currentTime\n          };\n        }\n      }\n      startIndex = 0;\n    } // Walk forward from startIndex in the playlist, subtracting durations\n    // until we find a segment that contains `time` and return it\n\n    for (let i = startIndex; i < partsAndSegments.length; i++) {\n      const partAndSegment = partsAndSegments[i];\n      time -= partAndSegment.duration;\n      const canUseFudgeFactor = partAndSegment.duration > TIME_FUDGE_FACTOR;\n      const isExactlyAtTheEnd = time === 0;\n      const isExtremelyCloseToTheEnd = canUseFudgeFactor && time + TIME_FUDGE_FACTOR >= 0;\n      if (isExactlyAtTheEnd || isExtremelyCloseToTheEnd) {\n        // 1) We are exactly at the end of the current segment.\n        // 2) We are extremely close to the end of the current segment (The difference is less than  1 / 30).\n        //    We may encounter this situation when\n        //    we don't have exact match between segment duration info in the manifest and the actual duration of the segment\n        //    For example:\n        //    We appended 3 segments 10 seconds each, meaning we should have 30 sec buffered,\n        //    but we the actual buffered is 29.99999\n        //\n        // In both cases:\n        // if we passed current time -> it means that we already played current segment\n        // if we passed buffered.end -> it means that this segment is already loaded and buffered\n        // we should select the next segment if we have one:\n        if (i !== partsAndSegments.length - 1) {\n          continue;\n        }\n      }\n      if (exactManifestTimings) {\n        if (time > 0) {\n          continue;\n        }\n      } else if (time - TIME_FUDGE_FACTOR >= 0) {\n        continue;\n      }\n      return {\n        partIndex: partAndSegment.partIndex,\n        segmentIndex: partAndSegment.segmentIndex,\n        startTime: startTime + sumDurations({\n          defaultDuration: playlist.targetDuration,\n          durationList: partsAndSegments,\n          startIndex,\n          endIndex: i\n        })\n      };\n    } // We are out of possible candidates so load the last one...\n\n    return {\n      segmentIndex: partsAndSegments[partsAndSegments.length - 1].segmentIndex,\n      partIndex: partsAndSegments[partsAndSegments.length - 1].partIndex,\n      startTime: currentTime\n    };\n  };\n  /**\n   * Check whether the playlist is excluded or not.\n   *\n   * @param {Object} playlist the media playlist object\n   * @return {boolean} whether the playlist is excluded or not\n   * @function isExcluded\n   */\n\n  const isExcluded = function (playlist) {\n    return playlist.excludeUntil && playlist.excludeUntil > Date.now();\n  };\n  /**\n   * Check whether the playlist is compatible with current playback configuration or has\n   * been excluded permanently for being incompatible.\n   *\n   * @param {Object} playlist the media playlist object\n   * @return {boolean} whether the playlist is incompatible or not\n   * @function isIncompatible\n   */\n\n  const isIncompatible = function (playlist) {\n    return playlist.excludeUntil && playlist.excludeUntil === Infinity;\n  };\n  /**\n   * Check whether the playlist is enabled or not.\n   *\n   * @param {Object} playlist the media playlist object\n   * @return {boolean} whether the playlist is enabled or not\n   * @function isEnabled\n   */\n\n  const isEnabled = function (playlist) {\n    const excluded = isExcluded(playlist);\n    return !playlist.disabled && !excluded;\n  };\n  /**\n   * Check whether the playlist has been manually disabled through the representations api.\n   *\n   * @param {Object} playlist the media playlist object\n   * @return {boolean} whether the playlist is disabled manually or not\n   * @function isDisabled\n   */\n\n  const isDisabled = function (playlist) {\n    return playlist.disabled;\n  };\n  /**\n   * Returns whether the current playlist is an AES encrypted HLS stream\n   *\n   * @return {boolean} true if it's an AES encrypted HLS stream\n   */\n\n  const isAes = function (media) {\n    for (let i = 0; i < media.segments.length; i++) {\n      if (media.segments[i].key) {\n        return true;\n      }\n    }\n    return false;\n  };\n  /**\n   * Checks if the playlist has a value for the specified attribute\n   *\n   * @param {string} attr\n   *        Attribute to check for\n   * @param {Object} playlist\n   *        The media playlist object\n   * @return {boolean}\n   *         Whether the playlist contains a value for the attribute or not\n   * @function hasAttribute\n   */\n\n  const hasAttribute = function (attr, playlist) {\n    return playlist.attributes && playlist.attributes[attr];\n  };\n  /**\n   * Estimates the time required to complete a segment download from the specified playlist\n   *\n   * @param {number} segmentDuration\n   *        Duration of requested segment\n   * @param {number} bandwidth\n   *        Current measured bandwidth of the player\n   * @param {Object} playlist\n   *        The media playlist object\n   * @param {number=} bytesReceived\n   *        Number of bytes already received for the request. Defaults to 0\n   * @return {number|NaN}\n   *         The estimated time to request the segment. NaN if bandwidth information for\n   *         the given playlist is unavailable\n   * @function estimateSegmentRequestTime\n   */\n\n  const estimateSegmentRequestTime = function (segmentDuration, bandwidth, playlist, bytesReceived = 0) {\n    if (!hasAttribute('BANDWIDTH', playlist)) {\n      return NaN;\n    }\n    const size = segmentDuration * playlist.attributes.BANDWIDTH;\n    return (size - bytesReceived * 8) / bandwidth;\n  };\n  /*\n   * Returns whether the current playlist is the lowest rendition\n   *\n   * @return {Boolean} true if on lowest rendition\n   */\n\n  const isLowestEnabledRendition = (main, media) => {\n    if (main.playlists.length === 1) {\n      return true;\n    }\n    const currentBandwidth = media.attributes.BANDWIDTH || Number.MAX_VALUE;\n    return main.playlists.filter(playlist => {\n      if (!isEnabled(playlist)) {\n        return false;\n      }\n      return (playlist.attributes.BANDWIDTH || 0) < currentBandwidth;\n    }).length === 0;\n  };\n  const playlistMatch = (a, b) => {\n    // both playlits are null\n    // or only one playlist is non-null\n    // no match\n    if (!a && !b || !a && b || a && !b) {\n      return false;\n    } // playlist objects are the same, match\n\n    if (a === b) {\n      return true;\n    } // first try to use id as it should be the most\n    // accurate\n\n    if (a.id && b.id && a.id === b.id) {\n      return true;\n    } // next try to use reslovedUri as it should be the\n    // second most accurate.\n\n    if (a.resolvedUri && b.resolvedUri && a.resolvedUri === b.resolvedUri) {\n      return true;\n    } // finally try to use uri as it should be accurate\n    // but might miss a few cases for relative uris\n\n    if (a.uri && b.uri && a.uri === b.uri) {\n      return true;\n    }\n    return false;\n  };\n  const someAudioVariant = function (main, callback) {\n    const AUDIO = main && main.mediaGroups && main.mediaGroups.AUDIO || {};\n    let found = false;\n    for (const groupName in AUDIO) {\n      for (const label in AUDIO[groupName]) {\n        found = callback(AUDIO[groupName][label]);\n        if (found) {\n          break;\n        }\n      }\n      if (found) {\n        break;\n      }\n    }\n    return !!found;\n  };\n  const isAudioOnly = main => {\n    // we are audio only if we have no main playlists but do\n    // have media group playlists.\n    if (!main || !main.playlists || !main.playlists.length) {\n      // without audio variants or playlists this\n      // is not an audio only main.\n      const found = someAudioVariant(main, variant => variant.playlists && variant.playlists.length || variant.uri);\n      return found;\n    } // if every playlist has only an audio codec it is audio only\n\n    for (let i = 0; i < main.playlists.length; i++) {\n      const playlist = main.playlists[i];\n      const CODECS = playlist.attributes && playlist.attributes.CODECS; // all codecs are audio, this is an audio playlist.\n\n      if (CODECS && CODECS.split(',').every(c => isAudioCodec(c))) {\n        continue;\n      } // playlist is in an audio group it is audio only\n\n      const found = someAudioVariant(main, variant => playlistMatch(playlist, variant));\n      if (found) {\n        continue;\n      } // if we make it here this playlist isn't audio and we\n      // are not audio only\n\n      return false;\n    } // if we make it past every playlist without returning, then\n    // this is an audio only playlist.\n\n    return true;\n  }; // exports\n\n  var Playlist = {\n    liveEdgeDelay,\n    duration,\n    seekable,\n    getMediaInfoForTime,\n    isEnabled,\n    isDisabled,\n    isExcluded,\n    isIncompatible,\n    playlistEnd,\n    isAes,\n    hasAttribute,\n    estimateSegmentRequestTime,\n    isLowestEnabledRendition,\n    isAudioOnly,\n    playlistMatch,\n    segmentDurationWithParts\n  };\n  const {\n    log\n  } = videojs;\n  const createPlaylistID = (index, uri) => {\n    return `${index}-${uri}`;\n  }; // default function for creating a group id\n\n  const groupID = (type, group, label) => {\n    return `placeholder-uri-${type}-${group}-${label}`;\n  };\n  /**\n   * Parses a given m3u8 playlist\n   *\n   * @param {Function} [onwarn]\n   *        a function to call when the parser triggers a warning event.\n   * @param {Function} [oninfo]\n   *        a function to call when the parser triggers an info event.\n   * @param {string} manifestString\n   *        The downloaded manifest string\n   * @param {Object[]} [customTagParsers]\n   *        An array of custom tag parsers for the m3u8-parser instance\n   * @param {Object[]} [customTagMappers]\n   *        An array of custom tag mappers for the m3u8-parser instance\n   * @param {boolean} [llhls]\n   *        Whether to keep ll-hls features in the manifest after parsing.\n   * @return {Object}\n   *         The manifest object\n   */\n\n  const parseManifest = ({\n    onwarn,\n    oninfo,\n    manifestString,\n    customTagParsers = [],\n    customTagMappers = [],\n    llhls\n  }) => {\n    const parser = new Parser();\n    if (onwarn) {\n      parser.on('warn', onwarn);\n    }\n    if (oninfo) {\n      parser.on('info', oninfo);\n    }\n    customTagParsers.forEach(customParser => parser.addParser(customParser));\n    customTagMappers.forEach(mapper => parser.addTagMapper(mapper));\n    parser.push(manifestString);\n    parser.end();\n    const manifest = parser.manifest; // remove llhls features from the parsed manifest\n    // if we don't want llhls support.\n\n    if (!llhls) {\n      ['preloadSegment', 'skip', 'serverControl', 'renditionReports', 'partInf', 'partTargetDuration'].forEach(function (k) {\n        if (manifest.hasOwnProperty(k)) {\n          delete manifest[k];\n        }\n      });\n      if (manifest.segments) {\n        manifest.segments.forEach(function (segment) {\n          ['parts', 'preloadHints'].forEach(function (k) {\n            if (segment.hasOwnProperty(k)) {\n              delete segment[k];\n            }\n          });\n        });\n      }\n    }\n    if (!manifest.targetDuration) {\n      let targetDuration = 10;\n      if (manifest.segments && manifest.segments.length) {\n        targetDuration = manifest.segments.reduce((acc, s) => Math.max(acc, s.duration), 0);\n      }\n      if (onwarn) {\n        onwarn({\n          message: `manifest has no targetDuration defaulting to ${targetDuration}`\n        });\n      }\n      manifest.targetDuration = targetDuration;\n    }\n    const parts = getLastParts(manifest);\n    if (parts.length && !manifest.partTargetDuration) {\n      const partTargetDuration = parts.reduce((acc, p) => Math.max(acc, p.duration), 0);\n      if (onwarn) {\n        onwarn({\n          message: `manifest has no partTargetDuration defaulting to ${partTargetDuration}`\n        });\n        log.error('LL-HLS manifest has parts but lacks required #EXT-X-PART-INF:PART-TARGET value. See https://datatracker.ietf.org/doc/html/draft-pantos-hls-rfc8216bis-09#section-4.4.3.7. Playback is not guaranteed.');\n      }\n      manifest.partTargetDuration = partTargetDuration;\n    }\n    return manifest;\n  };\n  /**\n   * Loops through all supported media groups in main and calls the provided\n   * callback for each group\n   *\n   * @param {Object} main\n   *        The parsed main manifest object\n   * @param {Function} callback\n   *        Callback to call for each media group\n   */\n\n  const forEachMediaGroup = (main, callback) => {\n    if (!main.mediaGroups) {\n      return;\n    }\n    ['AUDIO', 'SUBTITLES'].forEach(mediaType => {\n      if (!main.mediaGroups[mediaType]) {\n        return;\n      }\n      for (const groupKey in main.mediaGroups[mediaType]) {\n        for (const labelKey in main.mediaGroups[mediaType][groupKey]) {\n          const mediaProperties = main.mediaGroups[mediaType][groupKey][labelKey];\n          callback(mediaProperties, mediaType, groupKey, labelKey);\n        }\n      }\n    });\n  };\n  /**\n   * Adds properties and attributes to the playlist to keep consistent functionality for\n   * playlists throughout VHS.\n   *\n   * @param {Object} config\n   *        Arguments object\n   * @param {Object} config.playlist\n   *        The media playlist\n   * @param {string} [config.uri]\n   *        The uri to the media playlist (if media playlist is not from within a main\n   *        playlist)\n   * @param {string} id\n   *        ID to use for the playlist\n   */\n\n  const setupMediaPlaylist = ({\n    playlist,\n    uri,\n    id\n  }) => {\n    playlist.id = id;\n    playlist.playlistErrors_ = 0;\n    if (uri) {\n      // For media playlists, m3u8-parser does not have access to a URI, as HLS media\n      // playlists do not contain their own source URI, but one is needed for consistency in\n      // VHS.\n      playlist.uri = uri;\n    } // For HLS main playlists, even though certain attributes MUST be defined, the\n    // stream may still be played without them.\n    // For HLS media playlists, m3u8-parser does not attach an attributes object to the\n    // manifest.\n    //\n    // To avoid undefined reference errors through the project, and make the code easier\n    // to write/read, add an empty attributes object for these cases.\n\n    playlist.attributes = playlist.attributes || {};\n  };\n  /**\n   * Adds ID, resolvedUri, and attributes properties to each playlist of the main, where\n   * necessary. In addition, creates playlist IDs for each playlist and adds playlist ID to\n   * playlist references to the playlists array.\n   *\n   * @param {Object} main\n   *        The main playlist\n   */\n\n  const setupMediaPlaylists = main => {\n    let i = main.playlists.length;\n    while (i--) {\n      const playlist = main.playlists[i];\n      setupMediaPlaylist({\n        playlist,\n        id: createPlaylistID(i, playlist.uri)\n      });\n      playlist.resolvedUri = resolveUrl(main.uri, playlist.uri);\n      main.playlists[playlist.id] = playlist; // URI reference added for backwards compatibility\n\n      main.playlists[playlist.uri] = playlist; // Although the spec states an #EXT-X-STREAM-INF tag MUST have a BANDWIDTH attribute,\n      // the stream can be played without it. Although an attributes property may have been\n      // added to the playlist to prevent undefined references, issue a warning to fix the\n      // manifest.\n\n      if (!playlist.attributes.BANDWIDTH) {\n        log.warn('Invalid playlist STREAM-INF detected. Missing BANDWIDTH attribute.');\n      }\n    }\n  };\n  /**\n   * Adds resolvedUri properties to each media group.\n   *\n   * @param {Object} main\n   *        The main playlist\n   */\n\n  const resolveMediaGroupUris = main => {\n    forEachMediaGroup(main, properties => {\n      if (properties.uri) {\n        properties.resolvedUri = resolveUrl(main.uri, properties.uri);\n      }\n    });\n  };\n  /**\n   * Creates a main playlist wrapper to insert a sole media playlist into.\n   *\n   * @param {Object} media\n   *        Media playlist\n   * @param {string} uri\n   *        The media URI\n   *\n   * @return {Object}\n   *         main playlist\n   */\n\n  const mainForMedia = (media, uri) => {\n    const id = createPlaylistID(0, uri);\n    const main = {\n      mediaGroups: {\n        'AUDIO': {},\n        'VIDEO': {},\n        'CLOSED-CAPTIONS': {},\n        'SUBTITLES': {}\n      },\n      uri: window.location.href,\n      resolvedUri: window.location.href,\n      playlists: [{\n        uri,\n        id,\n        resolvedUri: uri,\n        // m3u8-parser does not attach an attributes property to media playlists so make\n        // sure that the property is attached to avoid undefined reference errors\n        attributes: {}\n      }]\n    }; // set up ID reference\n\n    main.playlists[id] = main.playlists[0]; // URI reference added for backwards compatibility\n\n    main.playlists[uri] = main.playlists[0];\n    return main;\n  };\n  /**\n   * Does an in-place update of the main manifest to add updated playlist URI references\n   * as well as other properties needed by VHS that aren't included by the parser.\n   *\n   * @param {Object} main\n   *        main manifest object\n   * @param {string} uri\n   *        The source URI\n   * @param {function} createGroupID\n   *        A function to determine how to create the groupID for mediaGroups\n   */\n\n  const addPropertiesToMain = (main, uri, createGroupID = groupID) => {\n    main.uri = uri;\n    for (let i = 0; i < main.playlists.length; i++) {\n      if (!main.playlists[i].uri) {\n        // Set up phony URIs for the playlists since playlists are referenced by their URIs\n        // throughout VHS, but some formats (e.g., DASH) don't have external URIs\n        // TODO: consider adding dummy URIs in mpd-parser\n        const phonyUri = `placeholder-uri-${i}`;\n        main.playlists[i].uri = phonyUri;\n      }\n    }\n    const audioOnlyMain = isAudioOnly(main);\n    forEachMediaGroup(main, (properties, mediaType, groupKey, labelKey) => {\n      // add a playlist array under properties\n      if (!properties.playlists || !properties.playlists.length) {\n        // If the manifest is audio only and this media group does not have a uri, check\n        // if the media group is located in the main list of playlists. If it is, don't add\n        // placeholder properties as it shouldn't be considered an alternate audio track.\n        if (audioOnlyMain && mediaType === 'AUDIO' && !properties.uri) {\n          for (let i = 0; i < main.playlists.length; i++) {\n            const p = main.playlists[i];\n            if (p.attributes && p.attributes.AUDIO && p.attributes.AUDIO === groupKey) {\n              return;\n            }\n          }\n        }\n        properties.playlists = [_extends$1({}, properties)];\n      }\n      properties.playlists.forEach(function (p, i) {\n        const groupId = createGroupID(mediaType, groupKey, labelKey, p);\n        const id = createPlaylistID(i, groupId);\n        if (p.uri) {\n          p.resolvedUri = p.resolvedUri || resolveUrl(main.uri, p.uri);\n        } else {\n          // DEPRECATED, this has been added to prevent a breaking change.\n          // previously we only ever had a single media group playlist, so\n          // we mark the first playlist uri without prepending the index as we used to\n          // ideally we would do all of the playlists the same way.\n          p.uri = i === 0 ? groupId : id; // don't resolve a placeholder uri to an absolute url, just use\n          // the placeholder again\n\n          p.resolvedUri = p.uri;\n        }\n        p.id = p.id || id; // add an empty attributes object, all playlists are\n        // expected to have this.\n\n        p.attributes = p.attributes || {}; // setup ID and URI references (URI for backwards compatibility)\n\n        main.playlists[p.id] = p;\n        main.playlists[p.uri] = p;\n      });\n    });\n    setupMediaPlaylists(main);\n    resolveMediaGroupUris(main);\n  };\n  class DateRangesStorage {\n    constructor() {\n      this.offset_ = null;\n      this.pendingDateRanges_ = new Map();\n      this.processedDateRanges_ = new Map();\n    }\n    setOffset(segments = []) {\n      // already set\n      if (this.offset_ !== null) {\n        return;\n      } // no segment to process\n\n      if (!segments.length) {\n        return;\n      }\n      const [firstSegment] = segments; // no program date time\n\n      if (firstSegment.programDateTime === undefined) {\n        return;\n      } // Set offset as ProgramDateTime for the very first segment of the very first playlist load:\n\n      this.offset_ = firstSegment.programDateTime / 1000;\n    }\n    setPendingDateRanges(dateRanges = []) {\n      if (!dateRanges.length) {\n        return;\n      }\n      const [dateRange] = dateRanges;\n      const startTime = dateRange.startDate.getTime();\n      this.trimProcessedDateRanges_(startTime);\n      this.pendingDateRanges_ = dateRanges.reduce((map, pendingDateRange) => {\n        map.set(pendingDateRange.id, pendingDateRange);\n        return map;\n      }, new Map());\n    }\n    processDateRange(dateRange) {\n      this.pendingDateRanges_.delete(dateRange.id);\n      this.processedDateRanges_.set(dateRange.id, dateRange);\n    }\n    getDateRangesToProcess() {\n      if (this.offset_ === null) {\n        return [];\n      }\n      const dateRangeClasses = {};\n      const dateRangesToProcess = [];\n      this.pendingDateRanges_.forEach((dateRange, id) => {\n        if (this.processedDateRanges_.has(id)) {\n          return;\n        }\n        dateRange.startTime = dateRange.startDate.getTime() / 1000 - this.offset_;\n        dateRange.processDateRange = () => this.processDateRange(dateRange);\n        dateRangesToProcess.push(dateRange);\n        if (!dateRange.class) {\n          return;\n        }\n        if (dateRangeClasses[dateRange.class]) {\n          const length = dateRangeClasses[dateRange.class].push(dateRange);\n          dateRange.classListIndex = length - 1;\n        } else {\n          dateRangeClasses[dateRange.class] = [dateRange];\n          dateRange.classListIndex = 0;\n        }\n      });\n      for (const dateRange of dateRangesToProcess) {\n        const classList = dateRangeClasses[dateRange.class] || [];\n        if (dateRange.endDate) {\n          dateRange.endTime = dateRange.endDate.getTime() / 1000 - this.offset_;\n        } else if (dateRange.endOnNext && classList[dateRange.classListIndex + 1]) {\n          dateRange.endTime = classList[dateRange.classListIndex + 1].startTime;\n        } else if (dateRange.duration) {\n          dateRange.endTime = dateRange.startTime + dateRange.duration;\n        } else if (dateRange.plannedDuration) {\n          dateRange.endTime = dateRange.startTime + dateRange.plannedDuration;\n        } else {\n          dateRange.endTime = dateRange.startTime;\n        }\n      }\n      return dateRangesToProcess;\n    }\n    trimProcessedDateRanges_(startTime) {\n      const copy = new Map(this.processedDateRanges_);\n      copy.forEach((dateRange, id) => {\n        if (dateRange.startDate.getTime() < startTime) {\n          this.processedDateRanges_.delete(id);\n        }\n      });\n    }\n  }\n  const QUOTA_EXCEEDED_ERR = 22;\n  const getStreamingNetworkErrorMetadata = ({\n    requestType,\n    request,\n    error,\n    parseFailure\n  }) => {\n    const isBadStatus = request.status < 200 || request.status > 299;\n    const isFailure = request.status >= 400 && request.status <= 499;\n    const errorMetadata = {\n      uri: request.uri,\n      requestType\n    };\n    const isBadStatusOrParseFailure = isBadStatus && !isFailure || parseFailure;\n    if (error && isFailure) {\n      // copy original error and add to the metadata.\n      errorMetadata.error = _extends$1({}, error);\n      errorMetadata.errorType = videojs.Error.NetworkRequestFailed;\n    } else if (request.aborted) {\n      errorMetadata.errorType = videojs.Error.NetworkRequestAborted;\n    } else if (request.timedout) {\n      errorMetadata.erroType = videojs.Error.NetworkRequestTimeout;\n    } else if (isBadStatusOrParseFailure) {\n      const errorType = parseFailure ? videojs.Error.NetworkBodyParserFailed : videojs.Error.NetworkBadStatus;\n      errorMetadata.errorType = errorType;\n      errorMetadata.status = request.status;\n      errorMetadata.headers = request.headers;\n    }\n    return errorMetadata;\n  };\n  const {\n    EventTarget: EventTarget$1\n  } = videojs;\n  const addLLHLSQueryDirectives = (uri, media) => {\n    if (media.endList || !media.serverControl) {\n      return uri;\n    }\n    const parameters = {};\n    if (media.serverControl.canBlockReload) {\n      const {\n        preloadSegment\n      } = media; // next msn is a zero based value, length is not.\n\n      let nextMSN = media.mediaSequence + media.segments.length; // If preload segment has parts then it is likely\n      // that we are going to request a part of that preload segment.\n      // the logic below is used to determine that.\n\n      if (preloadSegment) {\n        const parts = preloadSegment.parts || []; // _HLS_part is a zero based index\n\n        const nextPart = getKnownPartCount(media) - 1; // if nextPart is > -1 and not equal to just the\n        // length of parts, then we know we had part preload hints\n        // and we need to add the _HLS_part= query\n\n        if (nextPart > -1 && nextPart !== parts.length - 1) {\n          // add existing parts to our preload hints\n          // eslint-disable-next-line\n          parameters._HLS_part = nextPart;\n        } // this if statement makes sure that we request the msn\n        // of the preload segment if:\n        // 1. the preload segment had parts (and was not yet a full segment)\n        //    but was added to our segments array\n        // 2. the preload segment had preload hints for parts that are not in\n        //    the manifest yet.\n        // in all other cases we want the segment after the preload segment\n        // which will be given by using media.segments.length because it is 1 based\n        // rather than 0 based.\n\n        if (nextPart > -1 || parts.length) {\n          nextMSN--;\n        }\n      } // add _HLS_msn= in front of any _HLS_part query\n      // eslint-disable-next-line\n\n      parameters._HLS_msn = nextMSN;\n    }\n    if (media.serverControl && media.serverControl.canSkipUntil) {\n      // add _HLS_skip= infront of all other queries.\n      // eslint-disable-next-line\n      parameters._HLS_skip = media.serverControl.canSkipDateranges ? 'v2' : 'YES';\n    }\n    if (Object.keys(parameters).length) {\n      const parsedUri = new window.URL(uri);\n      ['_HLS_skip', '_HLS_msn', '_HLS_part'].forEach(function (name) {\n        if (!parameters.hasOwnProperty(name)) {\n          return;\n        }\n        parsedUri.searchParams.set(name, parameters[name]);\n      });\n      uri = parsedUri.toString();\n    }\n    return uri;\n  };\n  /**\n   * Returns a new segment object with properties and\n   * the parts array merged.\n   *\n   * @param {Object} a the old segment\n   * @param {Object} b the new segment\n   *\n   * @return {Object} the merged segment\n   */\n\n  const updateSegment = (a, b) => {\n    if (!a) {\n      return b;\n    }\n    const result = merge(a, b); // if only the old segment has preload hints\n    // and the new one does not, remove preload hints.\n\n    if (a.preloadHints && !b.preloadHints) {\n      delete result.preloadHints;\n    } // if only the old segment has parts\n    // then the parts are no longer valid\n\n    if (a.parts && !b.parts) {\n      delete result.parts; // if both segments have parts\n      // copy part propeties from the old segment\n      // to the new one.\n    } else if (a.parts && b.parts) {\n      for (let i = 0; i < b.parts.length; i++) {\n        if (a.parts && a.parts[i]) {\n          result.parts[i] = merge(a.parts[i], b.parts[i]);\n        }\n      }\n    } // set skipped to false for segments that have\n    // have had information merged from the old segment.\n\n    if (!a.skipped && b.skipped) {\n      result.skipped = false;\n    } // set preload to false for segments that have\n    // had information added in the new segment.\n\n    if (a.preload && !b.preload) {\n      result.preload = false;\n    }\n    return result;\n  };\n  /**\n   * Returns a new array of segments that is the result of merging\n   * properties from an older list of segments onto an updated\n   * list. No properties on the updated playlist will be ovewritten.\n   *\n   * @param {Array} original the outdated list of segments\n   * @param {Array} update the updated list of segments\n   * @param {number=} offset the index of the first update\n   * segment in the original segment list. For non-live playlists,\n   * this should always be zero and does not need to be\n   * specified. For live playlists, it should be the difference\n   * between the media sequence numbers in the original and updated\n   * playlists.\n   * @return {Array} a list of merged segment objects\n   */\n\n  const updateSegments = (original, update, offset) => {\n    const oldSegments = original.slice();\n    const newSegments = update.slice();\n    offset = offset || 0;\n    const result = [];\n    let currentMap;\n    for (let newIndex = 0; newIndex < newSegments.length; newIndex++) {\n      const oldSegment = oldSegments[newIndex + offset];\n      const newSegment = newSegments[newIndex];\n      if (oldSegment) {\n        currentMap = oldSegment.map || currentMap;\n        result.push(updateSegment(oldSegment, newSegment));\n      } else {\n        // carry over map to new segment if it is missing\n        if (currentMap && !newSegment.map) {\n          newSegment.map = currentMap;\n        }\n        result.push(newSegment);\n      }\n    }\n    return result;\n  };\n  const resolveSegmentUris = (segment, baseUri) => {\n    // preloadSegment will not have a uri at all\n    // as the segment isn't actually in the manifest yet, only parts\n    if (!segment.resolvedUri && segment.uri) {\n      segment.resolvedUri = resolveUrl(baseUri, segment.uri);\n    }\n    if (segment.key && !segment.key.resolvedUri) {\n      segment.key.resolvedUri = resolveUrl(baseUri, segment.key.uri);\n    }\n    if (segment.map && !segment.map.resolvedUri) {\n      segment.map.resolvedUri = resolveUrl(baseUri, segment.map.uri);\n    }\n    if (segment.map && segment.map.key && !segment.map.key.resolvedUri) {\n      segment.map.key.resolvedUri = resolveUrl(baseUri, segment.map.key.uri);\n    }\n    if (segment.parts && segment.parts.length) {\n      segment.parts.forEach(p => {\n        if (p.resolvedUri) {\n          return;\n        }\n        p.resolvedUri = resolveUrl(baseUri, p.uri);\n      });\n    }\n    if (segment.preloadHints && segment.preloadHints.length) {\n      segment.preloadHints.forEach(p => {\n        if (p.resolvedUri) {\n          return;\n        }\n        p.resolvedUri = resolveUrl(baseUri, p.uri);\n      });\n    }\n  };\n  const getAllSegments = function (media) {\n    const segments = media.segments || [];\n    const preloadSegment = media.preloadSegment; // a preloadSegment with only preloadHints is not currently\n    // a usable segment, only include a preloadSegment that has\n    // parts.\n\n    if (preloadSegment && preloadSegment.parts && preloadSegment.parts.length) {\n      // if preloadHints has a MAP that means that the\n      // init segment is going to change. We cannot use any of the parts\n      // from this preload segment.\n      if (preloadSegment.preloadHints) {\n        for (let i = 0; i < preloadSegment.preloadHints.length; i++) {\n          if (preloadSegment.preloadHints[i].type === 'MAP') {\n            return segments;\n          }\n        }\n      } // set the duration for our preload segment to target duration.\n\n      preloadSegment.duration = media.targetDuration;\n      preloadSegment.preload = true;\n      segments.push(preloadSegment);\n    }\n    return segments;\n  }; // consider the playlist unchanged if the playlist object is the same or\n  // the number of segments is equal, the media sequence number is unchanged,\n  // and this playlist hasn't become the end of the playlist\n\n  const isPlaylistUnchanged = (a, b) => a === b || a.segments && b.segments && a.segments.length === b.segments.length && a.endList === b.endList && a.mediaSequence === b.mediaSequence && a.preloadSegment === b.preloadSegment;\n  /**\n    * Returns a new main playlist that is the result of merging an\n    * updated media playlist into the original version. If the\n    * updated media playlist does not match any of the playlist\n    * entries in the original main playlist, null is returned.\n    *\n    * @param {Object} main a parsed main M3U8 object\n    * @param {Object} media a parsed media M3U8 object\n    * @return {Object} a new object that represents the original\n    * main playlist with the updated media playlist merged in, or\n    * null if the merge produced no change.\n    */\n\n  const updateMain$1 = (main, newMedia, unchangedCheck = isPlaylistUnchanged) => {\n    const result = merge(main, {});\n    const oldMedia = result.playlists[newMedia.id];\n    if (!oldMedia) {\n      return null;\n    }\n    if (unchangedCheck(oldMedia, newMedia)) {\n      return null;\n    }\n    newMedia.segments = getAllSegments(newMedia);\n    const mergedPlaylist = merge(oldMedia, newMedia); // always use the new media's preload segment\n\n    if (mergedPlaylist.preloadSegment && !newMedia.preloadSegment) {\n      delete mergedPlaylist.preloadSegment;\n    } // if the update could overlap existing segment information, merge the two segment lists\n\n    if (oldMedia.segments) {\n      if (newMedia.skip) {\n        newMedia.segments = newMedia.segments || []; // add back in objects for skipped segments, so that we merge\n        // old properties into the new segments\n\n        for (let i = 0; i < newMedia.skip.skippedSegments; i++) {\n          newMedia.segments.unshift({\n            skipped: true\n          });\n        }\n      }\n      mergedPlaylist.segments = updateSegments(oldMedia.segments, newMedia.segments, newMedia.mediaSequence - oldMedia.mediaSequence);\n    } // resolve any segment URIs to prevent us from having to do it later\n\n    mergedPlaylist.segments.forEach(segment => {\n      resolveSegmentUris(segment, mergedPlaylist.resolvedUri);\n    }); // TODO Right now in the playlists array there are two references to each playlist, one\n    // that is referenced by index, and one by URI. The index reference may no longer be\n    // necessary.\n\n    for (let i = 0; i < result.playlists.length; i++) {\n      if (result.playlists[i].id === newMedia.id) {\n        result.playlists[i] = mergedPlaylist;\n      }\n    }\n    result.playlists[newMedia.id] = mergedPlaylist; // URI reference added for backwards compatibility\n\n    result.playlists[newMedia.uri] = mergedPlaylist; // update media group playlist references.\n\n    forEachMediaGroup(main, (properties, mediaType, groupKey, labelKey) => {\n      if (!properties.playlists) {\n        return;\n      }\n      for (let i = 0; i < properties.playlists.length; i++) {\n        if (newMedia.id === properties.playlists[i].id) {\n          properties.playlists[i] = mergedPlaylist;\n        }\n      }\n    });\n    return result;\n  };\n  /**\n   * Calculates the time to wait before refreshing a live playlist\n   *\n   * @param {Object} media\n   *        The current media\n   * @param {boolean} update\n   *        True if there were any updates from the last refresh, false otherwise\n   * @return {number}\n   *         The time in ms to wait before refreshing the live playlist\n   */\n\n  const refreshDelay = (media, update) => {\n    const segments = media.segments || [];\n    const lastSegment = segments[segments.length - 1];\n    const lastPart = lastSegment && lastSegment.parts && lastSegment.parts[lastSegment.parts.length - 1];\n    const lastDuration = lastPart && lastPart.duration || lastSegment && lastSegment.duration;\n    if (update && lastDuration) {\n      return lastDuration * 1000;\n    } // if the playlist is unchanged since the last reload or last segment duration\n    // cannot be determined, try again after half the target duration\n\n    return (media.partTargetDuration || media.targetDuration || 10) * 500;\n  };\n  const playlistMetadataPayload = (playlists, type, isLive) => {\n    if (!playlists) {\n      return;\n    }\n    const renditions = [];\n    playlists.forEach(playlist => {\n      // we need attributes to populate rendition data.\n      if (!playlist.attributes) {\n        return;\n      }\n      const {\n        BANDWIDTH,\n        RESOLUTION,\n        CODECS\n      } = playlist.attributes;\n      renditions.push({\n        id: playlist.id,\n        bandwidth: BANDWIDTH,\n        resolution: RESOLUTION,\n        codecs: CODECS\n      });\n    });\n    return {\n      type,\n      isLive,\n      renditions\n    };\n  };\n  /**\n   * Load a playlist from a remote location\n   *\n   * @class PlaylistLoader\n   * @extends Stream\n   * @param {string|Object} src url or object of manifest\n   * @param {boolean} withCredentials the withCredentials xhr option\n   * @class\n   */\n\n  class PlaylistLoader extends EventTarget$1 {\n    constructor(src, vhs, options = {}) {\n      super();\n      if (!src) {\n        throw new Error('A non-empty playlist URL or object is required');\n      }\n      this.logger_ = logger('PlaylistLoader');\n      const {\n        withCredentials = false\n      } = options;\n      this.src = src;\n      this.vhs_ = vhs;\n      this.withCredentials = withCredentials;\n      this.addDateRangesToTextTrack_ = options.addDateRangesToTextTrack;\n      const vhsOptions = vhs.options_;\n      this.customTagParsers = vhsOptions && vhsOptions.customTagParsers || [];\n      this.customTagMappers = vhsOptions && vhsOptions.customTagMappers || [];\n      this.llhls = vhsOptions && vhsOptions.llhls;\n      this.dateRangesStorage_ = new DateRangesStorage(); // initialize the loader state\n\n      this.state = 'HAVE_NOTHING'; // live playlist staleness timeout\n\n      this.handleMediaupdatetimeout_ = this.handleMediaupdatetimeout_.bind(this);\n      this.on('mediaupdatetimeout', this.handleMediaupdatetimeout_);\n      this.on('loadedplaylist', this.handleLoadedPlaylist_.bind(this));\n    }\n    handleLoadedPlaylist_() {\n      const mediaPlaylist = this.media();\n      if (!mediaPlaylist) {\n        return;\n      }\n      this.dateRangesStorage_.setOffset(mediaPlaylist.segments);\n      this.dateRangesStorage_.setPendingDateRanges(mediaPlaylist.dateRanges);\n      const availableDateRanges = this.dateRangesStorage_.getDateRangesToProcess();\n      if (!availableDateRanges.length || !this.addDateRangesToTextTrack_) {\n        return;\n      }\n      this.addDateRangesToTextTrack_(availableDateRanges);\n    }\n    handleMediaupdatetimeout_() {\n      if (this.state !== 'HAVE_METADATA') {\n        // only refresh the media playlist if no other activity is going on\n        return;\n      }\n      const media = this.media();\n      let uri = resolveUrl(this.main.uri, media.uri);\n      if (this.llhls) {\n        uri = addLLHLSQueryDirectives(uri, media);\n      }\n      this.state = 'HAVE_CURRENT_METADATA';\n      this.request = this.vhs_.xhr({\n        uri,\n        withCredentials: this.withCredentials,\n        requestType: 'hls-playlist'\n      }, (error, req) => {\n        // disposed\n        if (!this.request) {\n          return;\n        }\n        if (error) {\n          return this.playlistRequestError(this.request, this.media(), 'HAVE_METADATA');\n        }\n        this.haveMetadata({\n          playlistString: this.request.responseText,\n          url: this.media().uri,\n          id: this.media().id\n        });\n      });\n    }\n    playlistRequestError(xhr, playlist, startingState) {\n      const {\n        uri,\n        id\n      } = playlist; // any in-flight request is now finished\n\n      this.request = null;\n      if (startingState) {\n        this.state = startingState;\n      }\n      this.error = {\n        playlist: this.main.playlists[id],\n        status: xhr.status,\n        message: `HLS playlist request error at URL: ${uri}.`,\n        responseText: xhr.responseText,\n        code: xhr.status >= 500 ? 4 : 2,\n        metadata: getStreamingNetworkErrorMetadata({\n          requestType: xhr.requestType,\n          request: xhr,\n          error: xhr.error\n        })\n      };\n      this.trigger('error');\n    }\n    parseManifest_({\n      url,\n      manifestString\n    }) {\n      try {\n        return parseManifest({\n          onwarn: ({\n            message\n          }) => this.logger_(`m3u8-parser warn for ${url}: ${message}`),\n          oninfo: ({\n            message\n          }) => this.logger_(`m3u8-parser info for ${url}: ${message}`),\n          manifestString,\n          customTagParsers: this.customTagParsers,\n          customTagMappers: this.customTagMappers,\n          llhls: this.llhls\n        });\n      } catch (error) {\n        this.error = error;\n        this.error.metadata = {\n          errorType: videojs.Error.StreamingHlsPlaylistParserError,\n          error\n        };\n      }\n    }\n    /**\n     * Update the playlist loader's state in response to a new or updated playlist.\n     *\n     * @param {string} [playlistString]\n     *        Playlist string (if playlistObject is not provided)\n     * @param {Object} [playlistObject]\n     *        Playlist object (if playlistString is not provided)\n     * @param {string} url\n     *        URL of playlist\n     * @param {string} id\n     *        ID to use for playlist\n     */\n\n    haveMetadata({\n      playlistString,\n      playlistObject,\n      url,\n      id\n    }) {\n      // any in-flight request is now finished\n      this.request = null;\n      this.state = 'HAVE_METADATA';\n      const metadata = {\n        playlistInfo: {\n          type: 'media',\n          uri: url\n        }\n      };\n      this.trigger({\n        type: 'playlistparsestart',\n        metadata\n      });\n      const playlist = playlistObject || this.parseManifest_({\n        url,\n        manifestString: playlistString\n      });\n      playlist.lastRequest = Date.now();\n      setupMediaPlaylist({\n        playlist,\n        uri: url,\n        id\n      }); // merge this playlist into the main manifest\n\n      const update = updateMain$1(this.main, playlist);\n      this.targetDuration = playlist.partTargetDuration || playlist.targetDuration;\n      this.pendingMedia_ = null;\n      if (update) {\n        this.main = update;\n        this.media_ = this.main.playlists[id];\n      } else {\n        this.trigger('playlistunchanged');\n      }\n      this.updateMediaUpdateTimeout_(refreshDelay(this.media(), !!update));\n      metadata.parsedPlaylist = playlistMetadataPayload(this.main.playlists, metadata.playlistInfo.type, !this.media_.endList);\n      this.trigger({\n        type: 'playlistparsecomplete',\n        metadata\n      });\n      this.trigger('loadedplaylist');\n    }\n    /**\n      * Abort any outstanding work and clean up.\n      */\n\n    dispose() {\n      this.trigger('dispose');\n      this.stopRequest();\n      window.clearTimeout(this.mediaUpdateTimeout);\n      window.clearTimeout(this.finalRenditionTimeout);\n      this.dateRangesStorage_ = new DateRangesStorage();\n      this.off();\n    }\n    stopRequest() {\n      if (this.request) {\n        const oldRequest = this.request;\n        this.request = null;\n        oldRequest.onreadystatechange = null;\n        oldRequest.abort();\n      }\n    }\n    /**\n      * When called without any arguments, returns the currently\n      * active media playlist. When called with a single argument,\n      * triggers the playlist loader to asynchronously switch to the\n      * specified media playlist. Calling this method while the\n      * loader is in the HAVE_NOTHING causes an error to be emitted\n      * but otherwise has no effect.\n      *\n      * @param {Object=} playlist the parsed media playlist\n      * object to switch to\n      * @param {boolean=} shouldDelay whether we should delay the request by half target duration\n      *\n      * @return {Playlist} the current loaded media\n      */\n\n    media(playlist, shouldDelay) {\n      // getter\n      if (!playlist) {\n        return this.media_;\n      } // setter\n\n      if (this.state === 'HAVE_NOTHING') {\n        throw new Error('Cannot switch media playlist from ' + this.state);\n      } // find the playlist object if the target playlist has been\n      // specified by URI\n\n      if (typeof playlist === 'string') {\n        if (!this.main.playlists[playlist]) {\n          throw new Error('Unknown playlist URI: ' + playlist);\n        }\n        playlist = this.main.playlists[playlist];\n      }\n      window.clearTimeout(this.finalRenditionTimeout);\n      if (shouldDelay) {\n        const delay = (playlist.partTargetDuration || playlist.targetDuration) / 2 * 1000 || 5 * 1000;\n        this.finalRenditionTimeout = window.setTimeout(this.media.bind(this, playlist, false), delay);\n        return;\n      }\n      const startingState = this.state;\n      const mediaChange = !this.media_ || playlist.id !== this.media_.id;\n      const mainPlaylistRef = this.main.playlists[playlist.id]; // switch to fully loaded playlists immediately\n\n      if (mainPlaylistRef && mainPlaylistRef.endList ||\n      // handle the case of a playlist object (e.g., if using vhs-json with a resolved\n      // media playlist or, for the case of demuxed audio, a resolved audio media group)\n      playlist.endList && playlist.segments.length) {\n        // abort outstanding playlist requests\n        if (this.request) {\n          this.request.onreadystatechange = null;\n          this.request.abort();\n          this.request = null;\n        }\n        this.state = 'HAVE_METADATA';\n        this.media_ = playlist; // trigger media change if the active media has been updated\n\n        if (mediaChange) {\n          this.trigger('mediachanging');\n          if (startingState === 'HAVE_MAIN_MANIFEST') {\n            // The initial playlist was a main manifest, and the first media selected was\n            // also provided (in the form of a resolved playlist object) as part of the\n            // source object (rather than just a URL). Therefore, since the media playlist\n            // doesn't need to be requested, loadedmetadata won't trigger as part of the\n            // normal flow, and needs an explicit trigger here.\n            this.trigger('loadedmetadata');\n          } else {\n            this.trigger('mediachange');\n          }\n        }\n        return;\n      } // We update/set the timeout here so that live playlists\n      // that are not a media change will \"start\" the loader as expected.\n      // We expect that this function will start the media update timeout\n      // cycle again. This also prevents a playlist switch failure from\n      // causing us to stall during live.\n\n      this.updateMediaUpdateTimeout_(refreshDelay(playlist, true)); // switching to the active playlist is a no-op\n\n      if (!mediaChange) {\n        return;\n      }\n      this.state = 'SWITCHING_MEDIA'; // there is already an outstanding playlist request\n\n      if (this.request) {\n        if (playlist.resolvedUri === this.request.url) {\n          // requesting to switch to the same playlist multiple times\n          // has no effect after the first\n          return;\n        }\n        this.request.onreadystatechange = null;\n        this.request.abort();\n        this.request = null;\n      } // request the new playlist\n\n      if (this.media_) {\n        this.trigger('mediachanging');\n      }\n      this.pendingMedia_ = playlist;\n      const metadata = {\n        playlistInfo: {\n          type: 'media',\n          uri: playlist.uri\n        }\n      };\n      this.trigger({\n        type: 'playlistrequeststart',\n        metadata\n      });\n      this.request = this.vhs_.xhr({\n        uri: playlist.resolvedUri,\n        withCredentials: this.withCredentials,\n        requestType: 'hls-playlist'\n      }, (error, req) => {\n        // disposed\n        if (!this.request) {\n          return;\n        }\n        playlist.lastRequest = Date.now();\n        playlist.resolvedUri = resolveManifestRedirect(playlist.resolvedUri, req);\n        if (error) {\n          return this.playlistRequestError(this.request, playlist, startingState);\n        }\n        this.trigger({\n          type: 'playlistrequestcomplete',\n          metadata\n        });\n        this.haveMetadata({\n          playlistString: req.responseText,\n          url: playlist.uri,\n          id: playlist.id\n        }); // fire loadedmetadata the first time a media playlist is loaded\n\n        if (startingState === 'HAVE_MAIN_MANIFEST') {\n          this.trigger('loadedmetadata');\n        } else {\n          this.trigger('mediachange');\n        }\n      });\n    }\n    /**\n     * pause loading of the playlist\n     */\n\n    pause() {\n      if (this.mediaUpdateTimeout) {\n        window.clearTimeout(this.mediaUpdateTimeout);\n        this.mediaUpdateTimeout = null;\n      }\n      this.stopRequest();\n      if (this.state === 'HAVE_NOTHING') {\n        // If we pause the loader before any data has been retrieved, its as if we never\n        // started, so reset to an unstarted state.\n        this.started = false;\n      } // Need to restore state now that no activity is happening\n\n      if (this.state === 'SWITCHING_MEDIA') {\n        // if the loader was in the process of switching media, it should either return to\n        // HAVE_MAIN_MANIFEST or HAVE_METADATA depending on if the loader has loaded a media\n        // playlist yet. This is determined by the existence of loader.media_\n        if (this.media_) {\n          this.state = 'HAVE_METADATA';\n        } else {\n          this.state = 'HAVE_MAIN_MANIFEST';\n        }\n      } else if (this.state === 'HAVE_CURRENT_METADATA') {\n        this.state = 'HAVE_METADATA';\n      }\n    }\n    /**\n     * start loading of the playlist\n     */\n\n    load(shouldDelay) {\n      if (this.mediaUpdateTimeout) {\n        window.clearTimeout(this.mediaUpdateTimeout);\n        this.mediaUpdateTimeout = null;\n      }\n      const media = this.media();\n      if (shouldDelay) {\n        const delay = media ? (media.partTargetDuration || media.targetDuration) / 2 * 1000 : 5 * 1000;\n        this.mediaUpdateTimeout = window.setTimeout(() => {\n          this.mediaUpdateTimeout = null;\n          this.load();\n        }, delay);\n        return;\n      }\n      if (!this.started) {\n        this.start();\n        return;\n      }\n      if (media && !media.endList) {\n        this.trigger('mediaupdatetimeout');\n      } else {\n        this.trigger('loadedplaylist');\n      }\n    }\n    updateMediaUpdateTimeout_(delay) {\n      if (this.mediaUpdateTimeout) {\n        window.clearTimeout(this.mediaUpdateTimeout);\n        this.mediaUpdateTimeout = null;\n      } // we only have use mediaupdatetimeout for live playlists.\n\n      if (!this.media() || this.media().endList) {\n        return;\n      }\n      this.mediaUpdateTimeout = window.setTimeout(() => {\n        this.mediaUpdateTimeout = null;\n        this.trigger('mediaupdatetimeout');\n        this.updateMediaUpdateTimeout_(delay);\n      }, delay);\n    }\n    /**\n     * start loading of the playlist\n     */\n\n    start() {\n      this.started = true;\n      if (typeof this.src === 'object') {\n        // in the case of an entirely constructed manifest object (meaning there's no actual\n        // manifest on a server), default the uri to the page's href\n        if (!this.src.uri) {\n          this.src.uri = window.location.href;\n        } // resolvedUri is added on internally after the initial request. Since there's no\n        // request for pre-resolved manifests, add on resolvedUri here.\n\n        this.src.resolvedUri = this.src.uri; // Since a manifest object was passed in as the source (instead of a URL), the first\n        // request can be skipped (since the top level of the manifest, at a minimum, is\n        // already available as a parsed manifest object). However, if the manifest object\n        // represents a main playlist, some media playlists may need to be resolved before\n        // the starting segment list is available. Therefore, go directly to setup of the\n        // initial playlist, and let the normal flow continue from there.\n        //\n        // Note that the call to setup is asynchronous, as other sections of VHS may assume\n        // that the first request is asynchronous.\n\n        setTimeout(() => {\n          this.setupInitialPlaylist(this.src);\n        }, 0);\n        return;\n      }\n      const metadata = {\n        playlistInfo: {\n          type: 'multivariant',\n          uri: this.src\n        }\n      };\n      this.trigger({\n        type: 'playlistrequeststart',\n        metadata\n      }); // request the specified URL\n\n      this.request = this.vhs_.xhr({\n        uri: this.src,\n        withCredentials: this.withCredentials,\n        requestType: 'hls-playlist'\n      }, (error, req) => {\n        // disposed\n        if (!this.request) {\n          return;\n        } // clear the loader's request reference\n\n        this.request = null;\n        if (error) {\n          this.error = {\n            status: req.status,\n            message: `HLS playlist request error at URL: ${this.src}.`,\n            responseText: req.responseText,\n            // MEDIA_ERR_NETWORK\n            code: 2,\n            metadata: getStreamingNetworkErrorMetadata({\n              requestType: req.requestType,\n              request: req,\n              error\n            })\n          };\n          if (this.state === 'HAVE_NOTHING') {\n            this.started = false;\n          }\n          return this.trigger('error');\n        }\n        this.trigger({\n          type: 'playlistrequestcomplete',\n          metadata\n        });\n        this.src = resolveManifestRedirect(this.src, req);\n        this.trigger({\n          type: 'playlistparsestart',\n          metadata\n        });\n        const manifest = this.parseManifest_({\n          manifestString: req.responseText,\n          url: this.src\n        }); // we haven't loaded any variant playlists here so we default to false for isLive.\n\n        metadata.parsedPlaylist = playlistMetadataPayload(manifest.playlists, metadata.playlistInfo.type, false);\n        this.trigger({\n          type: 'playlistparsecomplete',\n          metadata\n        });\n        this.setupInitialPlaylist(manifest);\n      });\n    }\n    srcUri() {\n      return typeof this.src === 'string' ? this.src : this.src.uri;\n    }\n    /**\n     * Given a manifest object that's either a main or media playlist, trigger the proper\n     * events and set the state of the playlist loader.\n     *\n     * If the manifest object represents a main playlist, `loadedplaylist` will be\n     * triggered to allow listeners to select a playlist. If none is selected, the loader\n     * will default to the first one in the playlists array.\n     *\n     * If the manifest object represents a media playlist, `loadedplaylist` will be\n     * triggered followed by `loadedmetadata`, as the only available playlist is loaded.\n     *\n     * In the case of a media playlist, a main playlist object wrapper with one playlist\n     * will be created so that all logic can handle playlists in the same fashion (as an\n     * assumed manifest object schema).\n     *\n     * @param {Object} manifest\n     *        The parsed manifest object\n     */\n\n    setupInitialPlaylist(manifest) {\n      this.state = 'HAVE_MAIN_MANIFEST';\n      if (manifest.playlists) {\n        this.main = manifest;\n        addPropertiesToMain(this.main, this.srcUri()); // If the initial main playlist has playlists wtih segments already resolved,\n        // then resolve URIs in advance, as they are usually done after a playlist request,\n        // which may not happen if the playlist is resolved.\n\n        manifest.playlists.forEach(playlist => {\n          playlist.segments = getAllSegments(playlist);\n          playlist.segments.forEach(segment => {\n            resolveSegmentUris(segment, playlist.resolvedUri);\n          });\n        });\n        this.trigger('loadedplaylist');\n        if (!this.request) {\n          // no media playlist was specifically selected so start\n          // from the first listed one\n          this.media(this.main.playlists[0]);\n        }\n        return;\n      } // In order to support media playlists passed in as vhs-json, the case where the uri\n      // is not provided as part of the manifest should be considered, and an appropriate\n      // default used.\n\n      const uri = this.srcUri() || window.location.href;\n      this.main = mainForMedia(manifest, uri);\n      this.haveMetadata({\n        playlistObject: manifest,\n        url: uri,\n        id: this.main.playlists[0].id\n      });\n      this.trigger('loadedmetadata');\n    }\n    /**\n     * Updates or deletes a preexisting pathway clone.\n     * Ensures that all playlists related to the old pathway clone are\n     * either updated or deleted.\n     *\n     * @param {Object} clone On update, the pathway clone object for the newly updated pathway clone.\n     *        On delete, the old pathway clone object to be deleted.\n     * @param {boolean} isUpdate True if the pathway is to be updated,\n     *        false if it is meant to be deleted.\n     */\n\n    updateOrDeleteClone(clone, isUpdate) {\n      const main = this.main;\n      const pathway = clone.ID;\n      let i = main.playlists.length; // Iterate backwards through the playlist so we can remove playlists if necessary.\n\n      while (i--) {\n        const p = main.playlists[i];\n        if (p.attributes['PATHWAY-ID'] === pathway) {\n          const oldPlaylistUri = p.resolvedUri;\n          const oldPlaylistId = p.id; // update the indexed playlist and add new playlists by ID and URI\n\n          if (isUpdate) {\n            const newPlaylistUri = this.createCloneURI_(p.resolvedUri, clone);\n            const newPlaylistId = createPlaylistID(pathway, newPlaylistUri);\n            const attributes = this.createCloneAttributes_(pathway, p.attributes);\n            const updatedPlaylist = this.createClonePlaylist_(p, newPlaylistId, clone, attributes);\n            main.playlists[i] = updatedPlaylist;\n            main.playlists[newPlaylistId] = updatedPlaylist;\n            main.playlists[newPlaylistUri] = updatedPlaylist;\n          } else {\n            // Remove the indexed playlist.\n            main.playlists.splice(i, 1);\n          } // Remove playlists by the old ID and URI.\n\n          delete main.playlists[oldPlaylistId];\n          delete main.playlists[oldPlaylistUri];\n        }\n      }\n      this.updateOrDeleteCloneMedia(clone, isUpdate);\n    }\n    /**\n     * Updates or deletes media data based on the pathway clone object.\n     * Due to the complexity of the media groups and playlists, in all cases\n     * we remove all of the old media groups and playlists.\n     * On updates, we then create new media groups and playlists based on the\n     * new pathway clone object.\n     *\n     * @param {Object} clone The pathway clone object for the newly updated pathway clone.\n     * @param {boolean} isUpdate True if the pathway is to be updated,\n     *        false if it is meant to be deleted.\n     */\n\n    updateOrDeleteCloneMedia(clone, isUpdate) {\n      const main = this.main;\n      const id = clone.ID;\n      ['AUDIO', 'SUBTITLES', 'CLOSED-CAPTIONS'].forEach(mediaType => {\n        if (!main.mediaGroups[mediaType] || !main.mediaGroups[mediaType][id]) {\n          return;\n        }\n        for (const groupKey in main.mediaGroups[mediaType]) {\n          // Remove all media playlists for the media group for this pathway clone.\n          if (groupKey === id) {\n            for (const labelKey in main.mediaGroups[mediaType][groupKey]) {\n              const oldMedia = main.mediaGroups[mediaType][groupKey][labelKey];\n              oldMedia.playlists.forEach((p, i) => {\n                const oldMediaPlaylist = main.playlists[p.id];\n                const oldPlaylistId = oldMediaPlaylist.id;\n                const oldPlaylistUri = oldMediaPlaylist.resolvedUri;\n                delete main.playlists[oldPlaylistId];\n                delete main.playlists[oldPlaylistUri];\n              });\n            } // Delete the old media group.\n\n            delete main.mediaGroups[mediaType][groupKey];\n          }\n        }\n      }); // Create the new media groups and playlists if there is an update.\n\n      if (isUpdate) {\n        this.createClonedMediaGroups_(clone);\n      }\n    }\n    /**\n     * Given a pathway clone object, clones all necessary playlists.\n     *\n     * @param {Object} clone The pathway clone object.\n     * @param {Object} basePlaylist The original playlist to clone from.\n     */\n\n    addClonePathway(clone, basePlaylist = {}) {\n      const main = this.main;\n      const index = main.playlists.length;\n      const uri = this.createCloneURI_(basePlaylist.resolvedUri, clone);\n      const playlistId = createPlaylistID(clone.ID, uri);\n      const attributes = this.createCloneAttributes_(clone.ID, basePlaylist.attributes);\n      const playlist = this.createClonePlaylist_(basePlaylist, playlistId, clone, attributes);\n      main.playlists[index] = playlist; // add playlist by ID and URI\n\n      main.playlists[playlistId] = playlist;\n      main.playlists[uri] = playlist;\n      this.createClonedMediaGroups_(clone);\n    }\n    /**\n     * Given a pathway clone object we create clones of all media.\n     * In this function, all necessary information and updated playlists\n     * are added to the `mediaGroup` object.\n     * Playlists are also added to the `playlists` array so the media groups\n     * will be properly linked.\n     *\n     * @param {Object} clone The pathway clone object.\n     */\n\n    createClonedMediaGroups_(clone) {\n      const id = clone.ID;\n      const baseID = clone['BASE-ID'];\n      const main = this.main;\n      ['AUDIO', 'SUBTITLES', 'CLOSED-CAPTIONS'].forEach(mediaType => {\n        // If the media type doesn't exist, or there is already a clone, skip\n        // to the next media type.\n        if (!main.mediaGroups[mediaType] || main.mediaGroups[mediaType][id]) {\n          return;\n        }\n        for (const groupKey in main.mediaGroups[mediaType]) {\n          if (groupKey === baseID) {\n            // Create the group.\n            main.mediaGroups[mediaType][id] = {};\n          } else {\n            // There is no need to iterate over label keys in this case.\n            continue;\n          }\n          for (const labelKey in main.mediaGroups[mediaType][groupKey]) {\n            const oldMedia = main.mediaGroups[mediaType][groupKey][labelKey];\n            main.mediaGroups[mediaType][id][labelKey] = _extends$1({}, oldMedia);\n            const newMedia = main.mediaGroups[mediaType][id][labelKey]; // update URIs on the media\n\n            const newUri = this.createCloneURI_(oldMedia.resolvedUri, clone);\n            newMedia.resolvedUri = newUri;\n            newMedia.uri = newUri; // Reset playlists in the new media group.\n\n            newMedia.playlists = []; // Create new playlists in the newly cloned media group.\n\n            oldMedia.playlists.forEach((p, i) => {\n              const oldMediaPlaylist = main.playlists[p.id];\n              const group = groupID(mediaType, id, labelKey);\n              const newPlaylistID = createPlaylistID(id, group); // Check to see if it already exists\n\n              if (oldMediaPlaylist && !main.playlists[newPlaylistID]) {\n                const newMediaPlaylist = this.createClonePlaylist_(oldMediaPlaylist, newPlaylistID, clone);\n                const newPlaylistUri = newMediaPlaylist.resolvedUri;\n                main.playlists[newPlaylistID] = newMediaPlaylist;\n                main.playlists[newPlaylistUri] = newMediaPlaylist;\n              }\n              newMedia.playlists[i] = this.createClonePlaylist_(p, newPlaylistID, clone);\n            });\n          }\n        }\n      });\n    }\n    /**\n     * Using the original playlist to be cloned, and the pathway clone object\n     * information, we create a new playlist.\n     *\n     * @param {Object} basePlaylist  The original playlist to be cloned from.\n     * @param {string} id The desired id of the newly cloned playlist.\n     * @param {Object} clone The pathway clone object.\n     * @param {Object} attributes An optional object to populate the `attributes` property in the playlist.\n     *\n     * @return {Object} The combined cloned playlist.\n     */\n\n    createClonePlaylist_(basePlaylist, id, clone, attributes) {\n      const uri = this.createCloneURI_(basePlaylist.resolvedUri, clone);\n      const newProps = {\n        resolvedUri: uri,\n        uri,\n        id\n      }; // Remove all segments from previous playlist in the clone.\n\n      if (basePlaylist.segments) {\n        newProps.segments = [];\n      }\n      if (attributes) {\n        newProps.attributes = attributes;\n      }\n      return merge(basePlaylist, newProps);\n    }\n    /**\n     * Generates an updated URI for a cloned pathway based on the original\n     * pathway's URI and the paramaters from the pathway clone object in the\n     * content steering server response.\n     *\n     * @param {string} baseUri URI to be updated in the cloned pathway.\n     * @param {Object} clone The pathway clone object.\n     *\n     * @return {string} The updated URI for the cloned pathway.\n     */\n\n    createCloneURI_(baseURI, clone) {\n      const uri = new URL(baseURI);\n      uri.hostname = clone['URI-REPLACEMENT'].HOST;\n      const params = clone['URI-REPLACEMENT'].PARAMS; // Add params to the cloned URL.\n\n      for (const key of Object.keys(params)) {\n        uri.searchParams.set(key, params[key]);\n      }\n      return uri.href;\n    }\n    /**\n     * Helper function to create the attributes needed for the new clone.\n     * This mainly adds the necessary media attributes.\n     *\n     * @param {string} id The pathway clone object ID.\n     * @param {Object} oldAttributes The old attributes to compare to.\n     * @return {Object} The new attributes to add to the playlist.\n     */\n\n    createCloneAttributes_(id, oldAttributes) {\n      const attributes = {\n        ['PATHWAY-ID']: id\n      };\n      ['AUDIO', 'SUBTITLES', 'CLOSED-CAPTIONS'].forEach(mediaType => {\n        if (oldAttributes[mediaType]) {\n          attributes[mediaType] = id;\n        }\n      });\n      return attributes;\n    }\n    /**\n     * Returns the key ID set from a playlist\n     *\n     * @param {playlist} playlist to fetch the key ID set from.\n     * @return a Set of 32 digit hex strings that represent the unique keyIds for that playlist.\n     */\n\n    getKeyIdSet(playlist) {\n      if (playlist.contentProtection) {\n        const keyIds = new Set();\n        for (const keysystem in playlist.contentProtection) {\n          const keyId = playlist.contentProtection[keysystem].attributes.keyId;\n          if (keyId) {\n            keyIds.add(keyId.toLowerCase());\n          }\n        }\n        return keyIds;\n      }\n    }\n  }\n\n  /**\n   * @file xhr.js\n   */\n\n  const callbackWrapper = function (request, error, response, callback) {\n    const reqResponse = request.responseType === 'arraybuffer' ? request.response : request.responseText;\n    if (!error && reqResponse) {\n      request.responseTime = Date.now();\n      request.roundTripTime = request.responseTime - request.requestTime;\n      request.bytesReceived = reqResponse.byteLength || reqResponse.length;\n      if (!request.bandwidth) {\n        request.bandwidth = Math.floor(request.bytesReceived / request.roundTripTime * 8 * 1000);\n      }\n    }\n    if (response.headers) {\n      request.responseHeaders = response.headers;\n    } // videojs.xhr now uses a specific code on the error\n    // object to signal that a request has timed out instead\n    // of setting a boolean on the request object\n\n    if (error && error.code === 'ETIMEDOUT') {\n      request.timedout = true;\n    } // videojs.xhr no longer considers status codes outside of 200 and 0\n    // (for file uris) to be errors, but the old XHR did, so emulate that\n    // behavior. Status 206 may be used in response to byterange requests.\n\n    if (!error && !request.aborted && response.statusCode !== 200 && response.statusCode !== 206 && response.statusCode !== 0) {\n      error = new Error('XHR Failed with a response of: ' + (request && (reqResponse || request.responseText)));\n    }\n    callback(error, request);\n  };\n  /**\n   * Iterates over the request hooks Set and calls them in order\n   *\n   * @param {Set} hooks the hook Set to iterate over\n   * @param {Object} options the request options to pass to the xhr wrapper\n   * @return the callback hook function return value, the modified or new options Object.\n   */\n\n  const callAllRequestHooks = (requestSet, options) => {\n    if (!requestSet || !requestSet.size) {\n      return;\n    }\n    let newOptions = options;\n    requestSet.forEach(requestCallback => {\n      newOptions = requestCallback(newOptions);\n    });\n    return newOptions;\n  };\n  /**\n   * Iterates over the response hooks Set and calls them in order.\n   *\n   * @param {Set} hooks the hook Set to iterate over\n   * @param {Object} request the xhr request object\n   * @param {Object} error the xhr error object\n   * @param {Object} response the xhr response object\n   */\n\n  const callAllResponseHooks = (responseSet, request, error, response) => {\n    if (!responseSet || !responseSet.size) {\n      return;\n    }\n    responseSet.forEach(responseCallback => {\n      responseCallback(request, error, response);\n    });\n  };\n  const xhrFactory = function () {\n    const xhr = function XhrFunction(options, callback) {\n      // Add a default timeout\n      options = merge({\n        timeout: 45e3\n      }, options); // Allow an optional user-specified function to modify the option\n      // object before we construct the xhr request\n      // TODO: Remove beforeRequest in the next major release.\n\n      const beforeRequest = XhrFunction.beforeRequest || videojs.Vhs.xhr.beforeRequest; // onRequest and onResponse hooks as a Set, at either the player or global level.\n      // TODO: new Set added here for beforeRequest alias. Remove this when beforeRequest is removed.\n\n      const _requestCallbackSet = XhrFunction._requestCallbackSet || videojs.Vhs.xhr._requestCallbackSet || new Set();\n      const _responseCallbackSet = XhrFunction._responseCallbackSet || videojs.Vhs.xhr._responseCallbackSet;\n      if (beforeRequest && typeof beforeRequest === 'function') {\n        videojs.log.warn('beforeRequest is deprecated, use onRequest instead.');\n        _requestCallbackSet.add(beforeRequest);\n      } // Use the standard videojs.xhr() method unless `videojs.Vhs.xhr` has been overriden\n      // TODO: switch back to videojs.Vhs.xhr.name === 'XhrFunction' when we drop IE11\n\n      const xhrMethod = videojs.Vhs.xhr.original === true ? videojs.xhr : videojs.Vhs.xhr; // call all registered onRequest hooks, assign new options.\n\n      const beforeRequestOptions = callAllRequestHooks(_requestCallbackSet, options); // Remove the beforeRequest function from the hooks set so stale beforeRequest functions are not called.\n\n      _requestCallbackSet.delete(beforeRequest); // xhrMethod will call XMLHttpRequest.open and XMLHttpRequest.send\n\n      const request = xhrMethod(beforeRequestOptions || options, function (error, response) {\n        // call all registered onResponse hooks\n        callAllResponseHooks(_responseCallbackSet, request, error, response);\n        return callbackWrapper(request, error, response, callback);\n      });\n      const originalAbort = request.abort;\n      request.abort = function () {\n        request.aborted = true;\n        return originalAbort.apply(request, arguments);\n      };\n      request.uri = options.uri;\n      request.requestType = options.requestType;\n      request.requestTime = Date.now();\n      return request;\n    };\n    xhr.original = true;\n    return xhr;\n  };\n  /**\n   * Turns segment byterange into a string suitable for use in\n   * HTTP Range requests\n   *\n   * @param {Object} byterange - an object with two values defining the start and end\n   *                             of a byte-range\n   */\n\n  const byterangeStr = function (byterange) {\n    // `byterangeEnd` is one less than `offset + length` because the HTTP range\n    // header uses inclusive ranges\n    let byterangeEnd;\n    const byterangeStart = byterange.offset;\n    if (typeof byterange.offset === 'bigint' || typeof byterange.length === 'bigint') {\n      byterangeEnd = window.BigInt(byterange.offset) + window.BigInt(byterange.length) - window.BigInt(1);\n    } else {\n      byterangeEnd = byterange.offset + byterange.length - 1;\n    }\n    return 'bytes=' + byterangeStart + '-' + byterangeEnd;\n  };\n  /**\n   * Defines headers for use in the xhr request for a particular segment.\n   *\n   * @param {Object} segment - a simplified copy of the segmentInfo object\n   *                           from SegmentLoader\n   */\n\n  const segmentXhrHeaders = function (segment) {\n    const headers = {};\n    if (segment.byterange) {\n      headers.Range = byterangeStr(segment.byterange);\n    }\n    return headers;\n  };\n\n  /**\n   * @file bin-utils.js\n   */\n\n  /**\n   * convert a TimeRange to text\n   *\n   * @param {TimeRange} range the timerange to use for conversion\n   * @param {number} i the iterator on the range to convert\n   * @return {string} the range in string format\n   */\n\n  const textRange = function (range, i) {\n    return range.start(i) + '-' + range.end(i);\n  };\n  /**\n   * format a number as hex string\n   *\n   * @param {number} e The number\n   * @param {number} i the iterator\n   * @return {string} the hex formatted number as a string\n   */\n\n  const formatHexString = function (e, i) {\n    const value = e.toString(16);\n    return '00'.substring(0, 2 - value.length) + value + (i % 2 ? ' ' : '');\n  };\n  const formatAsciiString = function (e) {\n    if (e >= 0x20 && e < 0x7e) {\n      return String.fromCharCode(e);\n    }\n    return '.';\n  };\n  /**\n   * Creates an object for sending to a web worker modifying properties that are TypedArrays\n   * into a new object with seperated properties for the buffer, byteOffset, and byteLength.\n   *\n   * @param {Object} message\n   *        Object of properties and values to send to the web worker\n   * @return {Object}\n   *         Modified message with TypedArray values expanded\n   * @function createTransferableMessage\n   */\n\n  const createTransferableMessage = function (message) {\n    const transferable = {};\n    Object.keys(message).forEach(key => {\n      const value = message[key];\n      if (isArrayBufferView(value)) {\n        transferable[key] = {\n          bytes: value.buffer,\n          byteOffset: value.byteOffset,\n          byteLength: value.byteLength\n        };\n      } else {\n        transferable[key] = value;\n      }\n    });\n    return transferable;\n  };\n  /**\n   * Returns a unique string identifier for a media initialization\n   * segment.\n   *\n   * @param {Object} initSegment\n   *        the init segment object.\n   *\n   * @return {string} the generated init segment id\n   */\n\n  const initSegmentId = function (initSegment) {\n    const byterange = initSegment.byterange || {\n      length: Infinity,\n      offset: 0\n    };\n    return [byterange.length, byterange.offset, initSegment.resolvedUri].join(',');\n  };\n  /**\n   * Returns a unique string identifier for a media segment key.\n   *\n   * @param {Object} key the encryption key\n   * @return {string} the unique id for the media segment key.\n   */\n\n  const segmentKeyId = function (key) {\n    return key.resolvedUri;\n  };\n  /**\n   * utils to help dump binary data to the console\n   *\n   * @param {Array|TypedArray} data\n   *        data to dump to a string\n   *\n   * @return {string} the data as a hex string.\n   */\n\n  const hexDump = data => {\n    const bytes = Array.prototype.slice.call(data);\n    const step = 16;\n    let result = '';\n    let hex;\n    let ascii;\n    for (let j = 0; j < bytes.length / step; j++) {\n      hex = bytes.slice(j * step, j * step + step).map(formatHexString).join('');\n      ascii = bytes.slice(j * step, j * step + step).map(formatAsciiString).join('');\n      result += hex + ' ' + ascii + '\\n';\n    }\n    return result;\n  };\n  const tagDump = ({\n    bytes\n  }) => hexDump(bytes);\n  const textRanges = ranges => {\n    let result = '';\n    let i;\n    for (i = 0; i < ranges.length; i++) {\n      result += textRange(ranges, i) + ' ';\n    }\n    return result;\n  };\n  var utils = /*#__PURE__*/Object.freeze({\n    __proto__: null,\n    createTransferableMessage: createTransferableMessage,\n    initSegmentId: initSegmentId,\n    segmentKeyId: segmentKeyId,\n    hexDump: hexDump,\n    tagDump: tagDump,\n    textRanges: textRanges\n  });\n\n  // TODO handle fmp4 case where the timing info is accurate and doesn't involve transmux\n  // 25% was arbitrarily chosen, and may need to be refined over time.\n\n  const SEGMENT_END_FUDGE_PERCENT = 0.25;\n  /**\n   * Converts a player time (any time that can be gotten/set from player.currentTime(),\n   * e.g., any time within player.seekable().start(0) to player.seekable().end(0)) to a\n   * program time (any time referencing the real world (e.g., EXT-X-PROGRAM-DATE-TIME)).\n   *\n   * The containing segment is required as the EXT-X-PROGRAM-DATE-TIME serves as an \"anchor\n   * point\" (a point where we have a mapping from program time to player time, with player\n   * time being the post transmux start of the segment).\n   *\n   * For more details, see [this doc](../../docs/program-time-from-player-time.md).\n   *\n   * @param {number} playerTime the player time\n   * @param {Object} segment the segment which contains the player time\n   * @return {Date} program time\n   */\n\n  const playerTimeToProgramTime = (playerTime, segment) => {\n    if (!segment.dateTimeObject) {\n      // Can't convert without an \"anchor point\" for the program time (i.e., a time that can\n      // be used to map the start of a segment with a real world time).\n      return null;\n    }\n    const transmuxerPrependedSeconds = segment.videoTimingInfo.transmuxerPrependedSeconds;\n    const transmuxedStart = segment.videoTimingInfo.transmuxedPresentationStart; // get the start of the content from before old content is prepended\n\n    const startOfSegment = transmuxedStart + transmuxerPrependedSeconds;\n    const offsetFromSegmentStart = playerTime - startOfSegment;\n    return new Date(segment.dateTimeObject.getTime() + offsetFromSegmentStart * 1000);\n  };\n  const originalSegmentVideoDuration = videoTimingInfo => {\n    return videoTimingInfo.transmuxedPresentationEnd - videoTimingInfo.transmuxedPresentationStart - videoTimingInfo.transmuxerPrependedSeconds;\n  };\n  /**\n   * Finds a segment that contains the time requested given as an ISO-8601 string. The\n   * returned segment might be an estimate or an accurate match.\n   *\n   * @param {string} programTime The ISO-8601 programTime to find a match for\n   * @param {Object} playlist A playlist object to search within\n   */\n\n  const findSegmentForProgramTime = (programTime, playlist) => {\n    // Assumptions:\n    //  - verifyProgramDateTimeTags has already been run\n    //  - live streams have been started\n    let dateTimeObject;\n    try {\n      dateTimeObject = new Date(programTime);\n    } catch (e) {\n      return null;\n    }\n    if (!playlist || !playlist.segments || playlist.segments.length === 0) {\n      return null;\n    }\n    let segment = playlist.segments[0];\n    if (dateTimeObject < new Date(segment.dateTimeObject)) {\n      // Requested time is before stream start.\n      return null;\n    }\n    for (let i = 0; i < playlist.segments.length - 1; i++) {\n      segment = playlist.segments[i];\n      const nextSegmentStart = new Date(playlist.segments[i + 1].dateTimeObject);\n      if (dateTimeObject < nextSegmentStart) {\n        break;\n      }\n    }\n    const lastSegment = playlist.segments[playlist.segments.length - 1];\n    const lastSegmentStart = lastSegment.dateTimeObject;\n    const lastSegmentDuration = lastSegment.videoTimingInfo ? originalSegmentVideoDuration(lastSegment.videoTimingInfo) : lastSegment.duration + lastSegment.duration * SEGMENT_END_FUDGE_PERCENT;\n    const lastSegmentEnd = new Date(lastSegmentStart.getTime() + lastSegmentDuration * 1000);\n    if (dateTimeObject > lastSegmentEnd) {\n      // Beyond the end of the stream, or our best guess of the end of the stream.\n      return null;\n    }\n    if (dateTimeObject > new Date(lastSegmentStart)) {\n      segment = lastSegment;\n    }\n    return {\n      segment,\n      estimatedStart: segment.videoTimingInfo ? segment.videoTimingInfo.transmuxedPresentationStart : Playlist.duration(playlist, playlist.mediaSequence + playlist.segments.indexOf(segment)),\n      // Although, given that all segments have accurate date time objects, the segment\n      // selected should be accurate, unless the video has been transmuxed at some point\n      // (determined by the presence of the videoTimingInfo object), the segment's \"player\n      // time\" (the start time in the player) can't be considered accurate.\n      type: segment.videoTimingInfo ? 'accurate' : 'estimate'\n    };\n  };\n  /**\n   * Finds a segment that contains the given player time(in seconds).\n   *\n   * @param {number} time The player time to find a match for\n   * @param {Object} playlist A playlist object to search within\n   */\n\n  const findSegmentForPlayerTime = (time, playlist) => {\n    // Assumptions:\n    // - there will always be a segment.duration\n    // - we can start from zero\n    // - segments are in time order\n    if (!playlist || !playlist.segments || playlist.segments.length === 0) {\n      return null;\n    }\n    let segmentEnd = 0;\n    let segment;\n    for (let i = 0; i < playlist.segments.length; i++) {\n      segment = playlist.segments[i]; // videoTimingInfo is set after the segment is downloaded and transmuxed, and\n      // should contain the most accurate values we have for the segment's player times.\n      //\n      // Use the accurate transmuxedPresentationEnd value if it is available, otherwise fall\n      // back to an estimate based on the manifest derived (inaccurate) segment.duration, to\n      // calculate an end value.\n\n      segmentEnd = segment.videoTimingInfo ? segment.videoTimingInfo.transmuxedPresentationEnd : segmentEnd + segment.duration;\n      if (time <= segmentEnd) {\n        break;\n      }\n    }\n    const lastSegment = playlist.segments[playlist.segments.length - 1];\n    if (lastSegment.videoTimingInfo && lastSegment.videoTimingInfo.transmuxedPresentationEnd < time) {\n      // The time requested is beyond the stream end.\n      return null;\n    }\n    if (time > segmentEnd) {\n      // The time is within or beyond the last segment.\n      //\n      // Check to see if the time is beyond a reasonable guess of the end of the stream.\n      if (time > segmentEnd + lastSegment.duration * SEGMENT_END_FUDGE_PERCENT) {\n        // Technically, because the duration value is only an estimate, the time may still\n        // exist in the last segment, however, there isn't enough information to make even\n        // a reasonable estimate.\n        return null;\n      }\n      segment = lastSegment;\n    }\n    return {\n      segment,\n      estimatedStart: segment.videoTimingInfo ? segment.videoTimingInfo.transmuxedPresentationStart : segmentEnd - segment.duration,\n      // Because videoTimingInfo is only set after transmux, it is the only way to get\n      // accurate timing values.\n      type: segment.videoTimingInfo ? 'accurate' : 'estimate'\n    };\n  };\n  /**\n   * Gives the offset of the comparisonTimestamp from the programTime timestamp in seconds.\n   * If the offset returned is positive, the programTime occurs after the\n   * comparisonTimestamp.\n   * If the offset is negative, the programTime occurs before the comparisonTimestamp.\n   *\n   * @param {string} comparisonTimeStamp An ISO-8601 timestamp to compare against\n   * @param {string} programTime The programTime as an ISO-8601 string\n   * @return {number} offset\n   */\n\n  const getOffsetFromTimestamp = (comparisonTimeStamp, programTime) => {\n    let segmentDateTime;\n    let programDateTime;\n    try {\n      segmentDateTime = new Date(comparisonTimeStamp);\n      programDateTime = new Date(programTime);\n    } catch (e) {// TODO handle error\n    }\n    const segmentTimeEpoch = segmentDateTime.getTime();\n    const programTimeEpoch = programDateTime.getTime();\n    return (programTimeEpoch - segmentTimeEpoch) / 1000;\n  };\n  /**\n   * Checks that all segments in this playlist have programDateTime tags.\n   *\n   * @param {Object} playlist A playlist object\n   */\n\n  const verifyProgramDateTimeTags = playlist => {\n    if (!playlist.segments || playlist.segments.length === 0) {\n      return false;\n    }\n    for (let i = 0; i < playlist.segments.length; i++) {\n      const segment = playlist.segments[i];\n      if (!segment.dateTimeObject) {\n        return false;\n      }\n    }\n    return true;\n  };\n  /**\n   * Returns the programTime of the media given a playlist and a playerTime.\n   * The playlist must have programDateTime tags for a programDateTime tag to be returned.\n   * If the segments containing the time requested have not been buffered yet, an estimate\n   * may be returned to the callback.\n   *\n   * @param {Object} args\n   * @param {Object} args.playlist A playlist object to search within\n   * @param {number} time A playerTime in seconds\n   * @param {Function} callback(err, programTime)\n   * @return {string} err.message A detailed error message\n   * @return {Object} programTime\n   * @return {number} programTime.mediaSeconds The streamTime in seconds\n   * @return {string} programTime.programDateTime The programTime as an ISO-8601 String\n   */\n\n  const getProgramTime = ({\n    playlist,\n    time = undefined,\n    callback\n  }) => {\n    if (!callback) {\n      throw new Error('getProgramTime: callback must be provided');\n    }\n    if (!playlist || time === undefined) {\n      return callback({\n        message: 'getProgramTime: playlist and time must be provided'\n      });\n    }\n    const matchedSegment = findSegmentForPlayerTime(time, playlist);\n    if (!matchedSegment) {\n      return callback({\n        message: 'valid programTime was not found'\n      });\n    }\n    if (matchedSegment.type === 'estimate') {\n      return callback({\n        message: 'Accurate programTime could not be determined.' + ' Please seek to e.seekTime and try again',\n        seekTime: matchedSegment.estimatedStart\n      });\n    }\n    const programTimeObject = {\n      mediaSeconds: time\n    };\n    const programTime = playerTimeToProgramTime(time, matchedSegment.segment);\n    if (programTime) {\n      programTimeObject.programDateTime = programTime.toISOString();\n    }\n    return callback(null, programTimeObject);\n  };\n  /**\n   * Seeks in the player to a time that matches the given programTime ISO-8601 string.\n   *\n   * @param {Object} args\n   * @param {string} args.programTime A programTime to seek to as an ISO-8601 String\n   * @param {Object} args.playlist A playlist to look within\n   * @param {number} args.retryCount The number of times to try for an accurate seek. Default is 2.\n   * @param {Function} args.seekTo A method to perform a seek\n   * @param {boolean} args.pauseAfterSeek Whether to end in a paused state after seeking. Default is true.\n   * @param {Object} args.tech The tech to seek on\n   * @param {Function} args.callback(err, newTime) A callback to return the new time to\n   * @return {string} err.message A detailed error message\n   * @return {number} newTime The exact time that was seeked to in seconds\n   */\n\n  const seekToProgramTime = ({\n    programTime,\n    playlist,\n    retryCount = 2,\n    seekTo,\n    pauseAfterSeek = true,\n    tech,\n    callback\n  }) => {\n    if (!callback) {\n      throw new Error('seekToProgramTime: callback must be provided');\n    }\n    if (typeof programTime === 'undefined' || !playlist || !seekTo) {\n      return callback({\n        message: 'seekToProgramTime: programTime, seekTo and playlist must be provided'\n      });\n    }\n    if (!playlist.endList && !tech.hasStarted_) {\n      return callback({\n        message: 'player must be playing a live stream to start buffering'\n      });\n    }\n    if (!verifyProgramDateTimeTags(playlist)) {\n      return callback({\n        message: 'programDateTime tags must be provided in the manifest ' + playlist.resolvedUri\n      });\n    }\n    const matchedSegment = findSegmentForProgramTime(programTime, playlist); // no match\n\n    if (!matchedSegment) {\n      return callback({\n        message: `${programTime} was not found in the stream`\n      });\n    }\n    const segment = matchedSegment.segment;\n    const mediaOffset = getOffsetFromTimestamp(segment.dateTimeObject, programTime);\n    if (matchedSegment.type === 'estimate') {\n      // we've run out of retries\n      if (retryCount === 0) {\n        return callback({\n          message: `${programTime} is not buffered yet. Try again`\n        });\n      }\n      seekTo(matchedSegment.estimatedStart + mediaOffset);\n      tech.one('seeked', () => {\n        seekToProgramTime({\n          programTime,\n          playlist,\n          retryCount: retryCount - 1,\n          seekTo,\n          pauseAfterSeek,\n          tech,\n          callback\n        });\n      });\n      return;\n    } // Since the segment.start value is determined from the buffered end or ending time\n    // of the prior segment, the seekToTime doesn't need to account for any transmuxer\n    // modifications.\n\n    const seekToTime = segment.start + mediaOffset;\n    const seekedCallback = () => {\n      return callback(null, tech.currentTime());\n    }; // listen for seeked event\n\n    tech.one('seeked', seekedCallback); // pause before seeking as video.js will restore this state\n\n    if (pauseAfterSeek) {\n      tech.pause();\n    }\n    seekTo(seekToTime);\n  };\n\n  // which will only happen if the request is complete.\n\n  const callbackOnCompleted = (request, cb) => {\n    if (request.readyState === 4) {\n      return cb();\n    }\n    return;\n  };\n  const containerRequest = (uri, xhr, cb, requestType) => {\n    let bytes = [];\n    let id3Offset;\n    let finished = false;\n    const endRequestAndCallback = function (err, req, type, _bytes) {\n      req.abort();\n      finished = true;\n      return cb(err, req, type, _bytes);\n    };\n    const progressListener = function (error, request) {\n      if (finished) {\n        return;\n      }\n      if (error) {\n        error.metadata = getStreamingNetworkErrorMetadata({\n          requestType,\n          request,\n          error\n        });\n        return endRequestAndCallback(error, request, '', bytes);\n      } // grap the new part of content that was just downloaded\n\n      const newPart = request.responseText.substring(bytes && bytes.byteLength || 0, request.responseText.length); // add that onto bytes\n\n      bytes = concatTypedArrays(bytes, stringToBytes(newPart, true));\n      id3Offset = id3Offset || getId3Offset(bytes); // we need at least 10 bytes to determine a type\n      // or we need at least two bytes after an id3Offset\n\n      if (bytes.length < 10 || id3Offset && bytes.length < id3Offset + 2) {\n        return callbackOnCompleted(request, () => endRequestAndCallback(error, request, '', bytes));\n      }\n      const type = detectContainerForBytes(bytes); // if this looks like a ts segment but we don't have enough data\n      // to see the second sync byte, wait until we have enough data\n      // before declaring it ts\n\n      if (type === 'ts' && bytes.length < 188) {\n        return callbackOnCompleted(request, () => endRequestAndCallback(error, request, '', bytes));\n      } // this may be an unsynced ts segment\n      // wait for 376 bytes before detecting no container\n\n      if (!type && bytes.length < 376) {\n        return callbackOnCompleted(request, () => endRequestAndCallback(error, request, '', bytes));\n      }\n      return endRequestAndCallback(null, request, type, bytes);\n    };\n    const options = {\n      uri,\n      beforeSend(request) {\n        // this forces the browser to pass the bytes to us unprocessed\n        request.overrideMimeType('text/plain; charset=x-user-defined');\n        request.addEventListener('progress', function ({\n          total,\n          loaded\n        }) {\n          return callbackWrapper(request, null, {\n            statusCode: request.status\n          }, progressListener);\n        });\n      }\n    };\n    const request = xhr(options, function (error, response) {\n      return callbackWrapper(request, error, response, progressListener);\n    });\n    return request;\n  };\n  const {\n    EventTarget\n  } = videojs;\n  const dashPlaylistUnchanged = function (a, b) {\n    if (!isPlaylistUnchanged(a, b)) {\n      return false;\n    } // for dash the above check will often return true in scenarios where\n    // the playlist actually has changed because mediaSequence isn't a\n    // dash thing, and we often set it to 1. So if the playlists have the same amount\n    // of segments we return true.\n    // So for dash we need to make sure that the underlying segments are different.\n    // if sidx changed then the playlists are different.\n\n    if (a.sidx && b.sidx && (a.sidx.offset !== b.sidx.offset || a.sidx.length !== b.sidx.length)) {\n      return false;\n    } else if (!a.sidx && b.sidx || a.sidx && !b.sidx) {\n      return false;\n    } // one or the other does not have segments\n    // there was a change.\n\n    if (a.segments && !b.segments || !a.segments && b.segments) {\n      return false;\n    } // neither has segments nothing changed\n\n    if (!a.segments && !b.segments) {\n      return true;\n    } // check segments themselves\n\n    for (let i = 0; i < a.segments.length; i++) {\n      const aSegment = a.segments[i];\n      const bSegment = b.segments[i]; // if uris are different between segments there was a change\n\n      if (aSegment.uri !== bSegment.uri) {\n        return false;\n      } // neither segment has a byterange, there will be no byterange change.\n\n      if (!aSegment.byterange && !bSegment.byterange) {\n        continue;\n      }\n      const aByterange = aSegment.byterange;\n      const bByterange = bSegment.byterange; // if byterange only exists on one of the segments, there was a change.\n\n      if (aByterange && !bByterange || !aByterange && bByterange) {\n        return false;\n      } // if both segments have byterange with different offsets, there was a change.\n\n      if (aByterange.offset !== bByterange.offset || aByterange.length !== bByterange.length) {\n        return false;\n      }\n    } // if everything was the same with segments, this is the same playlist.\n\n    return true;\n  };\n  /**\n   * Use the representation IDs from the mpd object to create groupIDs, the NAME is set to mandatory representation\n   * ID in the parser. This allows for continuous playout across periods with the same representation IDs\n   * (continuous periods as defined in DASH-IF 3.2.12). This is assumed in the mpd-parser as well. If we want to support\n   * periods without continuous playback this function may need modification as well as the parser.\n   */\n\n  const dashGroupId = (type, group, label, playlist) => {\n    // If the manifest somehow does not have an ID (non-dash compliant), use the label.\n    const playlistId = playlist.attributes.NAME || label;\n    return `placeholder-uri-${type}-${group}-${playlistId}`;\n  };\n  /**\n   * Parses the main XML string and updates playlist URI references.\n   *\n   * @param {Object} config\n   *        Object of arguments\n   * @param {string} config.mainXml\n   *        The mpd XML\n   * @param {string} config.srcUrl\n   *        The mpd URL\n   * @param {Date} config.clientOffset\n   *         A time difference between server and client\n   * @param {Object} config.sidxMapping\n   *        SIDX mappings for moof/mdat URIs and byte ranges\n   * @return {Object}\n   *         The parsed mpd manifest object\n   */\n\n  const parseMainXml = ({\n    mainXml,\n    srcUrl,\n    clientOffset,\n    sidxMapping,\n    previousManifest\n  }) => {\n    const manifest = parse(mainXml, {\n      manifestUri: srcUrl,\n      clientOffset,\n      sidxMapping,\n      previousManifest\n    });\n    addPropertiesToMain(manifest, srcUrl, dashGroupId);\n    return manifest;\n  };\n  /**\n   * Removes any mediaGroup labels that no longer exist in the newMain\n   *\n   * @param {Object} update\n   *         The previous mpd object being updated\n   * @param {Object} newMain\n   *         The new mpd object\n   */\n\n  const removeOldMediaGroupLabels = (update, newMain) => {\n    forEachMediaGroup(update, (properties, type, group, label) => {\n      if (!newMain.mediaGroups[type][group] || !(label in newMain.mediaGroups[type][group])) {\n        delete update.mediaGroups[type][group][label];\n      }\n    });\n  };\n  /**\n   * Returns a new main manifest that is the result of merging an updated main manifest\n   * into the original version.\n   *\n   * @param {Object} oldMain\n   *        The old parsed mpd object\n   * @param {Object} newMain\n   *        The updated parsed mpd object\n   * @return {Object}\n   *         A new object representing the original main manifest with the updated media\n   *         playlists merged in\n   */\n\n  const updateMain = (oldMain, newMain, sidxMapping) => {\n    let noChanges = true;\n    let update = merge(oldMain, {\n      // These are top level properties that can be updated\n      duration: newMain.duration,\n      minimumUpdatePeriod: newMain.minimumUpdatePeriod,\n      timelineStarts: newMain.timelineStarts\n    }); // First update the playlists in playlist list\n\n    for (let i = 0; i < newMain.playlists.length; i++) {\n      const playlist = newMain.playlists[i];\n      if (playlist.sidx) {\n        const sidxKey = generateSidxKey(playlist.sidx); // add sidx segments to the playlist if we have all the sidx info already\n\n        if (sidxMapping && sidxMapping[sidxKey] && sidxMapping[sidxKey].sidx) {\n          addSidxSegmentsToPlaylist$1(playlist, sidxMapping[sidxKey].sidx, playlist.sidx.resolvedUri);\n        }\n      }\n      const playlistUpdate = updateMain$1(update, playlist, dashPlaylistUnchanged);\n      if (playlistUpdate) {\n        update = playlistUpdate;\n        noChanges = false;\n      }\n    } // Then update media group playlists\n\n    forEachMediaGroup(newMain, (properties, type, group, label) => {\n      if (properties.playlists && properties.playlists.length) {\n        const id = properties.playlists[0].id;\n        const playlistUpdate = updateMain$1(update, properties.playlists[0], dashPlaylistUnchanged);\n        if (playlistUpdate) {\n          update = playlistUpdate; // add new mediaGroup label if it doesn't exist and assign the new mediaGroup.\n\n          if (!(label in update.mediaGroups[type][group])) {\n            update.mediaGroups[type][group][label] = properties;\n          } // update the playlist reference within media groups\n\n          update.mediaGroups[type][group][label].playlists[0] = update.playlists[id];\n          noChanges = false;\n        }\n      }\n    }); // remove mediaGroup labels and references that no longer exist in the newMain\n\n    removeOldMediaGroupLabels(update, newMain);\n    if (newMain.minimumUpdatePeriod !== oldMain.minimumUpdatePeriod) {\n      noChanges = false;\n    }\n    if (noChanges) {\n      return null;\n    }\n    return update;\n  }; // SIDX should be equivalent if the URI and byteranges of the SIDX match.\n  // If the SIDXs have maps, the two maps should match,\n  // both `a` and `b` missing SIDXs is considered matching.\n  // If `a` or `b` but not both have a map, they aren't matching.\n\n  const equivalentSidx = (a, b) => {\n    const neitherMap = Boolean(!a.map && !b.map);\n    const equivalentMap = neitherMap || Boolean(a.map && b.map && a.map.byterange.offset === b.map.byterange.offset && a.map.byterange.length === b.map.byterange.length);\n    return equivalentMap && a.uri === b.uri && a.byterange.offset === b.byterange.offset && a.byterange.length === b.byterange.length;\n  }; // exported for testing\n\n  const compareSidxEntry = (playlists, oldSidxMapping) => {\n    const newSidxMapping = {};\n    for (const id in playlists) {\n      const playlist = playlists[id];\n      const currentSidxInfo = playlist.sidx;\n      if (currentSidxInfo) {\n        const key = generateSidxKey(currentSidxInfo);\n        if (!oldSidxMapping[key]) {\n          break;\n        }\n        const savedSidxInfo = oldSidxMapping[key].sidxInfo;\n        if (equivalentSidx(savedSidxInfo, currentSidxInfo)) {\n          newSidxMapping[key] = oldSidxMapping[key];\n        }\n      }\n    }\n    return newSidxMapping;\n  };\n  /**\n   *  A function that filters out changed items as they need to be requested separately.\n   *\n   *  The method is exported for testing\n   *\n   *  @param {Object} main the parsed mpd XML returned via mpd-parser\n   *  @param {Object} oldSidxMapping the SIDX to compare against\n   */\n\n  const filterChangedSidxMappings = (main, oldSidxMapping) => {\n    const videoSidx = compareSidxEntry(main.playlists, oldSidxMapping);\n    let mediaGroupSidx = videoSidx;\n    forEachMediaGroup(main, (properties, mediaType, groupKey, labelKey) => {\n      if (properties.playlists && properties.playlists.length) {\n        const playlists = properties.playlists;\n        mediaGroupSidx = merge(mediaGroupSidx, compareSidxEntry(playlists, oldSidxMapping));\n      }\n    });\n    return mediaGroupSidx;\n  };\n  class DashPlaylistLoader extends EventTarget {\n    // DashPlaylistLoader must accept either a src url or a playlist because subsequent\n    // playlist loader setups from media groups will expect to be able to pass a playlist\n    // (since there aren't external URLs to media playlists with DASH)\n    constructor(srcUrlOrPlaylist, vhs, options = {}, mainPlaylistLoader) {\n      super();\n      this.isPaused_ = true;\n      this.mainPlaylistLoader_ = mainPlaylistLoader || this;\n      if (!mainPlaylistLoader) {\n        this.isMain_ = true;\n      }\n      const {\n        withCredentials = false\n      } = options;\n      this.vhs_ = vhs;\n      this.withCredentials = withCredentials;\n      this.addMetadataToTextTrack = options.addMetadataToTextTrack;\n      if (!srcUrlOrPlaylist) {\n        throw new Error('A non-empty playlist URL or object is required');\n      } // event naming?\n\n      this.on('minimumUpdatePeriod', () => {\n        this.refreshXml_();\n      }); // live playlist staleness timeout\n\n      this.on('mediaupdatetimeout', () => {\n        this.refreshMedia_(this.media().id);\n      });\n      this.state = 'HAVE_NOTHING';\n      this.loadedPlaylists_ = {};\n      this.logger_ = logger('DashPlaylistLoader'); // initialize the loader state\n      // The mainPlaylistLoader will be created with a string\n\n      if (this.isMain_) {\n        this.mainPlaylistLoader_.srcUrl = srcUrlOrPlaylist; // TODO: reset sidxMapping between period changes\n        // once multi-period is refactored\n\n        this.mainPlaylistLoader_.sidxMapping_ = {};\n      } else {\n        this.childPlaylist_ = srcUrlOrPlaylist;\n      }\n    }\n    get isPaused() {\n      return this.isPaused_;\n    }\n    requestErrored_(err, request, startingState) {\n      // disposed\n      if (!this.request) {\n        return true;\n      } // pending request is cleared\n\n      this.request = null;\n      if (err) {\n        // use the provided error object or create one\n        // based on the request/response\n        this.error = typeof err === 'object' && !(err instanceof Error) ? err : {\n          status: request.status,\n          message: 'DASH request error at URL: ' + request.uri,\n          response: request.response,\n          // MEDIA_ERR_NETWORK\n          code: 2,\n          metadata: err.metadata\n        };\n        if (startingState) {\n          this.state = startingState;\n        }\n        this.trigger('error');\n        return true;\n      }\n    }\n    /**\n     * Verify that the container of the sidx segment can be parsed\n     * and if it can, get and parse that segment.\n     */\n\n    addSidxSegments_(playlist, startingState, cb) {\n      const sidxKey = playlist.sidx && generateSidxKey(playlist.sidx); // playlist lacks sidx or sidx segments were added to this playlist already.\n\n      if (!playlist.sidx || !sidxKey || this.mainPlaylistLoader_.sidxMapping_[sidxKey]) {\n        // keep this function async\n        window.clearTimeout(this.mediaRequest_);\n        this.mediaRequest_ = window.setTimeout(() => cb(false), 0);\n        return;\n      } // resolve the segment URL relative to the playlist\n\n      const uri = resolveManifestRedirect(playlist.sidx.resolvedUri);\n      const fin = (err, request) => {\n        if (this.requestErrored_(err, request, startingState)) {\n          return;\n        }\n        const sidxMapping = this.mainPlaylistLoader_.sidxMapping_;\n        const {\n          requestType\n        } = request;\n        let sidx;\n        try {\n          sidx = parseSidx_1(toUint8(request.response).subarray(8));\n        } catch (e) {\n          e.metadata = getStreamingNetworkErrorMetadata({\n            requestType,\n            request,\n            parseFailure: true\n          }); // sidx parsing failed.\n\n          this.requestErrored_(e, request, startingState);\n          return;\n        }\n        sidxMapping[sidxKey] = {\n          sidxInfo: playlist.sidx,\n          sidx\n        };\n        addSidxSegmentsToPlaylist$1(playlist, sidx, playlist.sidx.resolvedUri);\n        return cb(true);\n      };\n      const REQUEST_TYPE = 'dash-sidx';\n      this.request = containerRequest(uri, this.vhs_.xhr, (err, request, container, bytes) => {\n        if (err) {\n          return fin(err, request);\n        }\n        if (!container || container !== 'mp4') {\n          const sidxContainer = container || 'unknown';\n          return fin({\n            status: request.status,\n            message: `Unsupported ${sidxContainer} container type for sidx segment at URL: ${uri}`,\n            // response is just bytes in this case\n            // but we really don't want to return that.\n            response: '',\n            playlist,\n            internal: true,\n            playlistExclusionDuration: Infinity,\n            // MEDIA_ERR_NETWORK\n            code: 2\n          }, request);\n        } // if we already downloaded the sidx bytes in the container request, use them\n\n        const {\n          offset,\n          length\n        } = playlist.sidx.byterange;\n        if (bytes.length >= length + offset) {\n          return fin(err, {\n            response: bytes.subarray(offset, offset + length),\n            status: request.status,\n            uri: request.uri\n          });\n        } // otherwise request sidx bytes\n\n        this.request = this.vhs_.xhr({\n          uri,\n          responseType: 'arraybuffer',\n          requestType: 'dash-sidx',\n          headers: segmentXhrHeaders({\n            byterange: playlist.sidx.byterange\n          })\n        }, fin);\n      }, REQUEST_TYPE);\n    }\n    dispose() {\n      this.isPaused_ = true;\n      this.trigger('dispose');\n      this.stopRequest();\n      this.loadedPlaylists_ = {};\n      window.clearTimeout(this.minimumUpdatePeriodTimeout_);\n      window.clearTimeout(this.mediaRequest_);\n      window.clearTimeout(this.mediaUpdateTimeout);\n      this.mediaUpdateTimeout = null;\n      this.mediaRequest_ = null;\n      this.minimumUpdatePeriodTimeout_ = null;\n      if (this.mainPlaylistLoader_.createMupOnMedia_) {\n        this.off('loadedmetadata', this.mainPlaylistLoader_.createMupOnMedia_);\n        this.mainPlaylistLoader_.createMupOnMedia_ = null;\n      }\n      this.off();\n    }\n    hasPendingRequest() {\n      return this.request || this.mediaRequest_;\n    }\n    stopRequest() {\n      if (this.request) {\n        const oldRequest = this.request;\n        this.request = null;\n        oldRequest.onreadystatechange = null;\n        oldRequest.abort();\n      }\n    }\n    media(playlist) {\n      // getter\n      if (!playlist) {\n        return this.media_;\n      } // setter\n\n      if (this.state === 'HAVE_NOTHING') {\n        throw new Error('Cannot switch media playlist from ' + this.state);\n      }\n      const startingState = this.state; // find the playlist object if the target playlist has been specified by URI\n\n      if (typeof playlist === 'string') {\n        if (!this.mainPlaylistLoader_.main.playlists[playlist]) {\n          throw new Error('Unknown playlist URI: ' + playlist);\n        }\n        playlist = this.mainPlaylistLoader_.main.playlists[playlist];\n      }\n      const mediaChange = !this.media_ || playlist.id !== this.media_.id; // switch to previously loaded playlists immediately\n\n      if (mediaChange && this.loadedPlaylists_[playlist.id] && this.loadedPlaylists_[playlist.id].endList) {\n        this.state = 'HAVE_METADATA';\n        this.media_ = playlist; // trigger media change if the active media has been updated\n\n        if (mediaChange) {\n          this.trigger('mediachanging');\n          this.trigger('mediachange');\n        }\n        return;\n      } // switching to the active playlist is a no-op\n\n      if (!mediaChange) {\n        return;\n      } // switching from an already loaded playlist\n\n      if (this.media_) {\n        this.trigger('mediachanging');\n      }\n      this.addSidxSegments_(playlist, startingState, sidxChanged => {\n        // everything is ready just continue to haveMetadata\n        this.haveMetadata({\n          startingState,\n          playlist\n        });\n      });\n    }\n    haveMetadata({\n      startingState,\n      playlist\n    }) {\n      this.state = 'HAVE_METADATA';\n      this.loadedPlaylists_[playlist.id] = playlist;\n      window.clearTimeout(this.mediaRequest_);\n      this.mediaRequest_ = null; // This will trigger loadedplaylist\n\n      this.refreshMedia_(playlist.id); // fire loadedmetadata the first time a media playlist is loaded\n      // to resolve setup of media groups\n\n      if (startingState === 'HAVE_MAIN_MANIFEST') {\n        this.trigger('loadedmetadata');\n      } else {\n        // trigger media change if the active media has been updated\n        this.trigger('mediachange');\n      }\n    }\n    pause() {\n      this.isPaused_ = true;\n      if (this.mainPlaylistLoader_.createMupOnMedia_) {\n        this.off('loadedmetadata', this.mainPlaylistLoader_.createMupOnMedia_);\n        this.mainPlaylistLoader_.createMupOnMedia_ = null;\n      }\n      this.stopRequest();\n      window.clearTimeout(this.mediaUpdateTimeout);\n      this.mediaUpdateTimeout = null;\n      if (this.isMain_) {\n        window.clearTimeout(this.mainPlaylistLoader_.minimumUpdatePeriodTimeout_);\n        this.mainPlaylistLoader_.minimumUpdatePeriodTimeout_ = null;\n      }\n      if (this.state === 'HAVE_NOTHING') {\n        // If we pause the loader before any data has been retrieved, its as if we never\n        // started, so reset to an unstarted state.\n        this.started = false;\n      }\n    }\n    load(isFinalRendition) {\n      this.isPaused_ = false;\n      window.clearTimeout(this.mediaUpdateTimeout);\n      this.mediaUpdateTimeout = null;\n      const media = this.media();\n      if (isFinalRendition) {\n        const delay = media ? media.targetDuration / 2 * 1000 : 5 * 1000;\n        this.mediaUpdateTimeout = window.setTimeout(() => this.load(), delay);\n        return;\n      } // because the playlists are internal to the manifest, load should either load the\n      // main manifest, or do nothing but trigger an event\n\n      if (!this.started) {\n        this.start();\n        return;\n      }\n      if (media && !media.endList) {\n        // Check to see if this is the main loader and the MUP was cleared (this happens\n        // when the loader was paused). `media` should be set at this point since one is always\n        // set during `start()`.\n        if (this.isMain_ && !this.minimumUpdatePeriodTimeout_) {\n          // Trigger minimumUpdatePeriod to refresh the main manifest\n          this.trigger('minimumUpdatePeriod'); // Since there was no prior minimumUpdatePeriodTimeout it should be recreated\n\n          this.updateMinimumUpdatePeriodTimeout_();\n        }\n        this.trigger('mediaupdatetimeout');\n      } else {\n        this.trigger('loadedplaylist');\n      }\n    }\n    start() {\n      this.started = true; // We don't need to request the main manifest again\n      // Call this asynchronously to match the xhr request behavior below\n\n      if (!this.isMain_) {\n        window.clearTimeout(this.mediaRequest_);\n        this.mediaRequest_ = window.setTimeout(() => this.haveMain_(), 0);\n        return;\n      }\n      this.requestMain_((req, mainChanged) => {\n        this.haveMain_();\n        if (!this.hasPendingRequest() && !this.media_) {\n          this.media(this.mainPlaylistLoader_.main.playlists[0]);\n        }\n      });\n    }\n    requestMain_(cb) {\n      const metadata = {\n        manifestInfo: {\n          uri: this.mainPlaylistLoader_.srcUrl\n        }\n      };\n      this.trigger({\n        type: 'manifestrequeststart',\n        metadata\n      });\n      this.request = this.vhs_.xhr({\n        uri: this.mainPlaylistLoader_.srcUrl,\n        withCredentials: this.withCredentials,\n        requestType: 'dash-manifest'\n      }, (error, req) => {\n        if (error) {\n          const {\n            requestType\n          } = req;\n          error.metadata = getStreamingNetworkErrorMetadata({\n            requestType,\n            request: req,\n            error\n          });\n        }\n        if (this.requestErrored_(error, req)) {\n          if (this.state === 'HAVE_NOTHING') {\n            this.started = false;\n          }\n          return;\n        }\n        this.trigger({\n          type: 'manifestrequestcomplete',\n          metadata\n        });\n        const mainChanged = req.responseText !== this.mainPlaylistLoader_.mainXml_;\n        this.mainPlaylistLoader_.mainXml_ = req.responseText;\n        if (req.responseHeaders && req.responseHeaders.date) {\n          this.mainLoaded_ = Date.parse(req.responseHeaders.date);\n        } else {\n          this.mainLoaded_ = Date.now();\n        }\n        this.mainPlaylistLoader_.srcUrl = resolveManifestRedirect(this.mainPlaylistLoader_.srcUrl, req);\n        if (mainChanged) {\n          this.handleMain_();\n          this.syncClientServerClock_(() => {\n            return cb(req, mainChanged);\n          });\n          return;\n        }\n        return cb(req, mainChanged);\n      });\n    }\n    /**\n     * Parses the main xml for UTCTiming node to sync the client clock to the server\n     * clock. If the UTCTiming node requires a HEAD or GET request, that request is made.\n     *\n     * @param {Function} done\n     *        Function to call when clock sync has completed\n     */\n\n    syncClientServerClock_(done) {\n      const utcTiming = parseUTCTiming(this.mainPlaylistLoader_.mainXml_); // No UTCTiming element found in the mpd. Use Date header from mpd request as the\n      // server clock\n\n      if (utcTiming === null) {\n        this.mainPlaylistLoader_.clientOffset_ = this.mainLoaded_ - Date.now();\n        return done();\n      }\n      if (utcTiming.method === 'DIRECT') {\n        this.mainPlaylistLoader_.clientOffset_ = utcTiming.value - Date.now();\n        return done();\n      }\n      this.request = this.vhs_.xhr({\n        uri: resolveUrl(this.mainPlaylistLoader_.srcUrl, utcTiming.value),\n        method: utcTiming.method,\n        withCredentials: this.withCredentials,\n        requestType: 'dash-clock-sync'\n      }, (error, req) => {\n        // disposed\n        if (!this.request) {\n          return;\n        }\n        if (error) {\n          const {\n            requestType\n          } = req;\n          this.error.metadata = getStreamingNetworkErrorMetadata({\n            requestType,\n            request: req,\n            error\n          }); // sync request failed, fall back to using date header from mpd\n          // TODO: log warning\n\n          this.mainPlaylistLoader_.clientOffset_ = this.mainLoaded_ - Date.now();\n          return done();\n        }\n        let serverTime;\n        if (utcTiming.method === 'HEAD') {\n          if (!req.responseHeaders || !req.responseHeaders.date) {\n            // expected date header not preset, fall back to using date header from mpd\n            // TODO: log warning\n            serverTime = this.mainLoaded_;\n          } else {\n            serverTime = Date.parse(req.responseHeaders.date);\n          }\n        } else {\n          serverTime = Date.parse(req.responseText);\n        }\n        this.mainPlaylistLoader_.clientOffset_ = serverTime - Date.now();\n        done();\n      });\n    }\n    haveMain_() {\n      this.state = 'HAVE_MAIN_MANIFEST';\n      if (this.isMain_) {\n        // We have the main playlist at this point, so\n        // trigger this to allow PlaylistController\n        // to make an initial playlist selection\n        this.trigger('loadedplaylist');\n      } else if (!this.media_) {\n        // no media playlist was specifically selected so select\n        // the one the child playlist loader was created with\n        this.media(this.childPlaylist_);\n      }\n    }\n    handleMain_() {\n      // clear media request\n      window.clearTimeout(this.mediaRequest_);\n      this.mediaRequest_ = null;\n      const oldMain = this.mainPlaylistLoader_.main;\n      const metadata = {\n        manifestInfo: {\n          uri: this.mainPlaylistLoader_.srcUrl\n        }\n      };\n      this.trigger({\n        type: 'manifestparsestart',\n        metadata\n      });\n      let newMain;\n      try {\n        newMain = parseMainXml({\n          mainXml: this.mainPlaylistLoader_.mainXml_,\n          srcUrl: this.mainPlaylistLoader_.srcUrl,\n          clientOffset: this.mainPlaylistLoader_.clientOffset_,\n          sidxMapping: this.mainPlaylistLoader_.sidxMapping_,\n          previousManifest: oldMain\n        });\n      } catch (error) {\n        this.error = error;\n        this.error.metadata = {\n          errorType: videojs.Error.StreamingDashManifestParserError,\n          error\n        };\n        this.trigger('error');\n      } // if we have an old main to compare the new main against\n\n      if (oldMain) {\n        newMain = updateMain(oldMain, newMain, this.mainPlaylistLoader_.sidxMapping_);\n      } // only update main if we have a new main\n\n      this.mainPlaylistLoader_.main = newMain ? newMain : oldMain;\n      const location = this.mainPlaylistLoader_.main.locations && this.mainPlaylistLoader_.main.locations[0];\n      if (location && location !== this.mainPlaylistLoader_.srcUrl) {\n        this.mainPlaylistLoader_.srcUrl = location;\n      }\n      if (!oldMain || newMain && newMain.minimumUpdatePeriod !== oldMain.minimumUpdatePeriod) {\n        this.updateMinimumUpdatePeriodTimeout_();\n      }\n      this.addEventStreamToMetadataTrack_(newMain);\n      if (newMain) {\n        const {\n          duration,\n          endList\n        } = newMain;\n        const renditions = [];\n        newMain.playlists.forEach(playlist => {\n          renditions.push({\n            id: playlist.id,\n            bandwidth: playlist.attributes.BANDWIDTH,\n            resolution: playlist.attributes.RESOLUTION,\n            codecs: playlist.attributes.CODECS\n          });\n        });\n        const parsedManifest = {\n          duration,\n          isLive: !endList,\n          renditions\n        };\n        metadata.parsedManifest = parsedManifest;\n        this.trigger({\n          type: 'manifestparsecomplete',\n          metadata\n        });\n      }\n      return Boolean(newMain);\n    }\n    updateMinimumUpdatePeriodTimeout_() {\n      const mpl = this.mainPlaylistLoader_; // cancel any pending creation of mup on media\n      // a new one will be added if needed.\n\n      if (mpl.createMupOnMedia_) {\n        mpl.off('loadedmetadata', mpl.createMupOnMedia_);\n        mpl.createMupOnMedia_ = null;\n      } // clear any pending timeouts\n\n      if (mpl.minimumUpdatePeriodTimeout_) {\n        window.clearTimeout(mpl.minimumUpdatePeriodTimeout_);\n        mpl.minimumUpdatePeriodTimeout_ = null;\n      }\n      let mup = mpl.main && mpl.main.minimumUpdatePeriod; // If the minimumUpdatePeriod has a value of 0, that indicates that the current\n      // MPD has no future validity, so a new one will need to be acquired when new\n      // media segments are to be made available. Thus, we use the target duration\n      // in this case\n\n      if (mup === 0) {\n        if (mpl.media()) {\n          mup = mpl.media().targetDuration * 1000;\n        } else {\n          mpl.createMupOnMedia_ = mpl.updateMinimumUpdatePeriodTimeout_;\n          mpl.one('loadedmetadata', mpl.createMupOnMedia_);\n        }\n      } // if minimumUpdatePeriod is invalid or <= zero, which\n      // can happen when a live video becomes VOD. skip timeout\n      // creation.\n\n      if (typeof mup !== 'number' || mup <= 0) {\n        if (mup < 0) {\n          this.logger_(`found invalid minimumUpdatePeriod of ${mup}, not setting a timeout`);\n        }\n        return;\n      }\n      this.createMUPTimeout_(mup);\n    }\n    createMUPTimeout_(mup) {\n      const mpl = this.mainPlaylistLoader_;\n      mpl.minimumUpdatePeriodTimeout_ = window.setTimeout(() => {\n        mpl.minimumUpdatePeriodTimeout_ = null;\n        mpl.trigger('minimumUpdatePeriod');\n        mpl.createMUPTimeout_(mup);\n      }, mup);\n    }\n    /**\n     * Sends request to refresh the main xml and updates the parsed main manifest\n     */\n\n    refreshXml_() {\n      this.requestMain_((req, mainChanged) => {\n        if (!mainChanged) {\n          return;\n        }\n        if (this.media_) {\n          this.media_ = this.mainPlaylistLoader_.main.playlists[this.media_.id];\n        } // This will filter out updated sidx info from the mapping\n\n        this.mainPlaylistLoader_.sidxMapping_ = filterChangedSidxMappings(this.mainPlaylistLoader_.main, this.mainPlaylistLoader_.sidxMapping_);\n        this.addSidxSegments_(this.media(), this.state, sidxChanged => {\n          // TODO: do we need to reload the current playlist?\n          this.refreshMedia_(this.media().id);\n        });\n      });\n    }\n    /**\n     * Refreshes the media playlist by re-parsing the main xml and updating playlist\n     * references. If this is an alternate loader, the updated parsed manifest is retrieved\n     * from the main loader.\n     */\n\n    refreshMedia_(mediaID) {\n      if (!mediaID) {\n        throw new Error('refreshMedia_ must take a media id');\n      } // for main we have to reparse the main xml\n      // to re-create segments based on current timing values\n      // which may change media. We only skip updating the main manifest\n      // if this is the first time this.media_ is being set.\n      // as main was just parsed in that case.\n\n      if (this.media_ && this.isMain_) {\n        this.handleMain_();\n      }\n      const playlists = this.mainPlaylistLoader_.main.playlists;\n      const mediaChanged = !this.media_ || this.media_ !== playlists[mediaID];\n      if (mediaChanged) {\n        this.media_ = playlists[mediaID];\n      } else {\n        this.trigger('playlistunchanged');\n      }\n      if (!this.mediaUpdateTimeout) {\n        const createMediaUpdateTimeout = () => {\n          if (this.media().endList) {\n            return;\n          }\n          this.mediaUpdateTimeout = window.setTimeout(() => {\n            this.trigger('mediaupdatetimeout');\n            createMediaUpdateTimeout();\n          }, refreshDelay(this.media(), Boolean(mediaChanged)));\n        };\n        createMediaUpdateTimeout();\n      }\n      this.trigger('loadedplaylist');\n    }\n    /**\n     * Takes eventstream data from a parsed DASH manifest and adds it to the metadata text track.\n     *\n     * @param {manifest} newMain the newly parsed manifest\n     */\n\n    addEventStreamToMetadataTrack_(newMain) {\n      // Only add new event stream metadata if we have a new manifest.\n      if (newMain && this.mainPlaylistLoader_.main.eventStream) {\n        // convert EventStream to ID3-like data.\n        const metadataArray = this.mainPlaylistLoader_.main.eventStream.map(eventStreamNode => {\n          return {\n            cueTime: eventStreamNode.start,\n            frames: [{\n              data: eventStreamNode.messageData\n            }]\n          };\n        });\n        this.addMetadataToTextTrack('EventStream', metadataArray, this.mainPlaylistLoader_.main.duration);\n      }\n    }\n    /**\n     * Returns the key ID set from a playlist\n     *\n     * @param {playlist} playlist to fetch the key ID set from.\n     * @return a Set of 32 digit hex strings that represent the unique keyIds for that playlist.\n     */\n\n    getKeyIdSet(playlist) {\n      if (playlist.contentProtection) {\n        const keyIds = new Set();\n        for (const keysystem in playlist.contentProtection) {\n          const defaultKID = playlist.contentProtection[keysystem].attributes['cenc:default_KID'];\n          if (defaultKID) {\n            // DASH keyIds are separated by dashes.\n            keyIds.add(defaultKID.replace(/-/g, '').toLowerCase());\n          }\n        }\n        return keyIds;\n      }\n    }\n  }\n  var Config = {\n    GOAL_BUFFER_LENGTH: 30,\n    MAX_GOAL_BUFFER_LENGTH: 60,\n    BACK_BUFFER_LENGTH: 30,\n    GOAL_BUFFER_LENGTH_RATE: 1,\n    // 0.5 MB/s\n    INITIAL_BANDWIDTH: 4194304,\n    // A fudge factor to apply to advertised playlist bitrates to account for\n    // temporary flucations in client bandwidth\n    BANDWIDTH_VARIANCE: 1.2,\n    // How much of the buffer must be filled before we consider upswitching\n    BUFFER_LOW_WATER_LINE: 0,\n    MAX_BUFFER_LOW_WATER_LINE: 30,\n    // TODO: Remove this when experimentalBufferBasedABR is removed\n    EXPERIMENTAL_MAX_BUFFER_LOW_WATER_LINE: 16,\n    BUFFER_LOW_WATER_LINE_RATE: 1,\n    // If the buffer is greater than the high water line, we won't switch down\n    BUFFER_HIGH_WATER_LINE: 30\n  };\n  const stringToArrayBuffer = string => {\n    const view = new Uint8Array(new ArrayBuffer(string.length));\n    for (let i = 0; i < string.length; i++) {\n      view[i] = string.charCodeAt(i);\n    }\n    return view.buffer;\n  };\n\n  /* global Blob, BlobBuilder, Worker */\n  // unify worker interface\n  const browserWorkerPolyFill = function (workerObj) {\n    // node only supports on/off\n    workerObj.on = workerObj.addEventListener;\n    workerObj.off = workerObj.removeEventListener;\n    return workerObj;\n  };\n  const createObjectURL = function (str) {\n    try {\n      return URL.createObjectURL(new Blob([str], {\n        type: 'application/javascript'\n      }));\n    } catch (e) {\n      const blob = new BlobBuilder();\n      blob.append(str);\n      return URL.createObjectURL(blob.getBlob());\n    }\n  };\n  const factory = function (code) {\n    return function () {\n      const objectUrl = createObjectURL(code);\n      const worker = browserWorkerPolyFill(new Worker(objectUrl));\n      worker.objURL = objectUrl;\n      const terminate = worker.terminate;\n      worker.on = worker.addEventListener;\n      worker.off = worker.removeEventListener;\n      worker.terminate = function () {\n        URL.revokeObjectURL(objectUrl);\n        return terminate.call(this);\n      };\n      return worker;\n    };\n  };\n  const transform = function (code) {\n    return `var browserWorkerPolyFill = ${browserWorkerPolyFill.toString()};\\n` + 'browserWorkerPolyFill(self);\\n' + code;\n  };\n  const getWorkerString = function (fn) {\n    return fn.toString().replace(/^function.+?{/, '').slice(0, -1);\n  };\n\n  /* rollup-plugin-worker-factory start for worker!/home/runner/work/http-streaming/http-streaming/src/transmuxer-worker.js */\n  const workerCode$1 = transform(getWorkerString(function () {\n    var commonjsGlobal = typeof globalThis !== 'undefined' ? globalThis : typeof window !== 'undefined' ? window : typeof global !== 'undefined' ? global : typeof self !== 'undefined' ? self : {};\n    /**\n     * mux.js\n     *\n     * Copyright (c) Brightcove\n     * Licensed Apache-2.0 https://github.com/videojs/mux.js/blob/master/LICENSE\n     *\n     * A lightweight readable stream implemention that handles event dispatching.\n     * Objects that inherit from streams should call init in their constructors.\n     */\n\n    var Stream$8 = function () {\n      this.init = function () {\n        var listeners = {};\n        /**\n         * Add a listener for a specified event type.\n         * @param type {string} the event name\n         * @param listener {function} the callback to be invoked when an event of\n         * the specified type occurs\n         */\n\n        this.on = function (type, listener) {\n          if (!listeners[type]) {\n            listeners[type] = [];\n          }\n          listeners[type] = listeners[type].concat(listener);\n        };\n        /**\n         * Remove a listener for a specified event type.\n         * @param type {string} the event name\n         * @param listener {function} a function previously registered for this\n         * type of event through `on`\n         */\n\n        this.off = function (type, listener) {\n          var index;\n          if (!listeners[type]) {\n            return false;\n          }\n          index = listeners[type].indexOf(listener);\n          listeners[type] = listeners[type].slice();\n          listeners[type].splice(index, 1);\n          return index > -1;\n        };\n        /**\n         * Trigger an event of the specified type on this stream. Any additional\n         * arguments to this function are passed as parameters to event listeners.\n         * @param type {string} the event name\n         */\n\n        this.trigger = function (type) {\n          var callbacks, i, length, args;\n          callbacks = listeners[type];\n          if (!callbacks) {\n            return;\n          } // Slicing the arguments on every invocation of this method\n          // can add a significant amount of overhead. Avoid the\n          // intermediate object creation for the common case of a\n          // single callback argument\n\n          if (arguments.length === 2) {\n            length = callbacks.length;\n            for (i = 0; i < length; ++i) {\n              callbacks[i].call(this, arguments[1]);\n            }\n          } else {\n            args = [];\n            i = arguments.length;\n            for (i = 1; i < arguments.length; ++i) {\n              args.push(arguments[i]);\n            }\n            length = callbacks.length;\n            for (i = 0; i < length; ++i) {\n              callbacks[i].apply(this, args);\n            }\n          }\n        };\n        /**\n         * Destroys the stream and cleans up.\n         */\n\n        this.dispose = function () {\n          listeners = {};\n        };\n      };\n    };\n    /**\n     * Forwards all `data` events on this stream to the destination stream. The\n     * destination stream should provide a method `push` to receive the data\n     * events as they arrive.\n     * @param destination {stream} the stream that will receive all `data` events\n     * @param autoFlush {boolean} if false, we will not call `flush` on the destination\n     *                            when the current stream emits a 'done' event\n     * @see http://nodejs.org/api/stream.html#stream_readable_pipe_destination_options\n     */\n\n    Stream$8.prototype.pipe = function (destination) {\n      this.on('data', function (data) {\n        destination.push(data);\n      });\n      this.on('done', function (flushSource) {\n        destination.flush(flushSource);\n      });\n      this.on('partialdone', function (flushSource) {\n        destination.partialFlush(flushSource);\n      });\n      this.on('endedtimeline', function (flushSource) {\n        destination.endTimeline(flushSource);\n      });\n      this.on('reset', function (flushSource) {\n        destination.reset(flushSource);\n      });\n      return destination;\n    }; // Default stream functions that are expected to be overridden to perform\n    // actual work. These are provided by the prototype as a sort of no-op\n    // implementation so that we don't have to check for their existence in the\n    // `pipe` function above.\n\n    Stream$8.prototype.push = function (data) {\n      this.trigger('data', data);\n    };\n    Stream$8.prototype.flush = function (flushSource) {\n      this.trigger('done', flushSource);\n    };\n    Stream$8.prototype.partialFlush = function (flushSource) {\n      this.trigger('partialdone', flushSource);\n    };\n    Stream$8.prototype.endTimeline = function (flushSource) {\n      this.trigger('endedtimeline', flushSource);\n    };\n    Stream$8.prototype.reset = function (flushSource) {\n      this.trigger('reset', flushSource);\n    };\n    var stream = Stream$8;\n    var MAX_UINT32$1 = Math.pow(2, 32);\n    var getUint64$5 = function (uint8) {\n      var dv = new DataView(uint8.buffer, uint8.byteOffset, uint8.byteLength);\n      var value;\n      if (dv.getBigUint64) {\n        value = dv.getBigUint64(0);\n        if (value < Number.MAX_SAFE_INTEGER) {\n          return Number(value);\n        }\n        return value;\n      }\n      return dv.getUint32(0) * MAX_UINT32$1 + dv.getUint32(4);\n    };\n    var numbers = {\n      getUint64: getUint64$5,\n      MAX_UINT32: MAX_UINT32$1\n    };\n    /**\n     * mux.js\n     *\n     * Copyright (c) Brightcove\n     * Licensed Apache-2.0 https://github.com/videojs/mux.js/blob/master/LICENSE\n     *\n     * Functions that generate fragmented MP4s suitable for use with Media\n     * Source Extensions.\n     */\n\n    var MAX_UINT32 = numbers.MAX_UINT32;\n    var box, dinf, esds, ftyp, mdat, mfhd, minf, moof, moov, mvex, mvhd, trak, tkhd, mdia, mdhd, hdlr, sdtp, stbl, stsd, traf, trex, trun$1, types, MAJOR_BRAND, MINOR_VERSION, AVC1_BRAND, VIDEO_HDLR, AUDIO_HDLR, HDLR_TYPES, VMHD, SMHD, DREF, STCO, STSC, STSZ, STTS; // pre-calculate constants\n\n    (function () {\n      var i;\n      types = {\n        avc1: [],\n        // codingname\n        avcC: [],\n        btrt: [],\n        dinf: [],\n        dref: [],\n        esds: [],\n        ftyp: [],\n        hdlr: [],\n        mdat: [],\n        mdhd: [],\n        mdia: [],\n        mfhd: [],\n        minf: [],\n        moof: [],\n        moov: [],\n        mp4a: [],\n        // codingname\n        mvex: [],\n        mvhd: [],\n        pasp: [],\n        sdtp: [],\n        smhd: [],\n        stbl: [],\n        stco: [],\n        stsc: [],\n        stsd: [],\n        stsz: [],\n        stts: [],\n        styp: [],\n        tfdt: [],\n        tfhd: [],\n        traf: [],\n        trak: [],\n        trun: [],\n        trex: [],\n        tkhd: [],\n        vmhd: []\n      }; // In environments where Uint8Array is undefined (e.g., IE8), skip set up so that we\n      // don't throw an error\n\n      if (typeof Uint8Array === 'undefined') {\n        return;\n      }\n      for (i in types) {\n        if (types.hasOwnProperty(i)) {\n          types[i] = [i.charCodeAt(0), i.charCodeAt(1), i.charCodeAt(2), i.charCodeAt(3)];\n        }\n      }\n      MAJOR_BRAND = new Uint8Array(['i'.charCodeAt(0), 's'.charCodeAt(0), 'o'.charCodeAt(0), 'm'.charCodeAt(0)]);\n      AVC1_BRAND = new Uint8Array(['a'.charCodeAt(0), 'v'.charCodeAt(0), 'c'.charCodeAt(0), '1'.charCodeAt(0)]);\n      MINOR_VERSION = new Uint8Array([0, 0, 0, 1]);\n      VIDEO_HDLR = new Uint8Array([0x00,\n      // version 0\n      0x00, 0x00, 0x00,\n      // flags\n      0x00, 0x00, 0x00, 0x00,\n      // pre_defined\n      0x76, 0x69, 0x64, 0x65,\n      // handler_type: 'vide'\n      0x00, 0x00, 0x00, 0x00,\n      // reserved\n      0x00, 0x00, 0x00, 0x00,\n      // reserved\n      0x00, 0x00, 0x00, 0x00,\n      // reserved\n      0x56, 0x69, 0x64, 0x65, 0x6f, 0x48, 0x61, 0x6e, 0x64, 0x6c, 0x65, 0x72, 0x00 // name: 'VideoHandler'\n      ]);\n      AUDIO_HDLR = new Uint8Array([0x00,\n      // version 0\n      0x00, 0x00, 0x00,\n      // flags\n      0x00, 0x00, 0x00, 0x00,\n      // pre_defined\n      0x73, 0x6f, 0x75, 0x6e,\n      // handler_type: 'soun'\n      0x00, 0x00, 0x00, 0x00,\n      // reserved\n      0x00, 0x00, 0x00, 0x00,\n      // reserved\n      0x00, 0x00, 0x00, 0x00,\n      // reserved\n      0x53, 0x6f, 0x75, 0x6e, 0x64, 0x48, 0x61, 0x6e, 0x64, 0x6c, 0x65, 0x72, 0x00 // name: 'SoundHandler'\n      ]);\n      HDLR_TYPES = {\n        video: VIDEO_HDLR,\n        audio: AUDIO_HDLR\n      };\n      DREF = new Uint8Array([0x00,\n      // version 0\n      0x00, 0x00, 0x00,\n      // flags\n      0x00, 0x00, 0x00, 0x01,\n      // entry_count\n      0x00, 0x00, 0x00, 0x0c,\n      // entry_size\n      0x75, 0x72, 0x6c, 0x20,\n      // 'url' type\n      0x00,\n      // version 0\n      0x00, 0x00, 0x01 // entry_flags\n      ]);\n      SMHD = new Uint8Array([0x00,\n      // version\n      0x00, 0x00, 0x00,\n      // flags\n      0x00, 0x00,\n      // balance, 0 means centered\n      0x00, 0x00 // reserved\n      ]);\n      STCO = new Uint8Array([0x00,\n      // version\n      0x00, 0x00, 0x00,\n      // flags\n      0x00, 0x00, 0x00, 0x00 // entry_count\n      ]);\n      STSC = STCO;\n      STSZ = new Uint8Array([0x00,\n      // version\n      0x00, 0x00, 0x00,\n      // flags\n      0x00, 0x00, 0x00, 0x00,\n      // sample_size\n      0x00, 0x00, 0x00, 0x00 // sample_count\n      ]);\n      STTS = STCO;\n      VMHD = new Uint8Array([0x00,\n      // version\n      0x00, 0x00, 0x01,\n      // flags\n      0x00, 0x00,\n      // graphicsmode\n      0x00, 0x00, 0x00, 0x00, 0x00, 0x00 // opcolor\n      ]);\n    })();\n    box = function (type) {\n      var payload = [],\n        size = 0,\n        i,\n        result,\n        view;\n      for (i = 1; i < arguments.length; i++) {\n        payload.push(arguments[i]);\n      }\n      i = payload.length; // calculate the total size we need to allocate\n\n      while (i--) {\n        size += payload[i].byteLength;\n      }\n      result = new Uint8Array(size + 8);\n      view = new DataView(result.buffer, result.byteOffset, result.byteLength);\n      view.setUint32(0, result.byteLength);\n      result.set(type, 4); // copy the payload into the result\n\n      for (i = 0, size = 8; i < payload.length; i++) {\n        result.set(payload[i], size);\n        size += payload[i].byteLength;\n      }\n      return result;\n    };\n    dinf = function () {\n      return box(types.dinf, box(types.dref, DREF));\n    };\n    esds = function (track) {\n      return box(types.esds, new Uint8Array([0x00,\n      // version\n      0x00, 0x00, 0x00,\n      // flags\n      // ES_Descriptor\n      0x03,\n      // tag, ES_DescrTag\n      0x19,\n      // length\n      0x00, 0x00,\n      // ES_ID\n      0x00,\n      // streamDependenceFlag, URL_flag, reserved, streamPriority\n      // DecoderConfigDescriptor\n      0x04,\n      // tag, DecoderConfigDescrTag\n      0x11,\n      // length\n      0x40,\n      // object type\n      0x15,\n      // streamType\n      0x00, 0x06, 0x00,\n      // bufferSizeDB\n      0x00, 0x00, 0xda, 0xc0,\n      // maxBitrate\n      0x00, 0x00, 0xda, 0xc0,\n      // avgBitrate\n      // DecoderSpecificInfo\n      0x05,\n      // tag, DecoderSpecificInfoTag\n      0x02,\n      // length\n      // ISO/IEC 14496-3, AudioSpecificConfig\n      // for samplingFrequencyIndex see ISO/IEC 13818-7:2006, 8.1.3.2.2, Table 35\n      track.audioobjecttype << 3 | track.samplingfrequencyindex >>> 1, track.samplingfrequencyindex << 7 | track.channelcount << 3, 0x06, 0x01, 0x02 // GASpecificConfig\n      ]));\n    };\n    ftyp = function () {\n      return box(types.ftyp, MAJOR_BRAND, MINOR_VERSION, MAJOR_BRAND, AVC1_BRAND);\n    };\n    hdlr = function (type) {\n      return box(types.hdlr, HDLR_TYPES[type]);\n    };\n    mdat = function (data) {\n      return box(types.mdat, data);\n    };\n    mdhd = function (track) {\n      var result = new Uint8Array([0x00,\n      // version 0\n      0x00, 0x00, 0x00,\n      // flags\n      0x00, 0x00, 0x00, 0x02,\n      // creation_time\n      0x00, 0x00, 0x00, 0x03,\n      // modification_time\n      0x00, 0x01, 0x5f, 0x90,\n      // timescale, 90,000 \"ticks\" per second\n      track.duration >>> 24 & 0xFF, track.duration >>> 16 & 0xFF, track.duration >>> 8 & 0xFF, track.duration & 0xFF,\n      // duration\n      0x55, 0xc4,\n      // 'und' language (undetermined)\n      0x00, 0x00]); // Use the sample rate from the track metadata, when it is\n      // defined. The sample rate can be parsed out of an ADTS header, for\n      // instance.\n\n      if (track.samplerate) {\n        result[12] = track.samplerate >>> 24 & 0xFF;\n        result[13] = track.samplerate >>> 16 & 0xFF;\n        result[14] = track.samplerate >>> 8 & 0xFF;\n        result[15] = track.samplerate & 0xFF;\n      }\n      return box(types.mdhd, result);\n    };\n    mdia = function (track) {\n      return box(types.mdia, mdhd(track), hdlr(track.type), minf(track));\n    };\n    mfhd = function (sequenceNumber) {\n      return box(types.mfhd, new Uint8Array([0x00, 0x00, 0x00, 0x00,\n      // flags\n      (sequenceNumber & 0xFF000000) >> 24, (sequenceNumber & 0xFF0000) >> 16, (sequenceNumber & 0xFF00) >> 8, sequenceNumber & 0xFF // sequence_number\n      ]));\n    };\n    minf = function (track) {\n      return box(types.minf, track.type === 'video' ? box(types.vmhd, VMHD) : box(types.smhd, SMHD), dinf(), stbl(track));\n    };\n    moof = function (sequenceNumber, tracks) {\n      var trackFragments = [],\n        i = tracks.length; // build traf boxes for each track fragment\n\n      while (i--) {\n        trackFragments[i] = traf(tracks[i]);\n      }\n      return box.apply(null, [types.moof, mfhd(sequenceNumber)].concat(trackFragments));\n    };\n    /**\n     * Returns a movie box.\n     * @param tracks {array} the tracks associated with this movie\n     * @see ISO/IEC 14496-12:2012(E), section 8.2.1\n     */\n\n    moov = function (tracks) {\n      var i = tracks.length,\n        boxes = [];\n      while (i--) {\n        boxes[i] = trak(tracks[i]);\n      }\n      return box.apply(null, [types.moov, mvhd(0xffffffff)].concat(boxes).concat(mvex(tracks)));\n    };\n    mvex = function (tracks) {\n      var i = tracks.length,\n        boxes = [];\n      while (i--) {\n        boxes[i] = trex(tracks[i]);\n      }\n      return box.apply(null, [types.mvex].concat(boxes));\n    };\n    mvhd = function (duration) {\n      var bytes = new Uint8Array([0x00,\n      // version 0\n      0x00, 0x00, 0x00,\n      // flags\n      0x00, 0x00, 0x00, 0x01,\n      // creation_time\n      0x00, 0x00, 0x00, 0x02,\n      // modification_time\n      0x00, 0x01, 0x5f, 0x90,\n      // timescale, 90,000 \"ticks\" per second\n      (duration & 0xFF000000) >> 24, (duration & 0xFF0000) >> 16, (duration & 0xFF00) >> 8, duration & 0xFF,\n      // duration\n      0x00, 0x01, 0x00, 0x00,\n      // 1.0 rate\n      0x01, 0x00,\n      // 1.0 volume\n      0x00, 0x00,\n      // reserved\n      0x00, 0x00, 0x00, 0x00,\n      // reserved\n      0x00, 0x00, 0x00, 0x00,\n      // reserved\n      0x00, 0x01, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x01, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x40, 0x00, 0x00, 0x00,\n      // transformation: unity matrix\n      0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00,\n      // pre_defined\n      0xff, 0xff, 0xff, 0xff // next_track_ID\n      ]);\n      return box(types.mvhd, bytes);\n    };\n    sdtp = function (track) {\n      var samples = track.samples || [],\n        bytes = new Uint8Array(4 + samples.length),\n        flags,\n        i; // leave the full box header (4 bytes) all zero\n      // write the sample table\n\n      for (i = 0; i < samples.length; i++) {\n        flags = samples[i].flags;\n        bytes[i + 4] = flags.dependsOn << 4 | flags.isDependedOn << 2 | flags.hasRedundancy;\n      }\n      return box(types.sdtp, bytes);\n    };\n    stbl = function (track) {\n      return box(types.stbl, stsd(track), box(types.stts, STTS), box(types.stsc, STSC), box(types.stsz, STSZ), box(types.stco, STCO));\n    };\n    (function () {\n      var videoSample, audioSample;\n      stsd = function (track) {\n        return box(types.stsd, new Uint8Array([0x00,\n        // version 0\n        0x00, 0x00, 0x00,\n        // flags\n        0x00, 0x00, 0x00, 0x01]), track.type === 'video' ? videoSample(track) : audioSample(track));\n      };\n      videoSample = function (track) {\n        var sps = track.sps || [],\n          pps = track.pps || [],\n          sequenceParameterSets = [],\n          pictureParameterSets = [],\n          i,\n          avc1Box; // assemble the SPSs\n\n        for (i = 0; i < sps.length; i++) {\n          sequenceParameterSets.push((sps[i].byteLength & 0xFF00) >>> 8);\n          sequenceParameterSets.push(sps[i].byteLength & 0xFF); // sequenceParameterSetLength\n\n          sequenceParameterSets = sequenceParameterSets.concat(Array.prototype.slice.call(sps[i])); // SPS\n        } // assemble the PPSs\n\n        for (i = 0; i < pps.length; i++) {\n          pictureParameterSets.push((pps[i].byteLength & 0xFF00) >>> 8);\n          pictureParameterSets.push(pps[i].byteLength & 0xFF);\n          pictureParameterSets = pictureParameterSets.concat(Array.prototype.slice.call(pps[i]));\n        }\n        avc1Box = [types.avc1, new Uint8Array([0x00, 0x00, 0x00, 0x00, 0x00, 0x00,\n        // reserved\n        0x00, 0x01,\n        // data_reference_index\n        0x00, 0x00,\n        // pre_defined\n        0x00, 0x00,\n        // reserved\n        0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00,\n        // pre_defined\n        (track.width & 0xff00) >> 8, track.width & 0xff,\n        // width\n        (track.height & 0xff00) >> 8, track.height & 0xff,\n        // height\n        0x00, 0x48, 0x00, 0x00,\n        // horizresolution\n        0x00, 0x48, 0x00, 0x00,\n        // vertresolution\n        0x00, 0x00, 0x00, 0x00,\n        // reserved\n        0x00, 0x01,\n        // frame_count\n        0x13, 0x76, 0x69, 0x64, 0x65, 0x6f, 0x6a, 0x73, 0x2d, 0x63, 0x6f, 0x6e, 0x74, 0x72, 0x69, 0x62, 0x2d, 0x68, 0x6c, 0x73, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00,\n        // compressorname\n        0x00, 0x18,\n        // depth = 24\n        0x11, 0x11 // pre_defined = -1\n        ]), box(types.avcC, new Uint8Array([0x01,\n        // configurationVersion\n        track.profileIdc,\n        // AVCProfileIndication\n        track.profileCompatibility,\n        // profile_compatibility\n        track.levelIdc,\n        // AVCLevelIndication\n        0xff // lengthSizeMinusOne, hard-coded to 4 bytes\n        ].concat([sps.length],\n        // numOfSequenceParameterSets\n        sequenceParameterSets,\n        // \"SPS\"\n        [pps.length],\n        // numOfPictureParameterSets\n        pictureParameterSets // \"PPS\"\n        ))), box(types.btrt, new Uint8Array([0x00, 0x1c, 0x9c, 0x80,\n        // bufferSizeDB\n        0x00, 0x2d, 0xc6, 0xc0,\n        // maxBitrate\n        0x00, 0x2d, 0xc6, 0xc0 // avgBitrate\n        ]))];\n        if (track.sarRatio) {\n          var hSpacing = track.sarRatio[0],\n            vSpacing = track.sarRatio[1];\n          avc1Box.push(box(types.pasp, new Uint8Array([(hSpacing & 0xFF000000) >> 24, (hSpacing & 0xFF0000) >> 16, (hSpacing & 0xFF00) >> 8, hSpacing & 0xFF, (vSpacing & 0xFF000000) >> 24, (vSpacing & 0xFF0000) >> 16, (vSpacing & 0xFF00) >> 8, vSpacing & 0xFF])));\n        }\n        return box.apply(null, avc1Box);\n      };\n      audioSample = function (track) {\n        return box(types.mp4a, new Uint8Array([\n        // SampleEntry, ISO/IEC 14496-12\n        0x00, 0x00, 0x00, 0x00, 0x00, 0x00,\n        // reserved\n        0x00, 0x01,\n        // data_reference_index\n        // AudioSampleEntry, ISO/IEC 14496-12\n        0x00, 0x00, 0x00, 0x00,\n        // reserved\n        0x00, 0x00, 0x00, 0x00,\n        // reserved\n        (track.channelcount & 0xff00) >> 8, track.channelcount & 0xff,\n        // channelcount\n        (track.samplesize & 0xff00) >> 8, track.samplesize & 0xff,\n        // samplesize\n        0x00, 0x00,\n        // pre_defined\n        0x00, 0x00,\n        // reserved\n        (track.samplerate & 0xff00) >> 8, track.samplerate & 0xff, 0x00, 0x00 // samplerate, 16.16\n        // MP4AudioSampleEntry, ISO/IEC 14496-14\n        ]), esds(track));\n      };\n    })();\n    tkhd = function (track) {\n      var result = new Uint8Array([0x00,\n      // version 0\n      0x00, 0x00, 0x07,\n      // flags\n      0x00, 0x00, 0x00, 0x00,\n      // creation_time\n      0x00, 0x00, 0x00, 0x00,\n      // modification_time\n      (track.id & 0xFF000000) >> 24, (track.id & 0xFF0000) >> 16, (track.id & 0xFF00) >> 8, track.id & 0xFF,\n      // track_ID\n      0x00, 0x00, 0x00, 0x00,\n      // reserved\n      (track.duration & 0xFF000000) >> 24, (track.duration & 0xFF0000) >> 16, (track.duration & 0xFF00) >> 8, track.duration & 0xFF,\n      // duration\n      0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00,\n      // reserved\n      0x00, 0x00,\n      // layer\n      0x00, 0x00,\n      // alternate_group\n      0x01, 0x00,\n      // non-audio track volume\n      0x00, 0x00,\n      // reserved\n      0x00, 0x01, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x01, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x40, 0x00, 0x00, 0x00,\n      // transformation: unity matrix\n      (track.width & 0xFF00) >> 8, track.width & 0xFF, 0x00, 0x00,\n      // width\n      (track.height & 0xFF00) >> 8, track.height & 0xFF, 0x00, 0x00 // height\n      ]);\n      return box(types.tkhd, result);\n    };\n    /**\n     * Generate a track fragment (traf) box. A traf box collects metadata\n     * about tracks in a movie fragment (moof) box.\n     */\n\n    traf = function (track) {\n      var trackFragmentHeader, trackFragmentDecodeTime, trackFragmentRun, sampleDependencyTable, dataOffset, upperWordBaseMediaDecodeTime, lowerWordBaseMediaDecodeTime;\n      trackFragmentHeader = box(types.tfhd, new Uint8Array([0x00,\n      // version 0\n      0x00, 0x00, 0x3a,\n      // flags\n      (track.id & 0xFF000000) >> 24, (track.id & 0xFF0000) >> 16, (track.id & 0xFF00) >> 8, track.id & 0xFF,\n      // track_ID\n      0x00, 0x00, 0x00, 0x01,\n      // sample_description_index\n      0x00, 0x00, 0x00, 0x00,\n      // default_sample_duration\n      0x00, 0x00, 0x00, 0x00,\n      // default_sample_size\n      0x00, 0x00, 0x00, 0x00 // default_sample_flags\n      ]));\n      upperWordBaseMediaDecodeTime = Math.floor(track.baseMediaDecodeTime / MAX_UINT32);\n      lowerWordBaseMediaDecodeTime = Math.floor(track.baseMediaDecodeTime % MAX_UINT32);\n      trackFragmentDecodeTime = box(types.tfdt, new Uint8Array([0x01,\n      // version 1\n      0x00, 0x00, 0x00,\n      // flags\n      // baseMediaDecodeTime\n      upperWordBaseMediaDecodeTime >>> 24 & 0xFF, upperWordBaseMediaDecodeTime >>> 16 & 0xFF, upperWordBaseMediaDecodeTime >>> 8 & 0xFF, upperWordBaseMediaDecodeTime & 0xFF, lowerWordBaseMediaDecodeTime >>> 24 & 0xFF, lowerWordBaseMediaDecodeTime >>> 16 & 0xFF, lowerWordBaseMediaDecodeTime >>> 8 & 0xFF, lowerWordBaseMediaDecodeTime & 0xFF])); // the data offset specifies the number of bytes from the start of\n      // the containing moof to the first payload byte of the associated\n      // mdat\n\n      dataOffset = 32 +\n      // tfhd\n      20 +\n      // tfdt\n      8 +\n      // traf header\n      16 +\n      // mfhd\n      8 +\n      // moof header\n      8; // mdat header\n      // audio tracks require less metadata\n\n      if (track.type === 'audio') {\n        trackFragmentRun = trun$1(track, dataOffset);\n        return box(types.traf, trackFragmentHeader, trackFragmentDecodeTime, trackFragmentRun);\n      } // video tracks should contain an independent and disposable samples\n      // box (sdtp)\n      // generate one and adjust offsets to match\n\n      sampleDependencyTable = sdtp(track);\n      trackFragmentRun = trun$1(track, sampleDependencyTable.length + dataOffset);\n      return box(types.traf, trackFragmentHeader, trackFragmentDecodeTime, trackFragmentRun, sampleDependencyTable);\n    };\n    /**\n     * Generate a track box.\n     * @param track {object} a track definition\n     * @return {Uint8Array} the track box\n     */\n\n    trak = function (track) {\n      track.duration = track.duration || 0xffffffff;\n      return box(types.trak, tkhd(track), mdia(track));\n    };\n    trex = function (track) {\n      var result = new Uint8Array([0x00,\n      // version 0\n      0x00, 0x00, 0x00,\n      // flags\n      (track.id & 0xFF000000) >> 24, (track.id & 0xFF0000) >> 16, (track.id & 0xFF00) >> 8, track.id & 0xFF,\n      // track_ID\n      0x00, 0x00, 0x00, 0x01,\n      // default_sample_description_index\n      0x00, 0x00, 0x00, 0x00,\n      // default_sample_duration\n      0x00, 0x00, 0x00, 0x00,\n      // default_sample_size\n      0x00, 0x01, 0x00, 0x01 // default_sample_flags\n      ]); // the last two bytes of default_sample_flags is the sample\n      // degradation priority, a hint about the importance of this sample\n      // relative to others. Lower the degradation priority for all sample\n      // types other than video.\n\n      if (track.type !== 'video') {\n        result[result.length - 1] = 0x00;\n      }\n      return box(types.trex, result);\n    };\n    (function () {\n      var audioTrun, videoTrun, trunHeader; // This method assumes all samples are uniform. That is, if a\n      // duration is present for the first sample, it will be present for\n      // all subsequent samples.\n      // see ISO/IEC 14496-12:2012, Section 8.8.8.1\n\n      trunHeader = function (samples, offset) {\n        var durationPresent = 0,\n          sizePresent = 0,\n          flagsPresent = 0,\n          compositionTimeOffset = 0; // trun flag constants\n\n        if (samples.length) {\n          if (samples[0].duration !== undefined) {\n            durationPresent = 0x1;\n          }\n          if (samples[0].size !== undefined) {\n            sizePresent = 0x2;\n          }\n          if (samples[0].flags !== undefined) {\n            flagsPresent = 0x4;\n          }\n          if (samples[0].compositionTimeOffset !== undefined) {\n            compositionTimeOffset = 0x8;\n          }\n        }\n        return [0x00,\n        // version 0\n        0x00, durationPresent | sizePresent | flagsPresent | compositionTimeOffset, 0x01,\n        // flags\n        (samples.length & 0xFF000000) >>> 24, (samples.length & 0xFF0000) >>> 16, (samples.length & 0xFF00) >>> 8, samples.length & 0xFF,\n        // sample_count\n        (offset & 0xFF000000) >>> 24, (offset & 0xFF0000) >>> 16, (offset & 0xFF00) >>> 8, offset & 0xFF // data_offset\n        ];\n      };\n      videoTrun = function (track, offset) {\n        var bytesOffest, bytes, header, samples, sample, i;\n        samples = track.samples || [];\n        offset += 8 + 12 + 16 * samples.length;\n        header = trunHeader(samples, offset);\n        bytes = new Uint8Array(header.length + samples.length * 16);\n        bytes.set(header);\n        bytesOffest = header.length;\n        for (i = 0; i < samples.length; i++) {\n          sample = samples[i];\n          bytes[bytesOffest++] = (sample.duration & 0xFF000000) >>> 24;\n          bytes[bytesOffest++] = (sample.duration & 0xFF0000) >>> 16;\n          bytes[bytesOffest++] = (sample.duration & 0xFF00) >>> 8;\n          bytes[bytesOffest++] = sample.duration & 0xFF; // sample_duration\n\n          bytes[bytesOffest++] = (sample.size & 0xFF000000) >>> 24;\n          bytes[bytesOffest++] = (sample.size & 0xFF0000) >>> 16;\n          bytes[bytesOffest++] = (sample.size & 0xFF00) >>> 8;\n          bytes[bytesOffest++] = sample.size & 0xFF; // sample_size\n\n          bytes[bytesOffest++] = sample.flags.isLeading << 2 | sample.flags.dependsOn;\n          bytes[bytesOffest++] = sample.flags.isDependedOn << 6 | sample.flags.hasRedundancy << 4 | sample.flags.paddingValue << 1 | sample.flags.isNonSyncSample;\n          bytes[bytesOffest++] = sample.flags.degradationPriority & 0xF0 << 8;\n          bytes[bytesOffest++] = sample.flags.degradationPriority & 0x0F; // sample_flags\n\n          bytes[bytesOffest++] = (sample.compositionTimeOffset & 0xFF000000) >>> 24;\n          bytes[bytesOffest++] = (sample.compositionTimeOffset & 0xFF0000) >>> 16;\n          bytes[bytesOffest++] = (sample.compositionTimeOffset & 0xFF00) >>> 8;\n          bytes[bytesOffest++] = sample.compositionTimeOffset & 0xFF; // sample_composition_time_offset\n        }\n        return box(types.trun, bytes);\n      };\n      audioTrun = function (track, offset) {\n        var bytes, bytesOffest, header, samples, sample, i;\n        samples = track.samples || [];\n        offset += 8 + 12 + 8 * samples.length;\n        header = trunHeader(samples, offset);\n        bytes = new Uint8Array(header.length + samples.length * 8);\n        bytes.set(header);\n        bytesOffest = header.length;\n        for (i = 0; i < samples.length; i++) {\n          sample = samples[i];\n          bytes[bytesOffest++] = (sample.duration & 0xFF000000) >>> 24;\n          bytes[bytesOffest++] = (sample.duration & 0xFF0000) >>> 16;\n          bytes[bytesOffest++] = (sample.duration & 0xFF00) >>> 8;\n          bytes[bytesOffest++] = sample.duration & 0xFF; // sample_duration\n\n          bytes[bytesOffest++] = (sample.size & 0xFF000000) >>> 24;\n          bytes[bytesOffest++] = (sample.size & 0xFF0000) >>> 16;\n          bytes[bytesOffest++] = (sample.size & 0xFF00) >>> 8;\n          bytes[bytesOffest++] = sample.size & 0xFF; // sample_size\n        }\n        return box(types.trun, bytes);\n      };\n      trun$1 = function (track, offset) {\n        if (track.type === 'audio') {\n          return audioTrun(track, offset);\n        }\n        return videoTrun(track, offset);\n      };\n    })();\n    var mp4Generator = {\n      ftyp: ftyp,\n      mdat: mdat,\n      moof: moof,\n      moov: moov,\n      initSegment: function (tracks) {\n        var fileType = ftyp(),\n          movie = moov(tracks),\n          result;\n        result = new Uint8Array(fileType.byteLength + movie.byteLength);\n        result.set(fileType);\n        result.set(movie, fileType.byteLength);\n        return result;\n      }\n    };\n    /**\n     * mux.js\n     *\n     * Copyright (c) Brightcove\n     * Licensed Apache-2.0 https://github.com/videojs/mux.js/blob/master/LICENSE\n     */\n    // composed of the nal units that make up that frame\n    // Also keep track of cummulative data about the frame from the nal units such\n    // as the frame duration, starting pts, etc.\n\n    var groupNalsIntoFrames = function (nalUnits) {\n      var i,\n        currentNal,\n        currentFrame = [],\n        frames = []; // TODO added for LHLS, make sure this is OK\n\n      frames.byteLength = 0;\n      frames.nalCount = 0;\n      frames.duration = 0;\n      currentFrame.byteLength = 0;\n      for (i = 0; i < nalUnits.length; i++) {\n        currentNal = nalUnits[i]; // Split on 'aud'-type nal units\n\n        if (currentNal.nalUnitType === 'access_unit_delimiter_rbsp') {\n          // Since the very first nal unit is expected to be an AUD\n          // only push to the frames array when currentFrame is not empty\n          if (currentFrame.length) {\n            currentFrame.duration = currentNal.dts - currentFrame.dts; // TODO added for LHLS, make sure this is OK\n\n            frames.byteLength += currentFrame.byteLength;\n            frames.nalCount += currentFrame.length;\n            frames.duration += currentFrame.duration;\n            frames.push(currentFrame);\n          }\n          currentFrame = [currentNal];\n          currentFrame.byteLength = currentNal.data.byteLength;\n          currentFrame.pts = currentNal.pts;\n          currentFrame.dts = currentNal.dts;\n        } else {\n          // Specifically flag key frames for ease of use later\n          if (currentNal.nalUnitType === 'slice_layer_without_partitioning_rbsp_idr') {\n            currentFrame.keyFrame = true;\n          }\n          currentFrame.duration = currentNal.dts - currentFrame.dts;\n          currentFrame.byteLength += currentNal.data.byteLength;\n          currentFrame.push(currentNal);\n        }\n      } // For the last frame, use the duration of the previous frame if we\n      // have nothing better to go on\n\n      if (frames.length && (!currentFrame.duration || currentFrame.duration <= 0)) {\n        currentFrame.duration = frames[frames.length - 1].duration;\n      } // Push the final frame\n      // TODO added for LHLS, make sure this is OK\n\n      frames.byteLength += currentFrame.byteLength;\n      frames.nalCount += currentFrame.length;\n      frames.duration += currentFrame.duration;\n      frames.push(currentFrame);\n      return frames;\n    }; // Convert an array of frames into an array of Gop with each Gop being composed\n    // of the frames that make up that Gop\n    // Also keep track of cummulative data about the Gop from the frames such as the\n    // Gop duration, starting pts, etc.\n\n    var groupFramesIntoGops = function (frames) {\n      var i,\n        currentFrame,\n        currentGop = [],\n        gops = []; // We must pre-set some of the values on the Gop since we\n      // keep running totals of these values\n\n      currentGop.byteLength = 0;\n      currentGop.nalCount = 0;\n      currentGop.duration = 0;\n      currentGop.pts = frames[0].pts;\n      currentGop.dts = frames[0].dts; // store some metadata about all the Gops\n\n      gops.byteLength = 0;\n      gops.nalCount = 0;\n      gops.duration = 0;\n      gops.pts = frames[0].pts;\n      gops.dts = frames[0].dts;\n      for (i = 0; i < frames.length; i++) {\n        currentFrame = frames[i];\n        if (currentFrame.keyFrame) {\n          // Since the very first frame is expected to be an keyframe\n          // only push to the gops array when currentGop is not empty\n          if (currentGop.length) {\n            gops.push(currentGop);\n            gops.byteLength += currentGop.byteLength;\n            gops.nalCount += currentGop.nalCount;\n            gops.duration += currentGop.duration;\n          }\n          currentGop = [currentFrame];\n          currentGop.nalCount = currentFrame.length;\n          currentGop.byteLength = currentFrame.byteLength;\n          currentGop.pts = currentFrame.pts;\n          currentGop.dts = currentFrame.dts;\n          currentGop.duration = currentFrame.duration;\n        } else {\n          currentGop.duration += currentFrame.duration;\n          currentGop.nalCount += currentFrame.length;\n          currentGop.byteLength += currentFrame.byteLength;\n          currentGop.push(currentFrame);\n        }\n      }\n      if (gops.length && currentGop.duration <= 0) {\n        currentGop.duration = gops[gops.length - 1].duration;\n      }\n      gops.byteLength += currentGop.byteLength;\n      gops.nalCount += currentGop.nalCount;\n      gops.duration += currentGop.duration; // push the final Gop\n\n      gops.push(currentGop);\n      return gops;\n    };\n    /*\n     * Search for the first keyframe in the GOPs and throw away all frames\n     * until that keyframe. Then extend the duration of the pulled keyframe\n     * and pull the PTS and DTS of the keyframe so that it covers the time\n     * range of the frames that were disposed.\n     *\n     * @param {Array} gops video GOPs\n     * @returns {Array} modified video GOPs\n     */\n\n    var extendFirstKeyFrame = function (gops) {\n      var currentGop;\n      if (!gops[0][0].keyFrame && gops.length > 1) {\n        // Remove the first GOP\n        currentGop = gops.shift();\n        gops.byteLength -= currentGop.byteLength;\n        gops.nalCount -= currentGop.nalCount; // Extend the first frame of what is now the\n        // first gop to cover the time period of the\n        // frames we just removed\n\n        gops[0][0].dts = currentGop.dts;\n        gops[0][0].pts = currentGop.pts;\n        gops[0][0].duration += currentGop.duration;\n      }\n      return gops;\n    };\n    /**\n     * Default sample object\n     * see ISO/IEC 14496-12:2012, section 8.6.4.3\n     */\n\n    var createDefaultSample = function () {\n      return {\n        size: 0,\n        flags: {\n          isLeading: 0,\n          dependsOn: 1,\n          isDependedOn: 0,\n          hasRedundancy: 0,\n          degradationPriority: 0,\n          isNonSyncSample: 1\n        }\n      };\n    };\n    /*\n     * Collates information from a video frame into an object for eventual\n     * entry into an MP4 sample table.\n     *\n     * @param {Object} frame the video frame\n     * @param {Number} dataOffset the byte offset to position the sample\n     * @return {Object} object containing sample table info for a frame\n     */\n\n    var sampleForFrame = function (frame, dataOffset) {\n      var sample = createDefaultSample();\n      sample.dataOffset = dataOffset;\n      sample.compositionTimeOffset = frame.pts - frame.dts;\n      sample.duration = frame.duration;\n      sample.size = 4 * frame.length; // Space for nal unit size\n\n      sample.size += frame.byteLength;\n      if (frame.keyFrame) {\n        sample.flags.dependsOn = 2;\n        sample.flags.isNonSyncSample = 0;\n      }\n      return sample;\n    }; // generate the track's sample table from an array of gops\n\n    var generateSampleTable$1 = function (gops, baseDataOffset) {\n      var h,\n        i,\n        sample,\n        currentGop,\n        currentFrame,\n        dataOffset = baseDataOffset || 0,\n        samples = [];\n      for (h = 0; h < gops.length; h++) {\n        currentGop = gops[h];\n        for (i = 0; i < currentGop.length; i++) {\n          currentFrame = currentGop[i];\n          sample = sampleForFrame(currentFrame, dataOffset);\n          dataOffset += sample.size;\n          samples.push(sample);\n        }\n      }\n      return samples;\n    }; // generate the track's raw mdat data from an array of gops\n\n    var concatenateNalData = function (gops) {\n      var h,\n        i,\n        j,\n        currentGop,\n        currentFrame,\n        currentNal,\n        dataOffset = 0,\n        nalsByteLength = gops.byteLength,\n        numberOfNals = gops.nalCount,\n        totalByteLength = nalsByteLength + 4 * numberOfNals,\n        data = new Uint8Array(totalByteLength),\n        view = new DataView(data.buffer); // For each Gop..\n\n      for (h = 0; h < gops.length; h++) {\n        currentGop = gops[h]; // For each Frame..\n\n        for (i = 0; i < currentGop.length; i++) {\n          currentFrame = currentGop[i]; // For each NAL..\n\n          for (j = 0; j < currentFrame.length; j++) {\n            currentNal = currentFrame[j];\n            view.setUint32(dataOffset, currentNal.data.byteLength);\n            dataOffset += 4;\n            data.set(currentNal.data, dataOffset);\n            dataOffset += currentNal.data.byteLength;\n          }\n        }\n      }\n      return data;\n    }; // generate the track's sample table from a frame\n\n    var generateSampleTableForFrame = function (frame, baseDataOffset) {\n      var sample,\n        dataOffset = baseDataOffset || 0,\n        samples = [];\n      sample = sampleForFrame(frame, dataOffset);\n      samples.push(sample);\n      return samples;\n    }; // generate the track's raw mdat data from a frame\n\n    var concatenateNalDataForFrame = function (frame) {\n      var i,\n        currentNal,\n        dataOffset = 0,\n        nalsByteLength = frame.byteLength,\n        numberOfNals = frame.length,\n        totalByteLength = nalsByteLength + 4 * numberOfNals,\n        data = new Uint8Array(totalByteLength),\n        view = new DataView(data.buffer); // For each NAL..\n\n      for (i = 0; i < frame.length; i++) {\n        currentNal = frame[i];\n        view.setUint32(dataOffset, currentNal.data.byteLength);\n        dataOffset += 4;\n        data.set(currentNal.data, dataOffset);\n        dataOffset += currentNal.data.byteLength;\n      }\n      return data;\n    };\n    var frameUtils$1 = {\n      groupNalsIntoFrames: groupNalsIntoFrames,\n      groupFramesIntoGops: groupFramesIntoGops,\n      extendFirstKeyFrame: extendFirstKeyFrame,\n      generateSampleTable: generateSampleTable$1,\n      concatenateNalData: concatenateNalData,\n      generateSampleTableForFrame: generateSampleTableForFrame,\n      concatenateNalDataForFrame: concatenateNalDataForFrame\n    };\n    /**\n     * mux.js\n     *\n     * Copyright (c) Brightcove\n     * Licensed Apache-2.0 https://github.com/videojs/mux.js/blob/master/LICENSE\n     */\n\n    var highPrefix = [33, 16, 5, 32, 164, 27];\n    var lowPrefix = [33, 65, 108, 84, 1, 2, 4, 8, 168, 2, 4, 8, 17, 191, 252];\n    var zeroFill = function (count) {\n      var a = [];\n      while (count--) {\n        a.push(0);\n      }\n      return a;\n    };\n    var makeTable = function (metaTable) {\n      return Object.keys(metaTable).reduce(function (obj, key) {\n        obj[key] = new Uint8Array(metaTable[key].reduce(function (arr, part) {\n          return arr.concat(part);\n        }, []));\n        return obj;\n      }, {});\n    };\n    var silence;\n    var silence_1 = function () {\n      if (!silence) {\n        // Frames-of-silence to use for filling in missing AAC frames\n        var coneOfSilence = {\n          96000: [highPrefix, [227, 64], zeroFill(154), [56]],\n          88200: [highPrefix, [231], zeroFill(170), [56]],\n          64000: [highPrefix, [248, 192], zeroFill(240), [56]],\n          48000: [highPrefix, [255, 192], zeroFill(268), [55, 148, 128], zeroFill(54), [112]],\n          44100: [highPrefix, [255, 192], zeroFill(268), [55, 163, 128], zeroFill(84), [112]],\n          32000: [highPrefix, [255, 192], zeroFill(268), [55, 234], zeroFill(226), [112]],\n          24000: [highPrefix, [255, 192], zeroFill(268), [55, 255, 128], zeroFill(268), [111, 112], zeroFill(126), [224]],\n          16000: [highPrefix, [255, 192], zeroFill(268), [55, 255, 128], zeroFill(268), [111, 255], zeroFill(269), [223, 108], zeroFill(195), [1, 192]],\n          12000: [lowPrefix, zeroFill(268), [3, 127, 248], zeroFill(268), [6, 255, 240], zeroFill(268), [13, 255, 224], zeroFill(268), [27, 253, 128], zeroFill(259), [56]],\n          11025: [lowPrefix, zeroFill(268), [3, 127, 248], zeroFill(268), [6, 255, 240], zeroFill(268), [13, 255, 224], zeroFill(268), [27, 255, 192], zeroFill(268), [55, 175, 128], zeroFill(108), [112]],\n          8000: [lowPrefix, zeroFill(268), [3, 121, 16], zeroFill(47), [7]]\n        };\n        silence = makeTable(coneOfSilence);\n      }\n      return silence;\n    };\n    /**\n     * mux.js\n     *\n     * Copyright (c) Brightcove\n     * Licensed Apache-2.0 https://github.com/videojs/mux.js/blob/master/LICENSE\n     */\n\n    var ONE_SECOND_IN_TS$4 = 90000,\n      // 90kHz clock\n      secondsToVideoTs,\n      secondsToAudioTs,\n      videoTsToSeconds,\n      audioTsToSeconds,\n      audioTsToVideoTs,\n      videoTsToAudioTs,\n      metadataTsToSeconds;\n    secondsToVideoTs = function (seconds) {\n      return seconds * ONE_SECOND_IN_TS$4;\n    };\n    secondsToAudioTs = function (seconds, sampleRate) {\n      return seconds * sampleRate;\n    };\n    videoTsToSeconds = function (timestamp) {\n      return timestamp / ONE_SECOND_IN_TS$4;\n    };\n    audioTsToSeconds = function (timestamp, sampleRate) {\n      return timestamp / sampleRate;\n    };\n    audioTsToVideoTs = function (timestamp, sampleRate) {\n      return secondsToVideoTs(audioTsToSeconds(timestamp, sampleRate));\n    };\n    videoTsToAudioTs = function (timestamp, sampleRate) {\n      return secondsToAudioTs(videoTsToSeconds(timestamp), sampleRate);\n    };\n    /**\n     * Adjust ID3 tag or caption timing information by the timeline pts values\n     * (if keepOriginalTimestamps is false) and convert to seconds\n     */\n\n    metadataTsToSeconds = function (timestamp, timelineStartPts, keepOriginalTimestamps) {\n      return videoTsToSeconds(keepOriginalTimestamps ? timestamp : timestamp - timelineStartPts);\n    };\n    var clock$2 = {\n      ONE_SECOND_IN_TS: ONE_SECOND_IN_TS$4,\n      secondsToVideoTs: secondsToVideoTs,\n      secondsToAudioTs: secondsToAudioTs,\n      videoTsToSeconds: videoTsToSeconds,\n      audioTsToSeconds: audioTsToSeconds,\n      audioTsToVideoTs: audioTsToVideoTs,\n      videoTsToAudioTs: videoTsToAudioTs,\n      metadataTsToSeconds: metadataTsToSeconds\n    };\n    /**\n     * mux.js\n     *\n     * Copyright (c) Brightcove\n     * Licensed Apache-2.0 https://github.com/videojs/mux.js/blob/master/LICENSE\n     */\n\n    var coneOfSilence = silence_1;\n    var clock$1 = clock$2;\n    /**\n     * Sum the `byteLength` properties of the data in each AAC frame\n     */\n\n    var sumFrameByteLengths = function (array) {\n      var i,\n        currentObj,\n        sum = 0; // sum the byteLength's all each nal unit in the frame\n\n      for (i = 0; i < array.length; i++) {\n        currentObj = array[i];\n        sum += currentObj.data.byteLength;\n      }\n      return sum;\n    }; // Possibly pad (prefix) the audio track with silence if appending this track\n    // would lead to the introduction of a gap in the audio buffer\n\n    var prefixWithSilence = function (track, frames, audioAppendStartTs, videoBaseMediaDecodeTime) {\n      var baseMediaDecodeTimeTs,\n        frameDuration = 0,\n        audioGapDuration = 0,\n        audioFillFrameCount = 0,\n        audioFillDuration = 0,\n        silentFrame,\n        i,\n        firstFrame;\n      if (!frames.length) {\n        return;\n      }\n      baseMediaDecodeTimeTs = clock$1.audioTsToVideoTs(track.baseMediaDecodeTime, track.samplerate); // determine frame clock duration based on sample rate, round up to avoid overfills\n\n      frameDuration = Math.ceil(clock$1.ONE_SECOND_IN_TS / (track.samplerate / 1024));\n      if (audioAppendStartTs && videoBaseMediaDecodeTime) {\n        // insert the shortest possible amount (audio gap or audio to video gap)\n        audioGapDuration = baseMediaDecodeTimeTs - Math.max(audioAppendStartTs, videoBaseMediaDecodeTime); // number of full frames in the audio gap\n\n        audioFillFrameCount = Math.floor(audioGapDuration / frameDuration);\n        audioFillDuration = audioFillFrameCount * frameDuration;\n      } // don't attempt to fill gaps smaller than a single frame or larger\n      // than a half second\n\n      if (audioFillFrameCount < 1 || audioFillDuration > clock$1.ONE_SECOND_IN_TS / 2) {\n        return;\n      }\n      silentFrame = coneOfSilence()[track.samplerate];\n      if (!silentFrame) {\n        // we don't have a silent frame pregenerated for the sample rate, so use a frame\n        // from the content instead\n        silentFrame = frames[0].data;\n      }\n      for (i = 0; i < audioFillFrameCount; i++) {\n        firstFrame = frames[0];\n        frames.splice(0, 0, {\n          data: silentFrame,\n          dts: firstFrame.dts - frameDuration,\n          pts: firstFrame.pts - frameDuration\n        });\n      }\n      track.baseMediaDecodeTime -= Math.floor(clock$1.videoTsToAudioTs(audioFillDuration, track.samplerate));\n      return audioFillDuration;\n    }; // If the audio segment extends before the earliest allowed dts\n    // value, remove AAC frames until starts at or after the earliest\n    // allowed DTS so that we don't end up with a negative baseMedia-\n    // DecodeTime for the audio track\n\n    var trimAdtsFramesByEarliestDts = function (adtsFrames, track, earliestAllowedDts) {\n      if (track.minSegmentDts >= earliestAllowedDts) {\n        return adtsFrames;\n      } // We will need to recalculate the earliest segment Dts\n\n      track.minSegmentDts = Infinity;\n      return adtsFrames.filter(function (currentFrame) {\n        // If this is an allowed frame, keep it and record it's Dts\n        if (currentFrame.dts >= earliestAllowedDts) {\n          track.minSegmentDts = Math.min(track.minSegmentDts, currentFrame.dts);\n          track.minSegmentPts = track.minSegmentDts;\n          return true;\n        } // Otherwise, discard it\n\n        return false;\n      });\n    }; // generate the track's raw mdat data from an array of frames\n\n    var generateSampleTable = function (frames) {\n      var i,\n        currentFrame,\n        samples = [];\n      for (i = 0; i < frames.length; i++) {\n        currentFrame = frames[i];\n        samples.push({\n          size: currentFrame.data.byteLength,\n          duration: 1024 // For AAC audio, all samples contain 1024 samples\n        });\n      }\n      return samples;\n    }; // generate the track's sample table from an array of frames\n\n    var concatenateFrameData = function (frames) {\n      var i,\n        currentFrame,\n        dataOffset = 0,\n        data = new Uint8Array(sumFrameByteLengths(frames));\n      for (i = 0; i < frames.length; i++) {\n        currentFrame = frames[i];\n        data.set(currentFrame.data, dataOffset);\n        dataOffset += currentFrame.data.byteLength;\n      }\n      return data;\n    };\n    var audioFrameUtils$1 = {\n      prefixWithSilence: prefixWithSilence,\n      trimAdtsFramesByEarliestDts: trimAdtsFramesByEarliestDts,\n      generateSampleTable: generateSampleTable,\n      concatenateFrameData: concatenateFrameData\n    };\n    /**\n     * mux.js\n     *\n     * Copyright (c) Brightcove\n     * Licensed Apache-2.0 https://github.com/videojs/mux.js/blob/master/LICENSE\n     */\n\n    var ONE_SECOND_IN_TS$3 = clock$2.ONE_SECOND_IN_TS;\n    /**\n     * Store information about the start and end of the track and the\n     * duration for each frame/sample we process in order to calculate\n     * the baseMediaDecodeTime\n     */\n\n    var collectDtsInfo = function (track, data) {\n      if (typeof data.pts === 'number') {\n        if (track.timelineStartInfo.pts === undefined) {\n          track.timelineStartInfo.pts = data.pts;\n        }\n        if (track.minSegmentPts === undefined) {\n          track.minSegmentPts = data.pts;\n        } else {\n          track.minSegmentPts = Math.min(track.minSegmentPts, data.pts);\n        }\n        if (track.maxSegmentPts === undefined) {\n          track.maxSegmentPts = data.pts;\n        } else {\n          track.maxSegmentPts = Math.max(track.maxSegmentPts, data.pts);\n        }\n      }\n      if (typeof data.dts === 'number') {\n        if (track.timelineStartInfo.dts === undefined) {\n          track.timelineStartInfo.dts = data.dts;\n        }\n        if (track.minSegmentDts === undefined) {\n          track.minSegmentDts = data.dts;\n        } else {\n          track.minSegmentDts = Math.min(track.minSegmentDts, data.dts);\n        }\n        if (track.maxSegmentDts === undefined) {\n          track.maxSegmentDts = data.dts;\n        } else {\n          track.maxSegmentDts = Math.max(track.maxSegmentDts, data.dts);\n        }\n      }\n    };\n    /**\n     * Clear values used to calculate the baseMediaDecodeTime between\n     * tracks\n     */\n\n    var clearDtsInfo = function (track) {\n      delete track.minSegmentDts;\n      delete track.maxSegmentDts;\n      delete track.minSegmentPts;\n      delete track.maxSegmentPts;\n    };\n    /**\n     * Calculate the track's baseMediaDecodeTime based on the earliest\n     * DTS the transmuxer has ever seen and the minimum DTS for the\n     * current track\n     * @param track {object} track metadata configuration\n     * @param keepOriginalTimestamps {boolean} If true, keep the timestamps\n     *        in the source; false to adjust the first segment to start at 0.\n     */\n\n    var calculateTrackBaseMediaDecodeTime = function (track, keepOriginalTimestamps) {\n      var baseMediaDecodeTime,\n        scale,\n        minSegmentDts = track.minSegmentDts; // Optionally adjust the time so the first segment starts at zero.\n\n      if (!keepOriginalTimestamps) {\n        minSegmentDts -= track.timelineStartInfo.dts;\n      } // track.timelineStartInfo.baseMediaDecodeTime is the location, in time, where\n      // we want the start of the first segment to be placed\n\n      baseMediaDecodeTime = track.timelineStartInfo.baseMediaDecodeTime; // Add to that the distance this segment is from the very first\n\n      baseMediaDecodeTime += minSegmentDts; // baseMediaDecodeTime must not become negative\n\n      baseMediaDecodeTime = Math.max(0, baseMediaDecodeTime);\n      if (track.type === 'audio') {\n        // Audio has a different clock equal to the sampling_rate so we need to\n        // scale the PTS values into the clock rate of the track\n        scale = track.samplerate / ONE_SECOND_IN_TS$3;\n        baseMediaDecodeTime *= scale;\n        baseMediaDecodeTime = Math.floor(baseMediaDecodeTime);\n      }\n      return baseMediaDecodeTime;\n    };\n    var trackDecodeInfo$1 = {\n      clearDtsInfo: clearDtsInfo,\n      calculateTrackBaseMediaDecodeTime: calculateTrackBaseMediaDecodeTime,\n      collectDtsInfo: collectDtsInfo\n    };\n    /**\n     * mux.js\n     *\n     * Copyright (c) Brightcove\n     * Licensed Apache-2.0 https://github.com/videojs/mux.js/blob/master/LICENSE\n     *\n     * Reads in-band caption information from a video elementary\n     * stream. Captions must follow the CEA-708 standard for injection\n     * into an MPEG-2 transport streams.\n     * @see https://en.wikipedia.org/wiki/CEA-708\n     * @see https://www.gpo.gov/fdsys/pkg/CFR-2007-title47-vol1/pdf/CFR-2007-title47-vol1-sec15-119.pdf\n     */\n    // payload type field to indicate how they are to be\n    // interpreted. CEAS-708 caption content is always transmitted with\n    // payload type 0x04.\n\n    var USER_DATA_REGISTERED_ITU_T_T35 = 4,\n      RBSP_TRAILING_BITS = 128;\n    /**\n      * Parse a supplemental enhancement information (SEI) NAL unit.\n      * Stops parsing once a message of type ITU T T35 has been found.\n      *\n      * @param bytes {Uint8Array} the bytes of a SEI NAL unit\n      * @return {object} the parsed SEI payload\n      * @see Rec. ITU-T H.264, 7.3.2.3.1\n      */\n\n    var parseSei = function (bytes) {\n      var i = 0,\n        result = {\n          payloadType: -1,\n          payloadSize: 0\n        },\n        payloadType = 0,\n        payloadSize = 0; // go through the sei_rbsp parsing each each individual sei_message\n\n      while (i < bytes.byteLength) {\n        // stop once we have hit the end of the sei_rbsp\n        if (bytes[i] === RBSP_TRAILING_BITS) {\n          break;\n        } // Parse payload type\n\n        while (bytes[i] === 0xFF) {\n          payloadType += 255;\n          i++;\n        }\n        payloadType += bytes[i++]; // Parse payload size\n\n        while (bytes[i] === 0xFF) {\n          payloadSize += 255;\n          i++;\n        }\n        payloadSize += bytes[i++]; // this sei_message is a 608/708 caption so save it and break\n        // there can only ever be one caption message in a frame's sei\n\n        if (!result.payload && payloadType === USER_DATA_REGISTERED_ITU_T_T35) {\n          var userIdentifier = String.fromCharCode(bytes[i + 3], bytes[i + 4], bytes[i + 5], bytes[i + 6]);\n          if (userIdentifier === 'GA94') {\n            result.payloadType = payloadType;\n            result.payloadSize = payloadSize;\n            result.payload = bytes.subarray(i, i + payloadSize);\n            break;\n          } else {\n            result.payload = void 0;\n          }\n        } // skip the payload and parse the next message\n\n        i += payloadSize;\n        payloadType = 0;\n        payloadSize = 0;\n      }\n      return result;\n    }; // see ANSI/SCTE 128-1 (2013), section 8.1\n\n    var parseUserData = function (sei) {\n      // itu_t_t35_contry_code must be 181 (United States) for\n      // captions\n      if (sei.payload[0] !== 181) {\n        return null;\n      } // itu_t_t35_provider_code should be 49 (ATSC) for captions\n\n      if ((sei.payload[1] << 8 | sei.payload[2]) !== 49) {\n        return null;\n      } // the user_identifier should be \"GA94\" to indicate ATSC1 data\n\n      if (String.fromCharCode(sei.payload[3], sei.payload[4], sei.payload[5], sei.payload[6]) !== 'GA94') {\n        return null;\n      } // finally, user_data_type_code should be 0x03 for caption data\n\n      if (sei.payload[7] !== 0x03) {\n        return null;\n      } // return the user_data_type_structure and strip the trailing\n      // marker bits\n\n      return sei.payload.subarray(8, sei.payload.length - 1);\n    }; // see CEA-708-D, section 4.4\n\n    var parseCaptionPackets = function (pts, userData) {\n      var results = [],\n        i,\n        count,\n        offset,\n        data; // if this is just filler, return immediately\n\n      if (!(userData[0] & 0x40)) {\n        return results;\n      } // parse out the cc_data_1 and cc_data_2 fields\n\n      count = userData[0] & 0x1f;\n      for (i = 0; i < count; i++) {\n        offset = i * 3;\n        data = {\n          type: userData[offset + 2] & 0x03,\n          pts: pts\n        }; // capture cc data when cc_valid is 1\n\n        if (userData[offset + 2] & 0x04) {\n          data.ccData = userData[offset + 3] << 8 | userData[offset + 4];\n          results.push(data);\n        }\n      }\n      return results;\n    };\n    var discardEmulationPreventionBytes$1 = function (data) {\n      var length = data.byteLength,\n        emulationPreventionBytesPositions = [],\n        i = 1,\n        newLength,\n        newData; // Find all `Emulation Prevention Bytes`\n\n      while (i < length - 2) {\n        if (data[i] === 0 && data[i + 1] === 0 && data[i + 2] === 0x03) {\n          emulationPreventionBytesPositions.push(i + 2);\n          i += 2;\n        } else {\n          i++;\n        }\n      } // If no Emulation Prevention Bytes were found just return the original\n      // array\n\n      if (emulationPreventionBytesPositions.length === 0) {\n        return data;\n      } // Create a new array to hold the NAL unit data\n\n      newLength = length - emulationPreventionBytesPositions.length;\n      newData = new Uint8Array(newLength);\n      var sourceIndex = 0;\n      for (i = 0; i < newLength; sourceIndex++, i++) {\n        if (sourceIndex === emulationPreventionBytesPositions[0]) {\n          // Skip this byte\n          sourceIndex++; // Remove this position index\n\n          emulationPreventionBytesPositions.shift();\n        }\n        newData[i] = data[sourceIndex];\n      }\n      return newData;\n    }; // exports\n\n    var captionPacketParser = {\n      parseSei: parseSei,\n      parseUserData: parseUserData,\n      parseCaptionPackets: parseCaptionPackets,\n      discardEmulationPreventionBytes: discardEmulationPreventionBytes$1,\n      USER_DATA_REGISTERED_ITU_T_T35: USER_DATA_REGISTERED_ITU_T_T35\n    };\n    /**\n     * mux.js\n     *\n     * Copyright (c) Brightcove\n     * Licensed Apache-2.0 https://github.com/videojs/mux.js/blob/master/LICENSE\n     *\n     * Reads in-band caption information from a video elementary\n     * stream. Captions must follow the CEA-708 standard for injection\n     * into an MPEG-2 transport streams.\n     * @see https://en.wikipedia.org/wiki/CEA-708\n     * @see https://www.gpo.gov/fdsys/pkg/CFR-2007-title47-vol1/pdf/CFR-2007-title47-vol1-sec15-119.pdf\n     */\n    // Link To Transport\n    // -----------------\n\n    var Stream$7 = stream;\n    var cea708Parser = captionPacketParser;\n    var CaptionStream$2 = function (options) {\n      options = options || {};\n      CaptionStream$2.prototype.init.call(this); // parse708captions flag, default to true\n\n      this.parse708captions_ = typeof options.parse708captions === 'boolean' ? options.parse708captions : true;\n      this.captionPackets_ = [];\n      this.ccStreams_ = [new Cea608Stream(0, 0),\n      // eslint-disable-line no-use-before-define\n      new Cea608Stream(0, 1),\n      // eslint-disable-line no-use-before-define\n      new Cea608Stream(1, 0),\n      // eslint-disable-line no-use-before-define\n      new Cea608Stream(1, 1) // eslint-disable-line no-use-before-define\n      ];\n      if (this.parse708captions_) {\n        this.cc708Stream_ = new Cea708Stream({\n          captionServices: options.captionServices\n        }); // eslint-disable-line no-use-before-define\n      }\n      this.reset(); // forward data and done events from CCs to this CaptionStream\n\n      this.ccStreams_.forEach(function (cc) {\n        cc.on('data', this.trigger.bind(this, 'data'));\n        cc.on('partialdone', this.trigger.bind(this, 'partialdone'));\n        cc.on('done', this.trigger.bind(this, 'done'));\n      }, this);\n      if (this.parse708captions_) {\n        this.cc708Stream_.on('data', this.trigger.bind(this, 'data'));\n        this.cc708Stream_.on('partialdone', this.trigger.bind(this, 'partialdone'));\n        this.cc708Stream_.on('done', this.trigger.bind(this, 'done'));\n      }\n    };\n    CaptionStream$2.prototype = new Stream$7();\n    CaptionStream$2.prototype.push = function (event) {\n      var sei, userData, newCaptionPackets; // only examine SEI NALs\n\n      if (event.nalUnitType !== 'sei_rbsp') {\n        return;\n      } // parse the sei\n\n      sei = cea708Parser.parseSei(event.escapedRBSP); // no payload data, skip\n\n      if (!sei.payload) {\n        return;\n      } // ignore everything but user_data_registered_itu_t_t35\n\n      if (sei.payloadType !== cea708Parser.USER_DATA_REGISTERED_ITU_T_T35) {\n        return;\n      } // parse out the user data payload\n\n      userData = cea708Parser.parseUserData(sei); // ignore unrecognized userData\n\n      if (!userData) {\n        return;\n      } // Sometimes, the same segment # will be downloaded twice. To stop the\n      // caption data from being processed twice, we track the latest dts we've\n      // received and ignore everything with a dts before that. However, since\n      // data for a specific dts can be split across packets on either side of\n      // a segment boundary, we need to make sure we *don't* ignore the packets\n      // from the *next* segment that have dts === this.latestDts_. By constantly\n      // tracking the number of packets received with dts === this.latestDts_, we\n      // know how many should be ignored once we start receiving duplicates.\n\n      if (event.dts < this.latestDts_) {\n        // We've started getting older data, so set the flag.\n        this.ignoreNextEqualDts_ = true;\n        return;\n      } else if (event.dts === this.latestDts_ && this.ignoreNextEqualDts_) {\n        this.numSameDts_--;\n        if (!this.numSameDts_) {\n          // We've received the last duplicate packet, time to start processing again\n          this.ignoreNextEqualDts_ = false;\n        }\n        return;\n      } // parse out CC data packets and save them for later\n\n      newCaptionPackets = cea708Parser.parseCaptionPackets(event.pts, userData);\n      this.captionPackets_ = this.captionPackets_.concat(newCaptionPackets);\n      if (this.latestDts_ !== event.dts) {\n        this.numSameDts_ = 0;\n      }\n      this.numSameDts_++;\n      this.latestDts_ = event.dts;\n    };\n    CaptionStream$2.prototype.flushCCStreams = function (flushType) {\n      this.ccStreams_.forEach(function (cc) {\n        return flushType === 'flush' ? cc.flush() : cc.partialFlush();\n      }, this);\n    };\n    CaptionStream$2.prototype.flushStream = function (flushType) {\n      // make sure we actually parsed captions before proceeding\n      if (!this.captionPackets_.length) {\n        this.flushCCStreams(flushType);\n        return;\n      } // In Chrome, the Array#sort function is not stable so add a\n      // presortIndex that we can use to ensure we get a stable-sort\n\n      this.captionPackets_.forEach(function (elem, idx) {\n        elem.presortIndex = idx;\n      }); // sort caption byte-pairs based on their PTS values\n\n      this.captionPackets_.sort(function (a, b) {\n        if (a.pts === b.pts) {\n          return a.presortIndex - b.presortIndex;\n        }\n        return a.pts - b.pts;\n      });\n      this.captionPackets_.forEach(function (packet) {\n        if (packet.type < 2) {\n          // Dispatch packet to the right Cea608Stream\n          this.dispatchCea608Packet(packet);\n        } else {\n          // Dispatch packet to the Cea708Stream\n          this.dispatchCea708Packet(packet);\n        }\n      }, this);\n      this.captionPackets_.length = 0;\n      this.flushCCStreams(flushType);\n    };\n    CaptionStream$2.prototype.flush = function () {\n      return this.flushStream('flush');\n    }; // Only called if handling partial data\n\n    CaptionStream$2.prototype.partialFlush = function () {\n      return this.flushStream('partialFlush');\n    };\n    CaptionStream$2.prototype.reset = function () {\n      this.latestDts_ = null;\n      this.ignoreNextEqualDts_ = false;\n      this.numSameDts_ = 0;\n      this.activeCea608Channel_ = [null, null];\n      this.ccStreams_.forEach(function (ccStream) {\n        ccStream.reset();\n      });\n    }; // From the CEA-608 spec:\n\n    /*\n     * When XDS sub-packets are interleaved with other services, the end of each sub-packet shall be followed\n     * by a control pair to change to a different service. When any of the control codes from 0x10 to 0x1F is\n     * used to begin a control code pair, it indicates the return to captioning or Text data. The control code pair\n     * and subsequent data should then be processed according to the FCC rules. It may be necessary for the\n     * line 21 data encoder to automatically insert a control code pair (i.e. RCL, RU2, RU3, RU4, RDC, or RTD)\n     * to switch to captioning or Text.\n    */\n    // With that in mind, we ignore any data between an XDS control code and a\n    // subsequent closed-captioning control code.\n\n    CaptionStream$2.prototype.dispatchCea608Packet = function (packet) {\n      // NOTE: packet.type is the CEA608 field\n      if (this.setsTextOrXDSActive(packet)) {\n        this.activeCea608Channel_[packet.type] = null;\n      } else if (this.setsChannel1Active(packet)) {\n        this.activeCea608Channel_[packet.type] = 0;\n      } else if (this.setsChannel2Active(packet)) {\n        this.activeCea608Channel_[packet.type] = 1;\n      }\n      if (this.activeCea608Channel_[packet.type] === null) {\n        // If we haven't received anything to set the active channel, or the\n        // packets are Text/XDS data, discard the data; we don't want jumbled\n        // captions\n        return;\n      }\n      this.ccStreams_[(packet.type << 1) + this.activeCea608Channel_[packet.type]].push(packet);\n    };\n    CaptionStream$2.prototype.setsChannel1Active = function (packet) {\n      return (packet.ccData & 0x7800) === 0x1000;\n    };\n    CaptionStream$2.prototype.setsChannel2Active = function (packet) {\n      return (packet.ccData & 0x7800) === 0x1800;\n    };\n    CaptionStream$2.prototype.setsTextOrXDSActive = function (packet) {\n      return (packet.ccData & 0x7100) === 0x0100 || (packet.ccData & 0x78fe) === 0x102a || (packet.ccData & 0x78fe) === 0x182a;\n    };\n    CaptionStream$2.prototype.dispatchCea708Packet = function (packet) {\n      if (this.parse708captions_) {\n        this.cc708Stream_.push(packet);\n      }\n    }; // ----------------------\n    // Session to Application\n    // ----------------------\n    // This hash maps special and extended character codes to their\n    // proper Unicode equivalent. The first one-byte key is just a\n    // non-standard character code. The two-byte keys that follow are\n    // the extended CEA708 character codes, along with the preceding\n    // 0x10 extended character byte to distinguish these codes from\n    // non-extended character codes. Every CEA708 character code that\n    // is not in this object maps directly to a standard unicode\n    // character code.\n    // The transparent space and non-breaking transparent space are\n    // technically not fully supported since there is no code to\n    // make them transparent, so they have normal non-transparent\n    // stand-ins.\n    // The special closed caption (CC) character isn't a standard\n    // unicode character, so a fairly similar unicode character was\n    // chosen in it's place.\n\n    var CHARACTER_TRANSLATION_708 = {\n      0x7f: 0x266a,\n      // ♪\n      0x1020: 0x20,\n      // Transparent Space\n      0x1021: 0xa0,\n      // Nob-breaking Transparent Space\n      0x1025: 0x2026,\n      // …\n      0x102a: 0x0160,\n      // Š\n      0x102c: 0x0152,\n      // Œ\n      0x1030: 0x2588,\n      // █\n      0x1031: 0x2018,\n      // ‘\n      0x1032: 0x2019,\n      // ’\n      0x1033: 0x201c,\n      // “\n      0x1034: 0x201d,\n      // ”\n      0x1035: 0x2022,\n      // •\n      0x1039: 0x2122,\n      // ™\n      0x103a: 0x0161,\n      // š\n      0x103c: 0x0153,\n      // œ\n      0x103d: 0x2120,\n      // ℠\n      0x103f: 0x0178,\n      // Ÿ\n      0x1076: 0x215b,\n      // ⅛\n      0x1077: 0x215c,\n      // ⅜\n      0x1078: 0x215d,\n      // ⅝\n      0x1079: 0x215e,\n      // ⅞\n      0x107a: 0x23d0,\n      // ⏐\n      0x107b: 0x23a4,\n      // ⎤\n      0x107c: 0x23a3,\n      // ⎣\n      0x107d: 0x23af,\n      // ⎯\n      0x107e: 0x23a6,\n      // ⎦\n      0x107f: 0x23a1,\n      // ⎡\n      0x10a0: 0x3138 // ㄸ (CC char)\n    };\n    var get708CharFromCode = function (code) {\n      var newCode = CHARACTER_TRANSLATION_708[code] || code;\n      if (code & 0x1000 && code === newCode) {\n        // Invalid extended code\n        return '';\n      }\n      return String.fromCharCode(newCode);\n    };\n    var within708TextBlock = function (b) {\n      return 0x20 <= b && b <= 0x7f || 0xa0 <= b && b <= 0xff;\n    };\n    var Cea708Window = function (windowNum) {\n      this.windowNum = windowNum;\n      this.reset();\n    };\n    Cea708Window.prototype.reset = function () {\n      this.clearText();\n      this.pendingNewLine = false;\n      this.winAttr = {};\n      this.penAttr = {};\n      this.penLoc = {};\n      this.penColor = {}; // These default values are arbitrary,\n      // defineWindow will usually override them\n\n      this.visible = 0;\n      this.rowLock = 0;\n      this.columnLock = 0;\n      this.priority = 0;\n      this.relativePositioning = 0;\n      this.anchorVertical = 0;\n      this.anchorHorizontal = 0;\n      this.anchorPoint = 0;\n      this.rowCount = 1;\n      this.virtualRowCount = this.rowCount + 1;\n      this.columnCount = 41;\n      this.windowStyle = 0;\n      this.penStyle = 0;\n    };\n    Cea708Window.prototype.getText = function () {\n      return this.rows.join('\\n');\n    };\n    Cea708Window.prototype.clearText = function () {\n      this.rows = [''];\n      this.rowIdx = 0;\n    };\n    Cea708Window.prototype.newLine = function (pts) {\n      if (this.rows.length >= this.virtualRowCount && typeof this.beforeRowOverflow === 'function') {\n        this.beforeRowOverflow(pts);\n      }\n      if (this.rows.length > 0) {\n        this.rows.push('');\n        this.rowIdx++;\n      } // Show all virtual rows since there's no visible scrolling\n\n      while (this.rows.length > this.virtualRowCount) {\n        this.rows.shift();\n        this.rowIdx--;\n      }\n    };\n    Cea708Window.prototype.isEmpty = function () {\n      if (this.rows.length === 0) {\n        return true;\n      } else if (this.rows.length === 1) {\n        return this.rows[0] === '';\n      }\n      return false;\n    };\n    Cea708Window.prototype.addText = function (text) {\n      this.rows[this.rowIdx] += text;\n    };\n    Cea708Window.prototype.backspace = function () {\n      if (!this.isEmpty()) {\n        var row = this.rows[this.rowIdx];\n        this.rows[this.rowIdx] = row.substr(0, row.length - 1);\n      }\n    };\n    var Cea708Service = function (serviceNum, encoding, stream) {\n      this.serviceNum = serviceNum;\n      this.text = '';\n      this.currentWindow = new Cea708Window(-1);\n      this.windows = [];\n      this.stream = stream; // Try to setup a TextDecoder if an `encoding` value was provided\n\n      if (typeof encoding === 'string') {\n        this.createTextDecoder(encoding);\n      }\n    };\n    /**\n     * Initialize service windows\n     * Must be run before service use\n     *\n     * @param  {Integer}  pts               PTS value\n     * @param  {Function} beforeRowOverflow Function to execute before row overflow of a window\n     */\n\n    Cea708Service.prototype.init = function (pts, beforeRowOverflow) {\n      this.startPts = pts;\n      for (var win = 0; win < 8; win++) {\n        this.windows[win] = new Cea708Window(win);\n        if (typeof beforeRowOverflow === 'function') {\n          this.windows[win].beforeRowOverflow = beforeRowOverflow;\n        }\n      }\n    };\n    /**\n     * Set current window of service to be affected by commands\n     *\n     * @param  {Integer} windowNum Window number\n     */\n\n    Cea708Service.prototype.setCurrentWindow = function (windowNum) {\n      this.currentWindow = this.windows[windowNum];\n    };\n    /**\n     * Try to create a TextDecoder if it is natively supported\n     */\n\n    Cea708Service.prototype.createTextDecoder = function (encoding) {\n      if (typeof TextDecoder === 'undefined') {\n        this.stream.trigger('log', {\n          level: 'warn',\n          message: 'The `encoding` option is unsupported without TextDecoder support'\n        });\n      } else {\n        try {\n          this.textDecoder_ = new TextDecoder(encoding);\n        } catch (error) {\n          this.stream.trigger('log', {\n            level: 'warn',\n            message: 'TextDecoder could not be created with ' + encoding + ' encoding. ' + error\n          });\n        }\n      }\n    };\n    var Cea708Stream = function (options) {\n      options = options || {};\n      Cea708Stream.prototype.init.call(this);\n      var self = this;\n      var captionServices = options.captionServices || {};\n      var captionServiceEncodings = {};\n      var serviceProps; // Get service encodings from captionServices option block\n\n      Object.keys(captionServices).forEach(serviceName => {\n        serviceProps = captionServices[serviceName];\n        if (/^SERVICE/.test(serviceName)) {\n          captionServiceEncodings[serviceName] = serviceProps.encoding;\n        }\n      });\n      this.serviceEncodings = captionServiceEncodings;\n      this.current708Packet = null;\n      this.services = {};\n      this.push = function (packet) {\n        if (packet.type === 3) {\n          // 708 packet start\n          self.new708Packet();\n          self.add708Bytes(packet);\n        } else {\n          if (self.current708Packet === null) {\n            // This should only happen at the start of a file if there's no packet start.\n            self.new708Packet();\n          }\n          self.add708Bytes(packet);\n        }\n      };\n    };\n    Cea708Stream.prototype = new Stream$7();\n    /**\n     * Push current 708 packet, create new 708 packet.\n     */\n\n    Cea708Stream.prototype.new708Packet = function () {\n      if (this.current708Packet !== null) {\n        this.push708Packet();\n      }\n      this.current708Packet = {\n        data: [],\n        ptsVals: []\n      };\n    };\n    /**\n     * Add pts and both bytes from packet into current 708 packet.\n     */\n\n    Cea708Stream.prototype.add708Bytes = function (packet) {\n      var data = packet.ccData;\n      var byte0 = data >>> 8;\n      var byte1 = data & 0xff; // I would just keep a list of packets instead of bytes, but it isn't clear in the spec\n      // that service blocks will always line up with byte pairs.\n\n      this.current708Packet.ptsVals.push(packet.pts);\n      this.current708Packet.data.push(byte0);\n      this.current708Packet.data.push(byte1);\n    };\n    /**\n     * Parse completed 708 packet into service blocks and push each service block.\n     */\n\n    Cea708Stream.prototype.push708Packet = function () {\n      var packet708 = this.current708Packet;\n      var packetData = packet708.data;\n      var serviceNum = null;\n      var blockSize = null;\n      var i = 0;\n      var b = packetData[i++];\n      packet708.seq = b >> 6;\n      packet708.sizeCode = b & 0x3f; // 0b00111111;\n\n      for (; i < packetData.length; i++) {\n        b = packetData[i++];\n        serviceNum = b >> 5;\n        blockSize = b & 0x1f; // 0b00011111\n\n        if (serviceNum === 7 && blockSize > 0) {\n          // Extended service num\n          b = packetData[i++];\n          serviceNum = b;\n        }\n        this.pushServiceBlock(serviceNum, i, blockSize);\n        if (blockSize > 0) {\n          i += blockSize - 1;\n        }\n      }\n    };\n    /**\n     * Parse service block, execute commands, read text.\n     *\n     * Note: While many of these commands serve important purposes,\n     * many others just parse out the parameters or attributes, but\n     * nothing is done with them because this is not a full and complete\n     * implementation of the entire 708 spec.\n     *\n     * @param  {Integer} serviceNum Service number\n     * @param  {Integer} start      Start index of the 708 packet data\n     * @param  {Integer} size       Block size\n     */\n\n    Cea708Stream.prototype.pushServiceBlock = function (serviceNum, start, size) {\n      var b;\n      var i = start;\n      var packetData = this.current708Packet.data;\n      var service = this.services[serviceNum];\n      if (!service) {\n        service = this.initService(serviceNum, i);\n      }\n      for (; i < start + size && i < packetData.length; i++) {\n        b = packetData[i];\n        if (within708TextBlock(b)) {\n          i = this.handleText(i, service);\n        } else if (b === 0x18) {\n          i = this.multiByteCharacter(i, service);\n        } else if (b === 0x10) {\n          i = this.extendedCommands(i, service);\n        } else if (0x80 <= b && b <= 0x87) {\n          i = this.setCurrentWindow(i, service);\n        } else if (0x98 <= b && b <= 0x9f) {\n          i = this.defineWindow(i, service);\n        } else if (b === 0x88) {\n          i = this.clearWindows(i, service);\n        } else if (b === 0x8c) {\n          i = this.deleteWindows(i, service);\n        } else if (b === 0x89) {\n          i = this.displayWindows(i, service);\n        } else if (b === 0x8a) {\n          i = this.hideWindows(i, service);\n        } else if (b === 0x8b) {\n          i = this.toggleWindows(i, service);\n        } else if (b === 0x97) {\n          i = this.setWindowAttributes(i, service);\n        } else if (b === 0x90) {\n          i = this.setPenAttributes(i, service);\n        } else if (b === 0x91) {\n          i = this.setPenColor(i, service);\n        } else if (b === 0x92) {\n          i = this.setPenLocation(i, service);\n        } else if (b === 0x8f) {\n          service = this.reset(i, service);\n        } else if (b === 0x08) {\n          // BS: Backspace\n          service.currentWindow.backspace();\n        } else if (b === 0x0c) {\n          // FF: Form feed\n          service.currentWindow.clearText();\n        } else if (b === 0x0d) {\n          // CR: Carriage return\n          service.currentWindow.pendingNewLine = true;\n        } else if (b === 0x0e) {\n          // HCR: Horizontal carriage return\n          service.currentWindow.clearText();\n        } else if (b === 0x8d) {\n          // DLY: Delay, nothing to do\n          i++;\n        } else ;\n      }\n    };\n    /**\n     * Execute an extended command\n     *\n     * @param  {Integer} i        Current index in the 708 packet\n     * @param  {Service} service  The service object to be affected\n     * @return {Integer}          New index after parsing\n     */\n\n    Cea708Stream.prototype.extendedCommands = function (i, service) {\n      var packetData = this.current708Packet.data;\n      var b = packetData[++i];\n      if (within708TextBlock(b)) {\n        i = this.handleText(i, service, {\n          isExtended: true\n        });\n      }\n      return i;\n    };\n    /**\n     * Get PTS value of a given byte index\n     *\n     * @param  {Integer} byteIndex  Index of the byte\n     * @return {Integer}            PTS\n     */\n\n    Cea708Stream.prototype.getPts = function (byteIndex) {\n      // There's 1 pts value per 2 bytes\n      return this.current708Packet.ptsVals[Math.floor(byteIndex / 2)];\n    };\n    /**\n     * Initializes a service\n     *\n     * @param  {Integer} serviceNum Service number\n     * @return {Service}            Initialized service object\n     */\n\n    Cea708Stream.prototype.initService = function (serviceNum, i) {\n      var serviceName = 'SERVICE' + serviceNum;\n      var self = this;\n      var serviceName;\n      var encoding;\n      if (serviceName in this.serviceEncodings) {\n        encoding = this.serviceEncodings[serviceName];\n      }\n      this.services[serviceNum] = new Cea708Service(serviceNum, encoding, self);\n      this.services[serviceNum].init(this.getPts(i), function (pts) {\n        self.flushDisplayed(pts, self.services[serviceNum]);\n      });\n      return this.services[serviceNum];\n    };\n    /**\n     * Execute text writing to current window\n     *\n     * @param  {Integer} i        Current index in the 708 packet\n     * @param  {Service} service  The service object to be affected\n     * @return {Integer}          New index after parsing\n     */\n\n    Cea708Stream.prototype.handleText = function (i, service, options) {\n      var isExtended = options && options.isExtended;\n      var isMultiByte = options && options.isMultiByte;\n      var packetData = this.current708Packet.data;\n      var extended = isExtended ? 0x1000 : 0x0000;\n      var currentByte = packetData[i];\n      var nextByte = packetData[i + 1];\n      var win = service.currentWindow;\n      var char;\n      var charCodeArray; // Converts an array of bytes to a unicode hex string.\n\n      function toHexString(byteArray) {\n        return byteArray.map(byte => {\n          return ('0' + (byte & 0xFF).toString(16)).slice(-2);\n        }).join('');\n      }\n      if (isMultiByte) {\n        charCodeArray = [currentByte, nextByte];\n        i++;\n      } else {\n        charCodeArray = [currentByte];\n      } // Use the TextDecoder if one was created for this service\n\n      if (service.textDecoder_ && !isExtended) {\n        char = service.textDecoder_.decode(new Uint8Array(charCodeArray));\n      } else {\n        // We assume any multi-byte char without a decoder is unicode.\n        if (isMultiByte) {\n          const unicode = toHexString(charCodeArray); // Takes a unicode hex string and creates a single character.\n\n          char = String.fromCharCode(parseInt(unicode, 16));\n        } else {\n          char = get708CharFromCode(extended | currentByte);\n        }\n      }\n      if (win.pendingNewLine && !win.isEmpty()) {\n        win.newLine(this.getPts(i));\n      }\n      win.pendingNewLine = false;\n      win.addText(char);\n      return i;\n    };\n    /**\n     * Handle decoding of multibyte character\n     *\n     * @param  {Integer} i        Current index in the 708 packet\n     * @param  {Service} service  The service object to be affected\n     * @return {Integer}          New index after parsing\n     */\n\n    Cea708Stream.prototype.multiByteCharacter = function (i, service) {\n      var packetData = this.current708Packet.data;\n      var firstByte = packetData[i + 1];\n      var secondByte = packetData[i + 2];\n      if (within708TextBlock(firstByte) && within708TextBlock(secondByte)) {\n        i = this.handleText(++i, service, {\n          isMultiByte: true\n        });\n      }\n      return i;\n    };\n    /**\n     * Parse and execute the CW# command.\n     *\n     * Set the current window.\n     *\n     * @param  {Integer} i        Current index in the 708 packet\n     * @param  {Service} service  The service object to be affected\n     * @return {Integer}          New index after parsing\n     */\n\n    Cea708Stream.prototype.setCurrentWindow = function (i, service) {\n      var packetData = this.current708Packet.data;\n      var b = packetData[i];\n      var windowNum = b & 0x07;\n      service.setCurrentWindow(windowNum);\n      return i;\n    };\n    /**\n     * Parse and execute the DF# command.\n     *\n     * Define a window and set it as the current window.\n     *\n     * @param  {Integer} i        Current index in the 708 packet\n     * @param  {Service} service  The service object to be affected\n     * @return {Integer}          New index after parsing\n     */\n\n    Cea708Stream.prototype.defineWindow = function (i, service) {\n      var packetData = this.current708Packet.data;\n      var b = packetData[i];\n      var windowNum = b & 0x07;\n      service.setCurrentWindow(windowNum);\n      var win = service.currentWindow;\n      b = packetData[++i];\n      win.visible = (b & 0x20) >> 5; // v\n\n      win.rowLock = (b & 0x10) >> 4; // rl\n\n      win.columnLock = (b & 0x08) >> 3; // cl\n\n      win.priority = b & 0x07; // p\n\n      b = packetData[++i];\n      win.relativePositioning = (b & 0x80) >> 7; // rp\n\n      win.anchorVertical = b & 0x7f; // av\n\n      b = packetData[++i];\n      win.anchorHorizontal = b; // ah\n\n      b = packetData[++i];\n      win.anchorPoint = (b & 0xf0) >> 4; // ap\n\n      win.rowCount = b & 0x0f; // rc\n\n      b = packetData[++i];\n      win.columnCount = b & 0x3f; // cc\n\n      b = packetData[++i];\n      win.windowStyle = (b & 0x38) >> 3; // ws\n\n      win.penStyle = b & 0x07; // ps\n      // The spec says there are (rowCount+1) \"virtual rows\"\n\n      win.virtualRowCount = win.rowCount + 1;\n      return i;\n    };\n    /**\n     * Parse and execute the SWA command.\n     *\n     * Set attributes of the current window.\n     *\n     * @param  {Integer} i        Current index in the 708 packet\n     * @param  {Service} service  The service object to be affected\n     * @return {Integer}          New index after parsing\n     */\n\n    Cea708Stream.prototype.setWindowAttributes = function (i, service) {\n      var packetData = this.current708Packet.data;\n      var b = packetData[i];\n      var winAttr = service.currentWindow.winAttr;\n      b = packetData[++i];\n      winAttr.fillOpacity = (b & 0xc0) >> 6; // fo\n\n      winAttr.fillRed = (b & 0x30) >> 4; // fr\n\n      winAttr.fillGreen = (b & 0x0c) >> 2; // fg\n\n      winAttr.fillBlue = b & 0x03; // fb\n\n      b = packetData[++i];\n      winAttr.borderType = (b & 0xc0) >> 6; // bt\n\n      winAttr.borderRed = (b & 0x30) >> 4; // br\n\n      winAttr.borderGreen = (b & 0x0c) >> 2; // bg\n\n      winAttr.borderBlue = b & 0x03; // bb\n\n      b = packetData[++i];\n      winAttr.borderType += (b & 0x80) >> 5; // bt\n\n      winAttr.wordWrap = (b & 0x40) >> 6; // ww\n\n      winAttr.printDirection = (b & 0x30) >> 4; // pd\n\n      winAttr.scrollDirection = (b & 0x0c) >> 2; // sd\n\n      winAttr.justify = b & 0x03; // j\n\n      b = packetData[++i];\n      winAttr.effectSpeed = (b & 0xf0) >> 4; // es\n\n      winAttr.effectDirection = (b & 0x0c) >> 2; // ed\n\n      winAttr.displayEffect = b & 0x03; // de\n\n      return i;\n    };\n    /**\n     * Gather text from all displayed windows and push a caption to output.\n     *\n     * @param  {Integer} i        Current index in the 708 packet\n     * @param  {Service} service  The service object to be affected\n     */\n\n    Cea708Stream.prototype.flushDisplayed = function (pts, service) {\n      var displayedText = []; // TODO: Positioning not supported, displaying multiple windows will not necessarily\n      // display text in the correct order, but sample files so far have not shown any issue.\n\n      for (var winId = 0; winId < 8; winId++) {\n        if (service.windows[winId].visible && !service.windows[winId].isEmpty()) {\n          displayedText.push(service.windows[winId].getText());\n        }\n      }\n      service.endPts = pts;\n      service.text = displayedText.join('\\n\\n');\n      this.pushCaption(service);\n      service.startPts = pts;\n    };\n    /**\n     * Push a caption to output if the caption contains text.\n     *\n     * @param  {Service} service  The service object to be affected\n     */\n\n    Cea708Stream.prototype.pushCaption = function (service) {\n      if (service.text !== '') {\n        this.trigger('data', {\n          startPts: service.startPts,\n          endPts: service.endPts,\n          text: service.text,\n          stream: 'cc708_' + service.serviceNum\n        });\n        service.text = '';\n        service.startPts = service.endPts;\n      }\n    };\n    /**\n     * Parse and execute the DSW command.\n     *\n     * Set visible property of windows based on the parsed bitmask.\n     *\n     * @param  {Integer} i        Current index in the 708 packet\n     * @param  {Service} service  The service object to be affected\n     * @return {Integer}          New index after parsing\n     */\n\n    Cea708Stream.prototype.displayWindows = function (i, service) {\n      var packetData = this.current708Packet.data;\n      var b = packetData[++i];\n      var pts = this.getPts(i);\n      this.flushDisplayed(pts, service);\n      for (var winId = 0; winId < 8; winId++) {\n        if (b & 0x01 << winId) {\n          service.windows[winId].visible = 1;\n        }\n      }\n      return i;\n    };\n    /**\n     * Parse and execute the HDW command.\n     *\n     * Set visible property of windows based on the parsed bitmask.\n     *\n     * @param  {Integer} i        Current index in the 708 packet\n     * @param  {Service} service  The service object to be affected\n     * @return {Integer}          New index after parsing\n     */\n\n    Cea708Stream.prototype.hideWindows = function (i, service) {\n      var packetData = this.current708Packet.data;\n      var b = packetData[++i];\n      var pts = this.getPts(i);\n      this.flushDisplayed(pts, service);\n      for (var winId = 0; winId < 8; winId++) {\n        if (b & 0x01 << winId) {\n          service.windows[winId].visible = 0;\n        }\n      }\n      return i;\n    };\n    /**\n     * Parse and execute the TGW command.\n     *\n     * Set visible property of windows based on the parsed bitmask.\n     *\n     * @param  {Integer} i        Current index in the 708 packet\n     * @param  {Service} service  The service object to be affected\n     * @return {Integer}          New index after parsing\n     */\n\n    Cea708Stream.prototype.toggleWindows = function (i, service) {\n      var packetData = this.current708Packet.data;\n      var b = packetData[++i];\n      var pts = this.getPts(i);\n      this.flushDisplayed(pts, service);\n      for (var winId = 0; winId < 8; winId++) {\n        if (b & 0x01 << winId) {\n          service.windows[winId].visible ^= 1;\n        }\n      }\n      return i;\n    };\n    /**\n     * Parse and execute the CLW command.\n     *\n     * Clear text of windows based on the parsed bitmask.\n     *\n     * @param  {Integer} i        Current index in the 708 packet\n     * @param  {Service} service  The service object to be affected\n     * @return {Integer}          New index after parsing\n     */\n\n    Cea708Stream.prototype.clearWindows = function (i, service) {\n      var packetData = this.current708Packet.data;\n      var b = packetData[++i];\n      var pts = this.getPts(i);\n      this.flushDisplayed(pts, service);\n      for (var winId = 0; winId < 8; winId++) {\n        if (b & 0x01 << winId) {\n          service.windows[winId].clearText();\n        }\n      }\n      return i;\n    };\n    /**\n     * Parse and execute the DLW command.\n     *\n     * Re-initialize windows based on the parsed bitmask.\n     *\n     * @param  {Integer} i        Current index in the 708 packet\n     * @param  {Service} service  The service object to be affected\n     * @return {Integer}          New index after parsing\n     */\n\n    Cea708Stream.prototype.deleteWindows = function (i, service) {\n      var packetData = this.current708Packet.data;\n      var b = packetData[++i];\n      var pts = this.getPts(i);\n      this.flushDisplayed(pts, service);\n      for (var winId = 0; winId < 8; winId++) {\n        if (b & 0x01 << winId) {\n          service.windows[winId].reset();\n        }\n      }\n      return i;\n    };\n    /**\n     * Parse and execute the SPA command.\n     *\n     * Set pen attributes of the current window.\n     *\n     * @param  {Integer} i        Current index in the 708 packet\n     * @param  {Service} service  The service object to be affected\n     * @return {Integer}          New index after parsing\n     */\n\n    Cea708Stream.prototype.setPenAttributes = function (i, service) {\n      var packetData = this.current708Packet.data;\n      var b = packetData[i];\n      var penAttr = service.currentWindow.penAttr;\n      b = packetData[++i];\n      penAttr.textTag = (b & 0xf0) >> 4; // tt\n\n      penAttr.offset = (b & 0x0c) >> 2; // o\n\n      penAttr.penSize = b & 0x03; // s\n\n      b = packetData[++i];\n      penAttr.italics = (b & 0x80) >> 7; // i\n\n      penAttr.underline = (b & 0x40) >> 6; // u\n\n      penAttr.edgeType = (b & 0x38) >> 3; // et\n\n      penAttr.fontStyle = b & 0x07; // fs\n\n      return i;\n    };\n    /**\n     * Parse and execute the SPC command.\n     *\n     * Set pen color of the current window.\n     *\n     * @param  {Integer} i        Current index in the 708 packet\n     * @param  {Service} service  The service object to be affected\n     * @return {Integer}          New index after parsing\n     */\n\n    Cea708Stream.prototype.setPenColor = function (i, service) {\n      var packetData = this.current708Packet.data;\n      var b = packetData[i];\n      var penColor = service.currentWindow.penColor;\n      b = packetData[++i];\n      penColor.fgOpacity = (b & 0xc0) >> 6; // fo\n\n      penColor.fgRed = (b & 0x30) >> 4; // fr\n\n      penColor.fgGreen = (b & 0x0c) >> 2; // fg\n\n      penColor.fgBlue = b & 0x03; // fb\n\n      b = packetData[++i];\n      penColor.bgOpacity = (b & 0xc0) >> 6; // bo\n\n      penColor.bgRed = (b & 0x30) >> 4; // br\n\n      penColor.bgGreen = (b & 0x0c) >> 2; // bg\n\n      penColor.bgBlue = b & 0x03; // bb\n\n      b = packetData[++i];\n      penColor.edgeRed = (b & 0x30) >> 4; // er\n\n      penColor.edgeGreen = (b & 0x0c) >> 2; // eg\n\n      penColor.edgeBlue = b & 0x03; // eb\n\n      return i;\n    };\n    /**\n     * Parse and execute the SPL command.\n     *\n     * Set pen location of the current window.\n     *\n     * @param  {Integer} i        Current index in the 708 packet\n     * @param  {Service} service  The service object to be affected\n     * @return {Integer}          New index after parsing\n     */\n\n    Cea708Stream.prototype.setPenLocation = function (i, service) {\n      var packetData = this.current708Packet.data;\n      var b = packetData[i];\n      var penLoc = service.currentWindow.penLoc; // Positioning isn't really supported at the moment, so this essentially just inserts a linebreak\n\n      service.currentWindow.pendingNewLine = true;\n      b = packetData[++i];\n      penLoc.row = b & 0x0f; // r\n\n      b = packetData[++i];\n      penLoc.column = b & 0x3f; // c\n\n      return i;\n    };\n    /**\n     * Execute the RST command.\n     *\n     * Reset service to a clean slate. Re-initialize.\n     *\n     * @param  {Integer} i        Current index in the 708 packet\n     * @param  {Service} service  The service object to be affected\n     * @return {Service}          Re-initialized service\n     */\n\n    Cea708Stream.prototype.reset = function (i, service) {\n      var pts = this.getPts(i);\n      this.flushDisplayed(pts, service);\n      return this.initService(service.serviceNum, i);\n    }; // This hash maps non-ASCII, special, and extended character codes to their\n    // proper Unicode equivalent. The first keys that are only a single byte\n    // are the non-standard ASCII characters, which simply map the CEA608 byte\n    // to the standard ASCII/Unicode. The two-byte keys that follow are the CEA608\n    // character codes, but have their MSB bitmasked with 0x03 so that a lookup\n    // can be performed regardless of the field and data channel on which the\n    // character code was received.\n\n    var CHARACTER_TRANSLATION = {\n      0x2a: 0xe1,\n      // á\n      0x5c: 0xe9,\n      // é\n      0x5e: 0xed,\n      // í\n      0x5f: 0xf3,\n      // ó\n      0x60: 0xfa,\n      // ú\n      0x7b: 0xe7,\n      // ç\n      0x7c: 0xf7,\n      // ÷\n      0x7d: 0xd1,\n      // Ñ\n      0x7e: 0xf1,\n      // ñ\n      0x7f: 0x2588,\n      // █\n      0x0130: 0xae,\n      // ®\n      0x0131: 0xb0,\n      // °\n      0x0132: 0xbd,\n      // ½\n      0x0133: 0xbf,\n      // ¿\n      0x0134: 0x2122,\n      // ™\n      0x0135: 0xa2,\n      // ¢\n      0x0136: 0xa3,\n      // £\n      0x0137: 0x266a,\n      // ♪\n      0x0138: 0xe0,\n      // à\n      0x0139: 0xa0,\n      //\n      0x013a: 0xe8,\n      // è\n      0x013b: 0xe2,\n      // â\n      0x013c: 0xea,\n      // ê\n      0x013d: 0xee,\n      // î\n      0x013e: 0xf4,\n      // ô\n      0x013f: 0xfb,\n      // û\n      0x0220: 0xc1,\n      // Á\n      0x0221: 0xc9,\n      // É\n      0x0222: 0xd3,\n      // Ó\n      0x0223: 0xda,\n      // Ú\n      0x0224: 0xdc,\n      // Ü\n      0x0225: 0xfc,\n      // ü\n      0x0226: 0x2018,\n      // ‘\n      0x0227: 0xa1,\n      // ¡\n      0x0228: 0x2a,\n      // *\n      0x0229: 0x27,\n      // '\n      0x022a: 0x2014,\n      // —\n      0x022b: 0xa9,\n      // ©\n      0x022c: 0x2120,\n      // ℠\n      0x022d: 0x2022,\n      // •\n      0x022e: 0x201c,\n      // “\n      0x022f: 0x201d,\n      // ”\n      0x0230: 0xc0,\n      // À\n      0x0231: 0xc2,\n      // Â\n      0x0232: 0xc7,\n      // Ç\n      0x0233: 0xc8,\n      // È\n      0x0234: 0xca,\n      // Ê\n      0x0235: 0xcb,\n      // Ë\n      0x0236: 0xeb,\n      // ë\n      0x0237: 0xce,\n      // Î\n      0x0238: 0xcf,\n      // Ï\n      0x0239: 0xef,\n      // ï\n      0x023a: 0xd4,\n      // Ô\n      0x023b: 0xd9,\n      // Ù\n      0x023c: 0xf9,\n      // ù\n      0x023d: 0xdb,\n      // Û\n      0x023e: 0xab,\n      // «\n      0x023f: 0xbb,\n      // »\n      0x0320: 0xc3,\n      // Ã\n      0x0321: 0xe3,\n      // ã\n      0x0322: 0xcd,\n      // Í\n      0x0323: 0xcc,\n      // Ì\n      0x0324: 0xec,\n      // ì\n      0x0325: 0xd2,\n      // Ò\n      0x0326: 0xf2,\n      // ò\n      0x0327: 0xd5,\n      // Õ\n      0x0328: 0xf5,\n      // õ\n      0x0329: 0x7b,\n      // {\n      0x032a: 0x7d,\n      // }\n      0x032b: 0x5c,\n      // \\\n      0x032c: 0x5e,\n      // ^\n      0x032d: 0x5f,\n      // _\n      0x032e: 0x7c,\n      // |\n      0x032f: 0x7e,\n      // ~\n      0x0330: 0xc4,\n      // Ä\n      0x0331: 0xe4,\n      // ä\n      0x0332: 0xd6,\n      // Ö\n      0x0333: 0xf6,\n      // ö\n      0x0334: 0xdf,\n      // ß\n      0x0335: 0xa5,\n      // ¥\n      0x0336: 0xa4,\n      // ¤\n      0x0337: 0x2502,\n      // │\n      0x0338: 0xc5,\n      // Å\n      0x0339: 0xe5,\n      // å\n      0x033a: 0xd8,\n      // Ø\n      0x033b: 0xf8,\n      // ø\n      0x033c: 0x250c,\n      // ┌\n      0x033d: 0x2510,\n      // ┐\n      0x033e: 0x2514,\n      // └\n      0x033f: 0x2518 // ┘\n    };\n    var getCharFromCode = function (code) {\n      if (code === null) {\n        return '';\n      }\n      code = CHARACTER_TRANSLATION[code] || code;\n      return String.fromCharCode(code);\n    }; // the index of the last row in a CEA-608 display buffer\n\n    var BOTTOM_ROW = 14; // This array is used for mapping PACs -> row #, since there's no way of\n    // getting it through bit logic.\n\n    var ROWS = [0x1100, 0x1120, 0x1200, 0x1220, 0x1500, 0x1520, 0x1600, 0x1620, 0x1700, 0x1720, 0x1000, 0x1300, 0x1320, 0x1400, 0x1420]; // CEA-608 captions are rendered onto a 34x15 matrix of character\n    // cells. The \"bottom\" row is the last element in the outer array.\n    // We keep track of positioning information as we go by storing the\n    // number of indentations and the tab offset in this buffer.\n\n    var createDisplayBuffer = function () {\n      var result = [],\n        i = BOTTOM_ROW + 1;\n      while (i--) {\n        result.push({\n          text: '',\n          indent: 0,\n          offset: 0\n        });\n      }\n      return result;\n    };\n    var Cea608Stream = function (field, dataChannel) {\n      Cea608Stream.prototype.init.call(this);\n      this.field_ = field || 0;\n      this.dataChannel_ = dataChannel || 0;\n      this.name_ = 'CC' + ((this.field_ << 1 | this.dataChannel_) + 1);\n      this.setConstants();\n      this.reset();\n      this.push = function (packet) {\n        var data, swap, char0, char1, text; // remove the parity bits\n\n        data = packet.ccData & 0x7f7f; // ignore duplicate control codes; the spec demands they're sent twice\n\n        if (data === this.lastControlCode_) {\n          this.lastControlCode_ = null;\n          return;\n        } // Store control codes\n\n        if ((data & 0xf000) === 0x1000) {\n          this.lastControlCode_ = data;\n        } else if (data !== this.PADDING_) {\n          this.lastControlCode_ = null;\n        }\n        char0 = data >>> 8;\n        char1 = data & 0xff;\n        if (data === this.PADDING_) {\n          return;\n        } else if (data === this.RESUME_CAPTION_LOADING_) {\n          this.mode_ = 'popOn';\n        } else if (data === this.END_OF_CAPTION_) {\n          // If an EOC is received while in paint-on mode, the displayed caption\n          // text should be swapped to non-displayed memory as if it was a pop-on\n          // caption. Because of that, we should explicitly switch back to pop-on\n          // mode\n          this.mode_ = 'popOn';\n          this.clearFormatting(packet.pts); // if a caption was being displayed, it's gone now\n\n          this.flushDisplayed(packet.pts); // flip memory\n\n          swap = this.displayed_;\n          this.displayed_ = this.nonDisplayed_;\n          this.nonDisplayed_ = swap; // start measuring the time to display the caption\n\n          this.startPts_ = packet.pts;\n        } else if (data === this.ROLL_UP_2_ROWS_) {\n          this.rollUpRows_ = 2;\n          this.setRollUp(packet.pts);\n        } else if (data === this.ROLL_UP_3_ROWS_) {\n          this.rollUpRows_ = 3;\n          this.setRollUp(packet.pts);\n        } else if (data === this.ROLL_UP_4_ROWS_) {\n          this.rollUpRows_ = 4;\n          this.setRollUp(packet.pts);\n        } else if (data === this.CARRIAGE_RETURN_) {\n          this.clearFormatting(packet.pts);\n          this.flushDisplayed(packet.pts);\n          this.shiftRowsUp_();\n          this.startPts_ = packet.pts;\n        } else if (data === this.BACKSPACE_) {\n          if (this.mode_ === 'popOn') {\n            this.nonDisplayed_[this.row_].text = this.nonDisplayed_[this.row_].text.slice(0, -1);\n          } else {\n            this.displayed_[this.row_].text = this.displayed_[this.row_].text.slice(0, -1);\n          }\n        } else if (data === this.ERASE_DISPLAYED_MEMORY_) {\n          this.flushDisplayed(packet.pts);\n          this.displayed_ = createDisplayBuffer();\n        } else if (data === this.ERASE_NON_DISPLAYED_MEMORY_) {\n          this.nonDisplayed_ = createDisplayBuffer();\n        } else if (data === this.RESUME_DIRECT_CAPTIONING_) {\n          if (this.mode_ !== 'paintOn') {\n            // NOTE: This should be removed when proper caption positioning is\n            // implemented\n            this.flushDisplayed(packet.pts);\n            this.displayed_ = createDisplayBuffer();\n          }\n          this.mode_ = 'paintOn';\n          this.startPts_ = packet.pts; // Append special characters to caption text\n        } else if (this.isSpecialCharacter(char0, char1)) {\n          // Bitmask char0 so that we can apply character transformations\n          // regardless of field and data channel.\n          // Then byte-shift to the left and OR with char1 so we can pass the\n          // entire character code to `getCharFromCode`.\n          char0 = (char0 & 0x03) << 8;\n          text = getCharFromCode(char0 | char1);\n          this[this.mode_](packet.pts, text);\n          this.column_++; // Append extended characters to caption text\n        } else if (this.isExtCharacter(char0, char1)) {\n          // Extended characters always follow their \"non-extended\" equivalents.\n          // IE if a \"è\" is desired, you'll always receive \"eè\"; non-compliant\n          // decoders are supposed to drop the \"è\", while compliant decoders\n          // backspace the \"e\" and insert \"è\".\n          // Delete the previous character\n          if (this.mode_ === 'popOn') {\n            this.nonDisplayed_[this.row_].text = this.nonDisplayed_[this.row_].text.slice(0, -1);\n          } else {\n            this.displayed_[this.row_].text = this.displayed_[this.row_].text.slice(0, -1);\n          } // Bitmask char0 so that we can apply character transformations\n          // regardless of field and data channel.\n          // Then byte-shift to the left and OR with char1 so we can pass the\n          // entire character code to `getCharFromCode`.\n\n          char0 = (char0 & 0x03) << 8;\n          text = getCharFromCode(char0 | char1);\n          this[this.mode_](packet.pts, text);\n          this.column_++; // Process mid-row codes\n        } else if (this.isMidRowCode(char0, char1)) {\n          // Attributes are not additive, so clear all formatting\n          this.clearFormatting(packet.pts); // According to the standard, mid-row codes\n          // should be replaced with spaces, so add one now\n\n          this[this.mode_](packet.pts, ' ');\n          this.column_++;\n          if ((char1 & 0xe) === 0xe) {\n            this.addFormatting(packet.pts, ['i']);\n          }\n          if ((char1 & 0x1) === 0x1) {\n            this.addFormatting(packet.pts, ['u']);\n          } // Detect offset control codes and adjust cursor\n        } else if (this.isOffsetControlCode(char0, char1)) {\n          // Cursor position is set by indent PAC (see below) in 4-column\n          // increments, with an additional offset code of 1-3 to reach any\n          // of the 32 columns specified by CEA-608. So all we need to do\n          // here is increment the column cursor by the given offset.\n          const offset = char1 & 0x03; // For an offest value 1-3, set the offset for that caption\n          // in the non-displayed array.\n\n          this.nonDisplayed_[this.row_].offset = offset;\n          this.column_ += offset; // Detect PACs (Preamble Address Codes)\n        } else if (this.isPAC(char0, char1)) {\n          // There's no logic for PAC -> row mapping, so we have to just\n          // find the row code in an array and use its index :(\n          var row = ROWS.indexOf(data & 0x1f20); // Configure the caption window if we're in roll-up mode\n\n          if (this.mode_ === 'rollUp') {\n            // This implies that the base row is incorrectly set.\n            // As per the recommendation in CEA-608(Base Row Implementation), defer to the number\n            // of roll-up rows set.\n            if (row - this.rollUpRows_ + 1 < 0) {\n              row = this.rollUpRows_ - 1;\n            }\n            this.setRollUp(packet.pts, row);\n          } // Ensure the row is between 0 and 14, otherwise use the most\n          // recent or default row.\n\n          if (row !== this.row_ && row >= 0 && row <= 14) {\n            // formatting is only persistent for current row\n            this.clearFormatting(packet.pts);\n            this.row_ = row;\n          } // All PACs can apply underline, so detect and apply\n          // (All odd-numbered second bytes set underline)\n\n          if (char1 & 0x1 && this.formatting_.indexOf('u') === -1) {\n            this.addFormatting(packet.pts, ['u']);\n          }\n          if ((data & 0x10) === 0x10) {\n            // We've got an indent level code. Each successive even number\n            // increments the column cursor by 4, so we can get the desired\n            // column position by bit-shifting to the right (to get n/2)\n            // and multiplying by 4.\n            const indentations = (data & 0xe) >> 1;\n            this.column_ = indentations * 4; // add to the number of indentations for positioning\n\n            this.nonDisplayed_[this.row_].indent += indentations;\n          }\n          if (this.isColorPAC(char1)) {\n            // it's a color code, though we only support white, which\n            // can be either normal or italicized. white italics can be\n            // either 0x4e or 0x6e depending on the row, so we just\n            // bitwise-and with 0xe to see if italics should be turned on\n            if ((char1 & 0xe) === 0xe) {\n              this.addFormatting(packet.pts, ['i']);\n            }\n          } // We have a normal character in char0, and possibly one in char1\n        } else if (this.isNormalChar(char0)) {\n          if (char1 === 0x00) {\n            char1 = null;\n          }\n          text = getCharFromCode(char0);\n          text += getCharFromCode(char1);\n          this[this.mode_](packet.pts, text);\n          this.column_ += text.length;\n        } // finish data processing\n      };\n    };\n    Cea608Stream.prototype = new Stream$7(); // Trigger a cue point that captures the current state of the\n    // display buffer\n\n    Cea608Stream.prototype.flushDisplayed = function (pts) {\n      const logWarning = index => {\n        this.trigger('log', {\n          level: 'warn',\n          message: 'Skipping a malformed 608 caption at index ' + index + '.'\n        });\n      };\n      const content = [];\n      this.displayed_.forEach((row, i) => {\n        if (row && row.text && row.text.length) {\n          try {\n            // remove spaces from the start and end of the string\n            row.text = row.text.trim();\n          } catch (e) {\n            // Ordinarily, this shouldn't happen. However, caption\n            // parsing errors should not throw exceptions and\n            // break playback.\n            logWarning(i);\n          } // See the below link for more details on the following fields:\n          // https://dvcs.w3.org/hg/text-tracks/raw-file/default/608toVTT/608toVTT.html#positioning-in-cea-608\n\n          if (row.text.length) {\n            content.push({\n              // The text to be displayed in the caption from this specific row, with whitespace removed.\n              text: row.text,\n              // Value between 1 and 15 representing the PAC row used to calculate line height.\n              line: i + 1,\n              // A number representing the indent position by percentage (CEA-608 PAC indent code).\n              // The value will be a number between 10 and 80. Offset is used to add an aditional\n              // value to the position if necessary.\n              position: 10 + Math.min(70, row.indent * 10) + row.offset * 2.5\n            });\n          }\n        } else if (row === undefined || row === null) {\n          logWarning(i);\n        }\n      });\n      if (content.length) {\n        this.trigger('data', {\n          startPts: this.startPts_,\n          endPts: pts,\n          content,\n          stream: this.name_\n        });\n      }\n    };\n    /**\n     * Zero out the data, used for startup and on seek\n     */\n\n    Cea608Stream.prototype.reset = function () {\n      this.mode_ = 'popOn'; // When in roll-up mode, the index of the last row that will\n      // actually display captions. If a caption is shifted to a row\n      // with a lower index than this, it is cleared from the display\n      // buffer\n\n      this.topRow_ = 0;\n      this.startPts_ = 0;\n      this.displayed_ = createDisplayBuffer();\n      this.nonDisplayed_ = createDisplayBuffer();\n      this.lastControlCode_ = null; // Track row and column for proper line-breaking and spacing\n\n      this.column_ = 0;\n      this.row_ = BOTTOM_ROW;\n      this.rollUpRows_ = 2; // This variable holds currently-applied formatting\n\n      this.formatting_ = [];\n    };\n    /**\n     * Sets up control code and related constants for this instance\n     */\n\n    Cea608Stream.prototype.setConstants = function () {\n      // The following attributes have these uses:\n      // ext_ :    char0 for mid-row codes, and the base for extended\n      //           chars (ext_+0, ext_+1, and ext_+2 are char0s for\n      //           extended codes)\n      // control_: char0 for control codes, except byte-shifted to the\n      //           left so that we can do this.control_ | CONTROL_CODE\n      // offset_:  char0 for tab offset codes\n      //\n      // It's also worth noting that control codes, and _only_ control codes,\n      // differ between field 1 and field2. Field 2 control codes are always\n      // their field 1 value plus 1. That's why there's the \"| field\" on the\n      // control value.\n      if (this.dataChannel_ === 0) {\n        this.BASE_ = 0x10;\n        this.EXT_ = 0x11;\n        this.CONTROL_ = (0x14 | this.field_) << 8;\n        this.OFFSET_ = 0x17;\n      } else if (this.dataChannel_ === 1) {\n        this.BASE_ = 0x18;\n        this.EXT_ = 0x19;\n        this.CONTROL_ = (0x1c | this.field_) << 8;\n        this.OFFSET_ = 0x1f;\n      } // Constants for the LSByte command codes recognized by Cea608Stream. This\n      // list is not exhaustive. For a more comprehensive listing and semantics see\n      // http://www.gpo.gov/fdsys/pkg/CFR-2010-title47-vol1/pdf/CFR-2010-title47-vol1-sec15-119.pdf\n      // Padding\n\n      this.PADDING_ = 0x0000; // Pop-on Mode\n\n      this.RESUME_CAPTION_LOADING_ = this.CONTROL_ | 0x20;\n      this.END_OF_CAPTION_ = this.CONTROL_ | 0x2f; // Roll-up Mode\n\n      this.ROLL_UP_2_ROWS_ = this.CONTROL_ | 0x25;\n      this.ROLL_UP_3_ROWS_ = this.CONTROL_ | 0x26;\n      this.ROLL_UP_4_ROWS_ = this.CONTROL_ | 0x27;\n      this.CARRIAGE_RETURN_ = this.CONTROL_ | 0x2d; // paint-on mode\n\n      this.RESUME_DIRECT_CAPTIONING_ = this.CONTROL_ | 0x29; // Erasure\n\n      this.BACKSPACE_ = this.CONTROL_ | 0x21;\n      this.ERASE_DISPLAYED_MEMORY_ = this.CONTROL_ | 0x2c;\n      this.ERASE_NON_DISPLAYED_MEMORY_ = this.CONTROL_ | 0x2e;\n    };\n    /**\n     * Detects if the 2-byte packet data is a special character\n     *\n     * Special characters have a second byte in the range 0x30 to 0x3f,\n     * with the first byte being 0x11 (for data channel 1) or 0x19 (for\n     * data channel 2).\n     *\n     * @param  {Integer} char0 The first byte\n     * @param  {Integer} char1 The second byte\n     * @return {Boolean}       Whether the 2 bytes are an special character\n     */\n\n    Cea608Stream.prototype.isSpecialCharacter = function (char0, char1) {\n      return char0 === this.EXT_ && char1 >= 0x30 && char1 <= 0x3f;\n    };\n    /**\n     * Detects if the 2-byte packet data is an extended character\n     *\n     * Extended characters have a second byte in the range 0x20 to 0x3f,\n     * with the first byte being 0x12 or 0x13 (for data channel 1) or\n     * 0x1a or 0x1b (for data channel 2).\n     *\n     * @param  {Integer} char0 The first byte\n     * @param  {Integer} char1 The second byte\n     * @return {Boolean}       Whether the 2 bytes are an extended character\n     */\n\n    Cea608Stream.prototype.isExtCharacter = function (char0, char1) {\n      return (char0 === this.EXT_ + 1 || char0 === this.EXT_ + 2) && char1 >= 0x20 && char1 <= 0x3f;\n    };\n    /**\n     * Detects if the 2-byte packet is a mid-row code\n     *\n     * Mid-row codes have a second byte in the range 0x20 to 0x2f, with\n     * the first byte being 0x11 (for data channel 1) or 0x19 (for data\n     * channel 2).\n     *\n     * @param  {Integer} char0 The first byte\n     * @param  {Integer} char1 The second byte\n     * @return {Boolean}       Whether the 2 bytes are a mid-row code\n     */\n\n    Cea608Stream.prototype.isMidRowCode = function (char0, char1) {\n      return char0 === this.EXT_ && char1 >= 0x20 && char1 <= 0x2f;\n    };\n    /**\n     * Detects if the 2-byte packet is an offset control code\n     *\n     * Offset control codes have a second byte in the range 0x21 to 0x23,\n     * with the first byte being 0x17 (for data channel 1) or 0x1f (for\n     * data channel 2).\n     *\n     * @param  {Integer} char0 The first byte\n     * @param  {Integer} char1 The second byte\n     * @return {Boolean}       Whether the 2 bytes are an offset control code\n     */\n\n    Cea608Stream.prototype.isOffsetControlCode = function (char0, char1) {\n      return char0 === this.OFFSET_ && char1 >= 0x21 && char1 <= 0x23;\n    };\n    /**\n     * Detects if the 2-byte packet is a Preamble Address Code\n     *\n     * PACs have a first byte in the range 0x10 to 0x17 (for data channel 1)\n     * or 0x18 to 0x1f (for data channel 2), with the second byte in the\n     * range 0x40 to 0x7f.\n     *\n     * @param  {Integer} char0 The first byte\n     * @param  {Integer} char1 The second byte\n     * @return {Boolean}       Whether the 2 bytes are a PAC\n     */\n\n    Cea608Stream.prototype.isPAC = function (char0, char1) {\n      return char0 >= this.BASE_ && char0 < this.BASE_ + 8 && char1 >= 0x40 && char1 <= 0x7f;\n    };\n    /**\n     * Detects if a packet's second byte is in the range of a PAC color code\n     *\n     * PAC color codes have the second byte be in the range 0x40 to 0x4f, or\n     * 0x60 to 0x6f.\n     *\n     * @param  {Integer} char1 The second byte\n     * @return {Boolean}       Whether the byte is a color PAC\n     */\n\n    Cea608Stream.prototype.isColorPAC = function (char1) {\n      return char1 >= 0x40 && char1 <= 0x4f || char1 >= 0x60 && char1 <= 0x7f;\n    };\n    /**\n     * Detects if a single byte is in the range of a normal character\n     *\n     * Normal text bytes are in the range 0x20 to 0x7f.\n     *\n     * @param  {Integer} char  The byte\n     * @return {Boolean}       Whether the byte is a normal character\n     */\n\n    Cea608Stream.prototype.isNormalChar = function (char) {\n      return char >= 0x20 && char <= 0x7f;\n    };\n    /**\n     * Configures roll-up\n     *\n     * @param  {Integer} pts         Current PTS\n     * @param  {Integer} newBaseRow  Used by PACs to slide the current window to\n     *                               a new position\n     */\n\n    Cea608Stream.prototype.setRollUp = function (pts, newBaseRow) {\n      // Reset the base row to the bottom row when switching modes\n      if (this.mode_ !== 'rollUp') {\n        this.row_ = BOTTOM_ROW;\n        this.mode_ = 'rollUp'; // Spec says to wipe memories when switching to roll-up\n\n        this.flushDisplayed(pts);\n        this.nonDisplayed_ = createDisplayBuffer();\n        this.displayed_ = createDisplayBuffer();\n      }\n      if (newBaseRow !== undefined && newBaseRow !== this.row_) {\n        // move currently displayed captions (up or down) to the new base row\n        for (var i = 0; i < this.rollUpRows_; i++) {\n          this.displayed_[newBaseRow - i] = this.displayed_[this.row_ - i];\n          this.displayed_[this.row_ - i] = {\n            text: '',\n            indent: 0,\n            offset: 0\n          };\n        }\n      }\n      if (newBaseRow === undefined) {\n        newBaseRow = this.row_;\n      }\n      this.topRow_ = newBaseRow - this.rollUpRows_ + 1;\n    }; // Adds the opening HTML tag for the passed character to the caption text,\n    // and keeps track of it for later closing\n\n    Cea608Stream.prototype.addFormatting = function (pts, format) {\n      this.formatting_ = this.formatting_.concat(format);\n      var text = format.reduce(function (text, format) {\n        return text + '<' + format + '>';\n      }, '');\n      this[this.mode_](pts, text);\n    }; // Adds HTML closing tags for current formatting to caption text and\n    // clears remembered formatting\n\n    Cea608Stream.prototype.clearFormatting = function (pts) {\n      if (!this.formatting_.length) {\n        return;\n      }\n      var text = this.formatting_.reverse().reduce(function (text, format) {\n        return text + '</' + format + '>';\n      }, '');\n      this.formatting_ = [];\n      this[this.mode_](pts, text);\n    }; // Mode Implementations\n\n    Cea608Stream.prototype.popOn = function (pts, text) {\n      var baseRow = this.nonDisplayed_[this.row_].text; // buffer characters\n\n      baseRow += text;\n      this.nonDisplayed_[this.row_].text = baseRow;\n    };\n    Cea608Stream.prototype.rollUp = function (pts, text) {\n      var baseRow = this.displayed_[this.row_].text;\n      baseRow += text;\n      this.displayed_[this.row_].text = baseRow;\n    };\n    Cea608Stream.prototype.shiftRowsUp_ = function () {\n      var i; // clear out inactive rows\n\n      for (i = 0; i < this.topRow_; i++) {\n        this.displayed_[i] = {\n          text: '',\n          indent: 0,\n          offset: 0\n        };\n      }\n      for (i = this.row_ + 1; i < BOTTOM_ROW + 1; i++) {\n        this.displayed_[i] = {\n          text: '',\n          indent: 0,\n          offset: 0\n        };\n      } // shift displayed rows up\n\n      for (i = this.topRow_; i < this.row_; i++) {\n        this.displayed_[i] = this.displayed_[i + 1];\n      } // clear out the bottom row\n\n      this.displayed_[this.row_] = {\n        text: '',\n        indent: 0,\n        offset: 0\n      };\n    };\n    Cea608Stream.prototype.paintOn = function (pts, text) {\n      var baseRow = this.displayed_[this.row_].text;\n      baseRow += text;\n      this.displayed_[this.row_].text = baseRow;\n    }; // exports\n\n    var captionStream = {\n      CaptionStream: CaptionStream$2,\n      Cea608Stream: Cea608Stream,\n      Cea708Stream: Cea708Stream\n    };\n    /**\n     * mux.js\n     *\n     * Copyright (c) Brightcove\n     * Licensed Apache-2.0 https://github.com/videojs/mux.js/blob/master/LICENSE\n     */\n\n    var streamTypes = {\n      H264_STREAM_TYPE: 0x1B,\n      ADTS_STREAM_TYPE: 0x0F,\n      METADATA_STREAM_TYPE: 0x15\n    };\n    /**\n     * mux.js\n     *\n     * Copyright (c) Brightcove\n     * Licensed Apache-2.0 https://github.com/videojs/mux.js/blob/master/LICENSE\n     *\n     * Accepts program elementary stream (PES) data events and corrects\n     * decode and presentation time stamps to account for a rollover\n     * of the 33 bit value.\n     */\n\n    var Stream$6 = stream;\n    var MAX_TS = 8589934592;\n    var RO_THRESH = 4294967296;\n    var TYPE_SHARED = 'shared';\n    var handleRollover$1 = function (value, reference) {\n      var direction = 1;\n      if (value > reference) {\n        // If the current timestamp value is greater than our reference timestamp and we detect a\n        // timestamp rollover, this means the roll over is happening in the opposite direction.\n        // Example scenario: Enter a long stream/video just after a rollover occurred. The reference\n        // point will be set to a small number, e.g. 1. The user then seeks backwards over the\n        // rollover point. In loading this segment, the timestamp values will be very large,\n        // e.g. 2^33 - 1. Since this comes before the data we loaded previously, we want to adjust\n        // the time stamp to be `value - 2^33`.\n        direction = -1;\n      } // Note: A seek forwards or back that is greater than the RO_THRESH (2^32, ~13 hours) will\n      // cause an incorrect adjustment.\n\n      while (Math.abs(reference - value) > RO_THRESH) {\n        value += direction * MAX_TS;\n      }\n      return value;\n    };\n    var TimestampRolloverStream$1 = function (type) {\n      var lastDTS, referenceDTS;\n      TimestampRolloverStream$1.prototype.init.call(this); // The \"shared\" type is used in cases where a stream will contain muxed\n      // video and audio. We could use `undefined` here, but having a string\n      // makes debugging a little clearer.\n\n      this.type_ = type || TYPE_SHARED;\n      this.push = function (data) {\n        /**\n         * Rollover stream expects data from elementary stream.\n         * Elementary stream can push forward 2 types of data\n         * - Parsed Video/Audio/Timed-metadata PES (packetized elementary stream) packets\n         * - Tracks metadata from PMT (Program Map Table)\n         * Rollover stream expects pts/dts info to be available, since it stores lastDTS\n         * We should ignore non-PES packets since they may override lastDTS to undefined.\n         * lastDTS is important to signal the next segments\n         * about rollover from the previous segments.\n         */\n        if (data.type === 'metadata') {\n          this.trigger('data', data);\n          return;\n        } // Any \"shared\" rollover streams will accept _all_ data. Otherwise,\n        // streams will only accept data that matches their type.\n\n        if (this.type_ !== TYPE_SHARED && data.type !== this.type_) {\n          return;\n        }\n        if (referenceDTS === undefined) {\n          referenceDTS = data.dts;\n        }\n        data.dts = handleRollover$1(data.dts, referenceDTS);\n        data.pts = handleRollover$1(data.pts, referenceDTS);\n        lastDTS = data.dts;\n        this.trigger('data', data);\n      };\n      this.flush = function () {\n        referenceDTS = lastDTS;\n        this.trigger('done');\n      };\n      this.endTimeline = function () {\n        this.flush();\n        this.trigger('endedtimeline');\n      };\n      this.discontinuity = function () {\n        referenceDTS = void 0;\n        lastDTS = void 0;\n      };\n      this.reset = function () {\n        this.discontinuity();\n        this.trigger('reset');\n      };\n    };\n    TimestampRolloverStream$1.prototype = new Stream$6();\n    var timestampRolloverStream = {\n      TimestampRolloverStream: TimestampRolloverStream$1,\n      handleRollover: handleRollover$1\n    }; // Once IE11 support is dropped, this function should be removed.\n\n    var typedArrayIndexOf$1 = (typedArray, element, fromIndex) => {\n      if (!typedArray) {\n        return -1;\n      }\n      var currentIndex = fromIndex;\n      for (; currentIndex < typedArray.length; currentIndex++) {\n        if (typedArray[currentIndex] === element) {\n          return currentIndex;\n        }\n      }\n      return -1;\n    };\n    var typedArray = {\n      typedArrayIndexOf: typedArrayIndexOf$1\n    };\n    /**\n     * mux.js\n     *\n     * Copyright (c) Brightcove\n     * Licensed Apache-2.0 https://github.com/videojs/mux.js/blob/master/LICENSE\n     *\n     * Tools for parsing ID3 frame data\n     * @see http://id3.org/id3v2.3.0\n     */\n\n    var typedArrayIndexOf = typedArray.typedArrayIndexOf,\n      // Frames that allow different types of text encoding contain a text\n      // encoding description byte [ID3v2.4.0 section 4.]\n      textEncodingDescriptionByte = {\n        Iso88591: 0x00,\n        // ISO-8859-1, terminated with \\0.\n        Utf16: 0x01,\n        // UTF-16 encoded Unicode BOM, terminated with \\0\\0\n        Utf16be: 0x02,\n        // UTF-16BE encoded Unicode, without BOM, terminated with \\0\\0\n        Utf8: 0x03 // UTF-8 encoded Unicode, terminated with \\0\n      },\n      // return a percent-encoded representation of the specified byte range\n      // @see http://en.wikipedia.org/wiki/Percent-encoding\n      percentEncode$1 = function (bytes, start, end) {\n        var i,\n          result = '';\n        for (i = start; i < end; i++) {\n          result += '%' + ('00' + bytes[i].toString(16)).slice(-2);\n        }\n        return result;\n      },\n      // return the string representation of the specified byte range,\n      // interpreted as UTf-8.\n      parseUtf8 = function (bytes, start, end) {\n        return decodeURIComponent(percentEncode$1(bytes, start, end));\n      },\n      // return the string representation of the specified byte range,\n      // interpreted as ISO-8859-1.\n      parseIso88591$1 = function (bytes, start, end) {\n        return unescape(percentEncode$1(bytes, start, end)); // jshint ignore:line\n      },\n      parseSyncSafeInteger$1 = function (data) {\n        return data[0] << 21 | data[1] << 14 | data[2] << 7 | data[3];\n      },\n      frameParsers = {\n        'APIC': function (frame) {\n          var i = 1,\n            mimeTypeEndIndex,\n            descriptionEndIndex,\n            LINK_MIME_TYPE = '-->';\n          if (frame.data[0] !== textEncodingDescriptionByte.Utf8) {\n            // ignore frames with unrecognized character encodings\n            return;\n          } // parsing fields [ID3v2.4.0 section 4.14.]\n\n          mimeTypeEndIndex = typedArrayIndexOf(frame.data, 0, i);\n          if (mimeTypeEndIndex < 0) {\n            // malformed frame\n            return;\n          } // parsing Mime type field (terminated with \\0)\n\n          frame.mimeType = parseIso88591$1(frame.data, i, mimeTypeEndIndex);\n          i = mimeTypeEndIndex + 1; // parsing 1-byte Picture Type field\n\n          frame.pictureType = frame.data[i];\n          i++;\n          descriptionEndIndex = typedArrayIndexOf(frame.data, 0, i);\n          if (descriptionEndIndex < 0) {\n            // malformed frame\n            return;\n          } // parsing Description field (terminated with \\0)\n\n          frame.description = parseUtf8(frame.data, i, descriptionEndIndex);\n          i = descriptionEndIndex + 1;\n          if (frame.mimeType === LINK_MIME_TYPE) {\n            // parsing Picture Data field as URL (always represented as ISO-8859-1 [ID3v2.4.0 section 4.])\n            frame.url = parseIso88591$1(frame.data, i, frame.data.length);\n          } else {\n            // parsing Picture Data field as binary data\n            frame.pictureData = frame.data.subarray(i, frame.data.length);\n          }\n        },\n        'T*': function (frame) {\n          if (frame.data[0] !== textEncodingDescriptionByte.Utf8) {\n            // ignore frames with unrecognized character encodings\n            return;\n          } // parse text field, do not include null terminator in the frame value\n          // frames that allow different types of encoding contain terminated text [ID3v2.4.0 section 4.]\n\n          frame.value = parseUtf8(frame.data, 1, frame.data.length).replace(/\\0*$/, ''); // text information frames supports multiple strings, stored as a terminator separated list [ID3v2.4.0 section 4.2.]\n\n          frame.values = frame.value.split('\\0');\n        },\n        'TXXX': function (frame) {\n          var descriptionEndIndex;\n          if (frame.data[0] !== textEncodingDescriptionByte.Utf8) {\n            // ignore frames with unrecognized character encodings\n            return;\n          }\n          descriptionEndIndex = typedArrayIndexOf(frame.data, 0, 1);\n          if (descriptionEndIndex === -1) {\n            return;\n          } // parse the text fields\n\n          frame.description = parseUtf8(frame.data, 1, descriptionEndIndex); // do not include the null terminator in the tag value\n          // frames that allow different types of encoding contain terminated text\n          // [ID3v2.4.0 section 4.]\n\n          frame.value = parseUtf8(frame.data, descriptionEndIndex + 1, frame.data.length).replace(/\\0*$/, '');\n          frame.data = frame.value;\n        },\n        'W*': function (frame) {\n          // parse URL field; URL fields are always represented as ISO-8859-1 [ID3v2.4.0 section 4.]\n          // if the value is followed by a string termination all the following information should be ignored [ID3v2.4.0 section 4.3]\n          frame.url = parseIso88591$1(frame.data, 0, frame.data.length).replace(/\\0.*$/, '');\n        },\n        'WXXX': function (frame) {\n          var descriptionEndIndex;\n          if (frame.data[0] !== textEncodingDescriptionByte.Utf8) {\n            // ignore frames with unrecognized character encodings\n            return;\n          }\n          descriptionEndIndex = typedArrayIndexOf(frame.data, 0, 1);\n          if (descriptionEndIndex === -1) {\n            return;\n          } // parse the description and URL fields\n\n          frame.description = parseUtf8(frame.data, 1, descriptionEndIndex); // URL fields are always represented as ISO-8859-1 [ID3v2.4.0 section 4.]\n          // if the value is followed by a string termination all the following information\n          // should be ignored [ID3v2.4.0 section 4.3]\n\n          frame.url = parseIso88591$1(frame.data, descriptionEndIndex + 1, frame.data.length).replace(/\\0.*$/, '');\n        },\n        'PRIV': function (frame) {\n          var i;\n          for (i = 0; i < frame.data.length; i++) {\n            if (frame.data[i] === 0) {\n              // parse the description and URL fields\n              frame.owner = parseIso88591$1(frame.data, 0, i);\n              break;\n            }\n          }\n          frame.privateData = frame.data.subarray(i + 1);\n          frame.data = frame.privateData;\n        }\n      };\n    var parseId3Frames$1 = function (data) {\n      var frameSize,\n        frameHeader,\n        frameStart = 10,\n        tagSize = 0,\n        frames = []; // If we don't have enough data for a header, 10 bytes,\n      // or 'ID3' in the first 3 bytes this is not a valid ID3 tag.\n\n      if (data.length < 10 || data[0] !== 'I'.charCodeAt(0) || data[1] !== 'D'.charCodeAt(0) || data[2] !== '3'.charCodeAt(0)) {\n        return;\n      } // the frame size is transmitted as a 28-bit integer in the\n      // last four bytes of the ID3 header.\n      // The most significant bit of each byte is dropped and the\n      // results concatenated to recover the actual value.\n\n      tagSize = parseSyncSafeInteger$1(data.subarray(6, 10)); // ID3 reports the tag size excluding the header but it's more\n      // convenient for our comparisons to include it\n\n      tagSize += 10; // check bit 6 of byte 5 for the extended header flag.\n\n      var hasExtendedHeader = data[5] & 0x40;\n      if (hasExtendedHeader) {\n        // advance the frame start past the extended header\n        frameStart += 4; // header size field\n\n        frameStart += parseSyncSafeInteger$1(data.subarray(10, 14));\n        tagSize -= parseSyncSafeInteger$1(data.subarray(16, 20)); // clip any padding off the end\n      } // parse one or more ID3 frames\n      // http://id3.org/id3v2.3.0#ID3v2_frame_overview\n\n      do {\n        // determine the number of bytes in this frame\n        frameSize = parseSyncSafeInteger$1(data.subarray(frameStart + 4, frameStart + 8));\n        if (frameSize < 1) {\n          break;\n        }\n        frameHeader = String.fromCharCode(data[frameStart], data[frameStart + 1], data[frameStart + 2], data[frameStart + 3]);\n        var frame = {\n          id: frameHeader,\n          data: data.subarray(frameStart + 10, frameStart + frameSize + 10)\n        };\n        frame.key = frame.id; // parse frame values\n\n        if (frameParsers[frame.id]) {\n          // use frame specific parser\n          frameParsers[frame.id](frame);\n        } else if (frame.id[0] === 'T') {\n          // use text frame generic parser\n          frameParsers['T*'](frame);\n        } else if (frame.id[0] === 'W') {\n          // use URL link frame generic parser\n          frameParsers['W*'](frame);\n        }\n        frames.push(frame);\n        frameStart += 10; // advance past the frame header\n\n        frameStart += frameSize; // advance past the frame body\n      } while (frameStart < tagSize);\n      return frames;\n    };\n    var parseId3 = {\n      parseId3Frames: parseId3Frames$1,\n      parseSyncSafeInteger: parseSyncSafeInteger$1,\n      frameParsers: frameParsers\n    };\n    /**\n     * mux.js\n     *\n     * Copyright (c) Brightcove\n     * Licensed Apache-2.0 https://github.com/videojs/mux.js/blob/master/LICENSE\n     *\n     * Accepts program elementary stream (PES) data events and parses out\n     * ID3 metadata from them, if present.\n     * @see http://id3.org/id3v2.3.0\n     */\n\n    var Stream$5 = stream,\n      StreamTypes$3 = streamTypes,\n      id3 = parseId3,\n      MetadataStream;\n    MetadataStream = function (options) {\n      var settings = {\n          // the bytes of the program-level descriptor field in MP2T\n          // see ISO/IEC 13818-1:2013 (E), section 2.6 \"Program and\n          // program element descriptors\"\n          descriptor: options && options.descriptor\n        },\n        // the total size in bytes of the ID3 tag being parsed\n        tagSize = 0,\n        // tag data that is not complete enough to be parsed\n        buffer = [],\n        // the total number of bytes currently in the buffer\n        bufferSize = 0,\n        i;\n      MetadataStream.prototype.init.call(this); // calculate the text track in-band metadata track dispatch type\n      // https://html.spec.whatwg.org/multipage/embedded-content.html#steps-to-expose-a-media-resource-specific-text-track\n\n      this.dispatchType = StreamTypes$3.METADATA_STREAM_TYPE.toString(16);\n      if (settings.descriptor) {\n        for (i = 0; i < settings.descriptor.length; i++) {\n          this.dispatchType += ('00' + settings.descriptor[i].toString(16)).slice(-2);\n        }\n      }\n      this.push = function (chunk) {\n        var tag, frameStart, frameSize, frame, i, frameHeader;\n        if (chunk.type !== 'timed-metadata') {\n          return;\n        } // if data_alignment_indicator is set in the PES header,\n        // we must have the start of a new ID3 tag. Assume anything\n        // remaining in the buffer was malformed and throw it out\n\n        if (chunk.dataAlignmentIndicator) {\n          bufferSize = 0;\n          buffer.length = 0;\n        } // ignore events that don't look like ID3 data\n\n        if (buffer.length === 0 && (chunk.data.length < 10 || chunk.data[0] !== 'I'.charCodeAt(0) || chunk.data[1] !== 'D'.charCodeAt(0) || chunk.data[2] !== '3'.charCodeAt(0))) {\n          this.trigger('log', {\n            level: 'warn',\n            message: 'Skipping unrecognized metadata packet'\n          });\n          return;\n        } // add this chunk to the data we've collected so far\n\n        buffer.push(chunk);\n        bufferSize += chunk.data.byteLength; // grab the size of the entire frame from the ID3 header\n\n        if (buffer.length === 1) {\n          // the frame size is transmitted as a 28-bit integer in the\n          // last four bytes of the ID3 header.\n          // The most significant bit of each byte is dropped and the\n          // results concatenated to recover the actual value.\n          tagSize = id3.parseSyncSafeInteger(chunk.data.subarray(6, 10)); // ID3 reports the tag size excluding the header but it's more\n          // convenient for our comparisons to include it\n\n          tagSize += 10;\n        } // if the entire frame has not arrived, wait for more data\n\n        if (bufferSize < tagSize) {\n          return;\n        } // collect the entire frame so it can be parsed\n\n        tag = {\n          data: new Uint8Array(tagSize),\n          frames: [],\n          pts: buffer[0].pts,\n          dts: buffer[0].dts\n        };\n        for (i = 0; i < tagSize;) {\n          tag.data.set(buffer[0].data.subarray(0, tagSize - i), i);\n          i += buffer[0].data.byteLength;\n          bufferSize -= buffer[0].data.byteLength;\n          buffer.shift();\n        } // find the start of the first frame and the end of the tag\n\n        frameStart = 10;\n        if (tag.data[5] & 0x40) {\n          // advance the frame start past the extended header\n          frameStart += 4; // header size field\n\n          frameStart += id3.parseSyncSafeInteger(tag.data.subarray(10, 14)); // clip any padding off the end\n\n          tagSize -= id3.parseSyncSafeInteger(tag.data.subarray(16, 20));\n        } // parse one or more ID3 frames\n        // http://id3.org/id3v2.3.0#ID3v2_frame_overview\n\n        do {\n          // determine the number of bytes in this frame\n          frameSize = id3.parseSyncSafeInteger(tag.data.subarray(frameStart + 4, frameStart + 8));\n          if (frameSize < 1) {\n            this.trigger('log', {\n              level: 'warn',\n              message: 'Malformed ID3 frame encountered. Skipping remaining metadata parsing.'\n            }); // If the frame is malformed, don't parse any further frames but allow previous valid parsed frames\n            // to be sent along.\n\n            break;\n          }\n          frameHeader = String.fromCharCode(tag.data[frameStart], tag.data[frameStart + 1], tag.data[frameStart + 2], tag.data[frameStart + 3]);\n          frame = {\n            id: frameHeader,\n            data: tag.data.subarray(frameStart + 10, frameStart + frameSize + 10)\n          };\n          frame.key = frame.id; // parse frame values\n\n          if (id3.frameParsers[frame.id]) {\n            // use frame specific parser\n            id3.frameParsers[frame.id](frame);\n          } else if (frame.id[0] === 'T') {\n            // use text frame generic parser\n            id3.frameParsers['T*'](frame);\n          } else if (frame.id[0] === 'W') {\n            // use URL link frame generic parser\n            id3.frameParsers['W*'](frame);\n          } // handle the special PRIV frame used to indicate the start\n          // time for raw AAC data\n\n          if (frame.owner === 'com.apple.streaming.transportStreamTimestamp') {\n            var d = frame.data,\n              size = (d[3] & 0x01) << 30 | d[4] << 22 | d[5] << 14 | d[6] << 6 | d[7] >>> 2;\n            size *= 4;\n            size += d[7] & 0x03;\n            frame.timeStamp = size; // in raw AAC, all subsequent data will be timestamped based\n            // on the value of this frame\n            // we couldn't have known the appropriate pts and dts before\n            // parsing this ID3 tag so set those values now\n\n            if (tag.pts === undefined && tag.dts === undefined) {\n              tag.pts = frame.timeStamp;\n              tag.dts = frame.timeStamp;\n            }\n            this.trigger('timestamp', frame);\n          }\n          tag.frames.push(frame);\n          frameStart += 10; // advance past the frame header\n\n          frameStart += frameSize; // advance past the frame body\n        } while (frameStart < tagSize);\n        this.trigger('data', tag);\n      };\n    };\n    MetadataStream.prototype = new Stream$5();\n    var metadataStream = MetadataStream;\n    /**\n     * mux.js\n     *\n     * Copyright (c) Brightcove\n     * Licensed Apache-2.0 https://github.com/videojs/mux.js/blob/master/LICENSE\n     *\n     * A stream-based mp2t to mp4 converter. This utility can be used to\n     * deliver mp4s to a SourceBuffer on platforms that support native\n     * Media Source Extensions.\n     */\n\n    var Stream$4 = stream,\n      CaptionStream$1 = captionStream,\n      StreamTypes$2 = streamTypes,\n      TimestampRolloverStream = timestampRolloverStream.TimestampRolloverStream; // object types\n\n    var TransportPacketStream, TransportParseStream, ElementaryStream; // constants\n\n    var MP2T_PACKET_LENGTH$1 = 188,\n      // bytes\n      SYNC_BYTE$1 = 0x47;\n    /**\n     * Splits an incoming stream of binary data into MPEG-2 Transport\n     * Stream packets.\n     */\n\n    TransportPacketStream = function () {\n      var buffer = new Uint8Array(MP2T_PACKET_LENGTH$1),\n        bytesInBuffer = 0;\n      TransportPacketStream.prototype.init.call(this); // Deliver new bytes to the stream.\n\n      /**\n       * Split a stream of data into M2TS packets\n      **/\n\n      this.push = function (bytes) {\n        var startIndex = 0,\n          endIndex = MP2T_PACKET_LENGTH$1,\n          everything; // If there are bytes remaining from the last segment, prepend them to the\n        // bytes that were pushed in\n\n        if (bytesInBuffer) {\n          everything = new Uint8Array(bytes.byteLength + bytesInBuffer);\n          everything.set(buffer.subarray(0, bytesInBuffer));\n          everything.set(bytes, bytesInBuffer);\n          bytesInBuffer = 0;\n        } else {\n          everything = bytes;\n        } // While we have enough data for a packet\n\n        while (endIndex < everything.byteLength) {\n          // Look for a pair of start and end sync bytes in the data..\n          if (everything[startIndex] === SYNC_BYTE$1 && everything[endIndex] === SYNC_BYTE$1) {\n            // We found a packet so emit it and jump one whole packet forward in\n            // the stream\n            this.trigger('data', everything.subarray(startIndex, endIndex));\n            startIndex += MP2T_PACKET_LENGTH$1;\n            endIndex += MP2T_PACKET_LENGTH$1;\n            continue;\n          } // If we get here, we have somehow become de-synchronized and we need to step\n          // forward one byte at a time until we find a pair of sync bytes that denote\n          // a packet\n\n          startIndex++;\n          endIndex++;\n        } // If there was some data left over at the end of the segment that couldn't\n        // possibly be a whole packet, keep it because it might be the start of a packet\n        // that continues in the next segment\n\n        if (startIndex < everything.byteLength) {\n          buffer.set(everything.subarray(startIndex), 0);\n          bytesInBuffer = everything.byteLength - startIndex;\n        }\n      };\n      /**\n       * Passes identified M2TS packets to the TransportParseStream to be parsed\n      **/\n\n      this.flush = function () {\n        // If the buffer contains a whole packet when we are being flushed, emit it\n        // and empty the buffer. Otherwise hold onto the data because it may be\n        // important for decoding the next segment\n        if (bytesInBuffer === MP2T_PACKET_LENGTH$1 && buffer[0] === SYNC_BYTE$1) {\n          this.trigger('data', buffer);\n          bytesInBuffer = 0;\n        }\n        this.trigger('done');\n      };\n      this.endTimeline = function () {\n        this.flush();\n        this.trigger('endedtimeline');\n      };\n      this.reset = function () {\n        bytesInBuffer = 0;\n        this.trigger('reset');\n      };\n    };\n    TransportPacketStream.prototype = new Stream$4();\n    /**\n     * Accepts an MP2T TransportPacketStream and emits data events with parsed\n     * forms of the individual transport stream packets.\n     */\n\n    TransportParseStream = function () {\n      var parsePsi, parsePat, parsePmt, self;\n      TransportParseStream.prototype.init.call(this);\n      self = this;\n      this.packetsWaitingForPmt = [];\n      this.programMapTable = undefined;\n      parsePsi = function (payload, psi) {\n        var offset = 0; // PSI packets may be split into multiple sections and those\n        // sections may be split into multiple packets. If a PSI\n        // section starts in this packet, the payload_unit_start_indicator\n        // will be true and the first byte of the payload will indicate\n        // the offset from the current position to the start of the\n        // section.\n\n        if (psi.payloadUnitStartIndicator) {\n          offset += payload[offset] + 1;\n        }\n        if (psi.type === 'pat') {\n          parsePat(payload.subarray(offset), psi);\n        } else {\n          parsePmt(payload.subarray(offset), psi);\n        }\n      };\n      parsePat = function (payload, pat) {\n        pat.section_number = payload[7]; // eslint-disable-line camelcase\n\n        pat.last_section_number = payload[8]; // eslint-disable-line camelcase\n        // skip the PSI header and parse the first PMT entry\n\n        self.pmtPid = (payload[10] & 0x1F) << 8 | payload[11];\n        pat.pmtPid = self.pmtPid;\n      };\n      /**\n       * Parse out the relevant fields of a Program Map Table (PMT).\n       * @param payload {Uint8Array} the PMT-specific portion of an MP2T\n       * packet. The first byte in this array should be the table_id\n       * field.\n       * @param pmt {object} the object that should be decorated with\n       * fields parsed from the PMT.\n       */\n\n      parsePmt = function (payload, pmt) {\n        var sectionLength, tableEnd, programInfoLength, offset; // PMTs can be sent ahead of the time when they should actually\n        // take effect. We don't believe this should ever be the case\n        // for HLS but we'll ignore \"forward\" PMT declarations if we see\n        // them. Future PMT declarations have the current_next_indicator\n        // set to zero.\n\n        if (!(payload[5] & 0x01)) {\n          return;\n        } // overwrite any existing program map table\n\n        self.programMapTable = {\n          video: null,\n          audio: null,\n          'timed-metadata': {}\n        }; // the mapping table ends at the end of the current section\n\n        sectionLength = (payload[1] & 0x0f) << 8 | payload[2];\n        tableEnd = 3 + sectionLength - 4; // to determine where the table is, we have to figure out how\n        // long the program info descriptors are\n\n        programInfoLength = (payload[10] & 0x0f) << 8 | payload[11]; // advance the offset to the first entry in the mapping table\n\n        offset = 12 + programInfoLength;\n        while (offset < tableEnd) {\n          var streamType = payload[offset];\n          var pid = (payload[offset + 1] & 0x1F) << 8 | payload[offset + 2]; // only map a single elementary_pid for audio and video stream types\n          // TODO: should this be done for metadata too? for now maintain behavior of\n          //       multiple metadata streams\n\n          if (streamType === StreamTypes$2.H264_STREAM_TYPE && self.programMapTable.video === null) {\n            self.programMapTable.video = pid;\n          } else if (streamType === StreamTypes$2.ADTS_STREAM_TYPE && self.programMapTable.audio === null) {\n            self.programMapTable.audio = pid;\n          } else if (streamType === StreamTypes$2.METADATA_STREAM_TYPE) {\n            // map pid to stream type for metadata streams\n            self.programMapTable['timed-metadata'][pid] = streamType;\n          } // move to the next table entry\n          // skip past the elementary stream descriptors, if present\n\n          offset += ((payload[offset + 3] & 0x0F) << 8 | payload[offset + 4]) + 5;\n        } // record the map on the packet as well\n\n        pmt.programMapTable = self.programMapTable;\n      };\n      /**\n       * Deliver a new MP2T packet to the next stream in the pipeline.\n       */\n\n      this.push = function (packet) {\n        var result = {},\n          offset = 4;\n        result.payloadUnitStartIndicator = !!(packet[1] & 0x40); // pid is a 13-bit field starting at the last bit of packet[1]\n\n        result.pid = packet[1] & 0x1f;\n        result.pid <<= 8;\n        result.pid |= packet[2]; // if an adaption field is present, its length is specified by the\n        // fifth byte of the TS packet header. The adaptation field is\n        // used to add stuffing to PES packets that don't fill a complete\n        // TS packet, and to specify some forms of timing and control data\n        // that we do not currently use.\n\n        if ((packet[3] & 0x30) >>> 4 > 0x01) {\n          offset += packet[offset] + 1;\n        } // parse the rest of the packet based on the type\n\n        if (result.pid === 0) {\n          result.type = 'pat';\n          parsePsi(packet.subarray(offset), result);\n          this.trigger('data', result);\n        } else if (result.pid === this.pmtPid) {\n          result.type = 'pmt';\n          parsePsi(packet.subarray(offset), result);\n          this.trigger('data', result); // if there are any packets waiting for a PMT to be found, process them now\n\n          while (this.packetsWaitingForPmt.length) {\n            this.processPes_.apply(this, this.packetsWaitingForPmt.shift());\n          }\n        } else if (this.programMapTable === undefined) {\n          // When we have not seen a PMT yet, defer further processing of\n          // PES packets until one has been parsed\n          this.packetsWaitingForPmt.push([packet, offset, result]);\n        } else {\n          this.processPes_(packet, offset, result);\n        }\n      };\n      this.processPes_ = function (packet, offset, result) {\n        // set the appropriate stream type\n        if (result.pid === this.programMapTable.video) {\n          result.streamType = StreamTypes$2.H264_STREAM_TYPE;\n        } else if (result.pid === this.programMapTable.audio) {\n          result.streamType = StreamTypes$2.ADTS_STREAM_TYPE;\n        } else {\n          // if not video or audio, it is timed-metadata or unknown\n          // if unknown, streamType will be undefined\n          result.streamType = this.programMapTable['timed-metadata'][result.pid];\n        }\n        result.type = 'pes';\n        result.data = packet.subarray(offset);\n        this.trigger('data', result);\n      };\n    };\n    TransportParseStream.prototype = new Stream$4();\n    TransportParseStream.STREAM_TYPES = {\n      h264: 0x1b,\n      adts: 0x0f\n    };\n    /**\n     * Reconsistutes program elementary stream (PES) packets from parsed\n     * transport stream packets. That is, if you pipe an\n     * mp2t.TransportParseStream into a mp2t.ElementaryStream, the output\n     * events will be events which capture the bytes for individual PES\n     * packets plus relevant metadata that has been extracted from the\n     * container.\n     */\n\n    ElementaryStream = function () {\n      var self = this,\n        segmentHadPmt = false,\n        // PES packet fragments\n        video = {\n          data: [],\n          size: 0\n        },\n        audio = {\n          data: [],\n          size: 0\n        },\n        timedMetadata = {\n          data: [],\n          size: 0\n        },\n        programMapTable,\n        parsePes = function (payload, pes) {\n          var ptsDtsFlags;\n          const startPrefix = payload[0] << 16 | payload[1] << 8 | payload[2]; // default to an empty array\n\n          pes.data = new Uint8Array(); // In certain live streams, the start of a TS fragment has ts packets\n          // that are frame data that is continuing from the previous fragment. This\n          // is to check that the pes data is the start of a new pes payload\n\n          if (startPrefix !== 1) {\n            return;\n          } // get the packet length, this will be 0 for video\n\n          pes.packetLength = 6 + (payload[4] << 8 | payload[5]); // find out if this packets starts a new keyframe\n\n          pes.dataAlignmentIndicator = (payload[6] & 0x04) !== 0; // PES packets may be annotated with a PTS value, or a PTS value\n          // and a DTS value. Determine what combination of values is\n          // available to work with.\n\n          ptsDtsFlags = payload[7]; // PTS and DTS are normally stored as a 33-bit number.  Javascript\n          // performs all bitwise operations on 32-bit integers but javascript\n          // supports a much greater range (52-bits) of integer using standard\n          // mathematical operations.\n          // We construct a 31-bit value using bitwise operators over the 31\n          // most significant bits and then multiply by 4 (equal to a left-shift\n          // of 2) before we add the final 2 least significant bits of the\n          // timestamp (equal to an OR.)\n\n          if (ptsDtsFlags & 0xC0) {\n            // the PTS and DTS are not written out directly. For information\n            // on how they are encoded, see\n            // http://dvd.sourceforge.net/dvdinfo/pes-hdr.html\n            pes.pts = (payload[9] & 0x0E) << 27 | (payload[10] & 0xFF) << 20 | (payload[11] & 0xFE) << 12 | (payload[12] & 0xFF) << 5 | (payload[13] & 0xFE) >>> 3;\n            pes.pts *= 4; // Left shift by 2\n\n            pes.pts += (payload[13] & 0x06) >>> 1; // OR by the two LSBs\n\n            pes.dts = pes.pts;\n            if (ptsDtsFlags & 0x40) {\n              pes.dts = (payload[14] & 0x0E) << 27 | (payload[15] & 0xFF) << 20 | (payload[16] & 0xFE) << 12 | (payload[17] & 0xFF) << 5 | (payload[18] & 0xFE) >>> 3;\n              pes.dts *= 4; // Left shift by 2\n\n              pes.dts += (payload[18] & 0x06) >>> 1; // OR by the two LSBs\n            }\n          } // the data section starts immediately after the PES header.\n          // pes_header_data_length specifies the number of header bytes\n          // that follow the last byte of the field.\n\n          pes.data = payload.subarray(9 + payload[8]);\n        },\n        /**\n          * Pass completely parsed PES packets to the next stream in the pipeline\n         **/\n        flushStream = function (stream, type, forceFlush) {\n          var packetData = new Uint8Array(stream.size),\n            event = {\n              type: type\n            },\n            i = 0,\n            offset = 0,\n            packetFlushable = false,\n            fragment; // do nothing if there is not enough buffered data for a complete\n          // PES header\n\n          if (!stream.data.length || stream.size < 9) {\n            return;\n          }\n          event.trackId = stream.data[0].pid; // reassemble the packet\n\n          for (i = 0; i < stream.data.length; i++) {\n            fragment = stream.data[i];\n            packetData.set(fragment.data, offset);\n            offset += fragment.data.byteLength;\n          } // parse assembled packet's PES header\n\n          parsePes(packetData, event); // non-video PES packets MUST have a non-zero PES_packet_length\n          // check that there is enough stream data to fill the packet\n\n          packetFlushable = type === 'video' || event.packetLength <= stream.size; // flush pending packets if the conditions are right\n\n          if (forceFlush || packetFlushable) {\n            stream.size = 0;\n            stream.data.length = 0;\n          } // only emit packets that are complete. this is to avoid assembling\n          // incomplete PES packets due to poor segmentation\n\n          if (packetFlushable) {\n            self.trigger('data', event);\n          }\n        };\n      ElementaryStream.prototype.init.call(this);\n      /**\n       * Identifies M2TS packet types and parses PES packets using metadata\n       * parsed from the PMT\n       **/\n\n      this.push = function (data) {\n        ({\n          pat: function () {// we have to wait for the PMT to arrive as well before we\n            // have any meaningful metadata\n          },\n          pes: function () {\n            var stream, streamType;\n            switch (data.streamType) {\n              case StreamTypes$2.H264_STREAM_TYPE:\n                stream = video;\n                streamType = 'video';\n                break;\n              case StreamTypes$2.ADTS_STREAM_TYPE:\n                stream = audio;\n                streamType = 'audio';\n                break;\n              case StreamTypes$2.METADATA_STREAM_TYPE:\n                stream = timedMetadata;\n                streamType = 'timed-metadata';\n                break;\n              default:\n                // ignore unknown stream types\n                return;\n            } // if a new packet is starting, we can flush the completed\n            // packet\n\n            if (data.payloadUnitStartIndicator) {\n              flushStream(stream, streamType, true);\n            } // buffer this fragment until we are sure we've received the\n            // complete payload\n\n            stream.data.push(data);\n            stream.size += data.data.byteLength;\n          },\n          pmt: function () {\n            var event = {\n              type: 'metadata',\n              tracks: []\n            };\n            programMapTable = data.programMapTable; // translate audio and video streams to tracks\n\n            if (programMapTable.video !== null) {\n              event.tracks.push({\n                timelineStartInfo: {\n                  baseMediaDecodeTime: 0\n                },\n                id: +programMapTable.video,\n                codec: 'avc',\n                type: 'video'\n              });\n            }\n            if (programMapTable.audio !== null) {\n              event.tracks.push({\n                timelineStartInfo: {\n                  baseMediaDecodeTime: 0\n                },\n                id: +programMapTable.audio,\n                codec: 'adts',\n                type: 'audio'\n              });\n            }\n            segmentHadPmt = true;\n            self.trigger('data', event);\n          }\n        })[data.type]();\n      };\n      this.reset = function () {\n        video.size = 0;\n        video.data.length = 0;\n        audio.size = 0;\n        audio.data.length = 0;\n        this.trigger('reset');\n      };\n      /**\n       * Flush any remaining input. Video PES packets may be of variable\n       * length. Normally, the start of a new video packet can trigger the\n       * finalization of the previous packet. That is not possible if no\n       * more video is forthcoming, however. In that case, some other\n       * mechanism (like the end of the file) has to be employed. When it is\n       * clear that no additional data is forthcoming, calling this method\n       * will flush the buffered packets.\n       */\n\n      this.flushStreams_ = function () {\n        // !!THIS ORDER IS IMPORTANT!!\n        // video first then audio\n        flushStream(video, 'video');\n        flushStream(audio, 'audio');\n        flushStream(timedMetadata, 'timed-metadata');\n      };\n      this.flush = function () {\n        // if on flush we haven't had a pmt emitted\n        // and we have a pmt to emit. emit the pmt\n        // so that we trigger a trackinfo downstream.\n        if (!segmentHadPmt && programMapTable) {\n          var pmt = {\n            type: 'metadata',\n            tracks: []\n          }; // translate audio and video streams to tracks\n\n          if (programMapTable.video !== null) {\n            pmt.tracks.push({\n              timelineStartInfo: {\n                baseMediaDecodeTime: 0\n              },\n              id: +programMapTable.video,\n              codec: 'avc',\n              type: 'video'\n            });\n          }\n          if (programMapTable.audio !== null) {\n            pmt.tracks.push({\n              timelineStartInfo: {\n                baseMediaDecodeTime: 0\n              },\n              id: +programMapTable.audio,\n              codec: 'adts',\n              type: 'audio'\n            });\n          }\n          self.trigger('data', pmt);\n        }\n        segmentHadPmt = false;\n        this.flushStreams_();\n        this.trigger('done');\n      };\n    };\n    ElementaryStream.prototype = new Stream$4();\n    var m2ts$1 = {\n      PAT_PID: 0x0000,\n      MP2T_PACKET_LENGTH: MP2T_PACKET_LENGTH$1,\n      TransportPacketStream: TransportPacketStream,\n      TransportParseStream: TransportParseStream,\n      ElementaryStream: ElementaryStream,\n      TimestampRolloverStream: TimestampRolloverStream,\n      CaptionStream: CaptionStream$1.CaptionStream,\n      Cea608Stream: CaptionStream$1.Cea608Stream,\n      Cea708Stream: CaptionStream$1.Cea708Stream,\n      MetadataStream: metadataStream\n    };\n    for (var type in StreamTypes$2) {\n      if (StreamTypes$2.hasOwnProperty(type)) {\n        m2ts$1[type] = StreamTypes$2[type];\n      }\n    }\n    var m2ts_1 = m2ts$1;\n    /**\n     * mux.js\n     *\n     * Copyright (c) Brightcove\n     * Licensed Apache-2.0 https://github.com/videojs/mux.js/blob/master/LICENSE\n     */\n\n    var Stream$3 = stream;\n    var ONE_SECOND_IN_TS$2 = clock$2.ONE_SECOND_IN_TS;\n    var AdtsStream$1;\n    var ADTS_SAMPLING_FREQUENCIES$1 = [96000, 88200, 64000, 48000, 44100, 32000, 24000, 22050, 16000, 12000, 11025, 8000, 7350];\n    /*\n     * Accepts a ElementaryStream and emits data events with parsed\n     * AAC Audio Frames of the individual packets. Input audio in ADTS\n     * format is unpacked and re-emitted as AAC frames.\n     *\n     * @see http://wiki.multimedia.cx/index.php?title=ADTS\n     * @see http://wiki.multimedia.cx/?title=Understanding_AAC\n     */\n\n    AdtsStream$1 = function (handlePartialSegments) {\n      var buffer,\n        frameNum = 0;\n      AdtsStream$1.prototype.init.call(this);\n      this.skipWarn_ = function (start, end) {\n        this.trigger('log', {\n          level: 'warn',\n          message: `adts skiping bytes ${start} to ${end} in frame ${frameNum} outside syncword`\n        });\n      };\n      this.push = function (packet) {\n        var i = 0,\n          frameLength,\n          protectionSkipBytes,\n          oldBuffer,\n          sampleCount,\n          adtsFrameDuration;\n        if (!handlePartialSegments) {\n          frameNum = 0;\n        }\n        if (packet.type !== 'audio') {\n          // ignore non-audio data\n          return;\n        } // Prepend any data in the buffer to the input data so that we can parse\n        // aac frames the cross a PES packet boundary\n\n        if (buffer && buffer.length) {\n          oldBuffer = buffer;\n          buffer = new Uint8Array(oldBuffer.byteLength + packet.data.byteLength);\n          buffer.set(oldBuffer);\n          buffer.set(packet.data, oldBuffer.byteLength);\n        } else {\n          buffer = packet.data;\n        } // unpack any ADTS frames which have been fully received\n        // for details on the ADTS header, see http://wiki.multimedia.cx/index.php?title=ADTS\n\n        var skip; // We use i + 7 here because we want to be able to parse the entire header.\n        // If we don't have enough bytes to do that, then we definitely won't have a full frame.\n\n        while (i + 7 < buffer.length) {\n          // Look for the start of an ADTS header..\n          if (buffer[i] !== 0xFF || (buffer[i + 1] & 0xF6) !== 0xF0) {\n            if (typeof skip !== 'number') {\n              skip = i;\n            } // If a valid header was not found,  jump one forward and attempt to\n            // find a valid ADTS header starting at the next byte\n\n            i++;\n            continue;\n          }\n          if (typeof skip === 'number') {\n            this.skipWarn_(skip, i);\n            skip = null;\n          } // The protection skip bit tells us if we have 2 bytes of CRC data at the\n          // end of the ADTS header\n\n          protectionSkipBytes = (~buffer[i + 1] & 0x01) * 2; // Frame length is a 13 bit integer starting 16 bits from the\n          // end of the sync sequence\n          // NOTE: frame length includes the size of the header\n\n          frameLength = (buffer[i + 3] & 0x03) << 11 | buffer[i + 4] << 3 | (buffer[i + 5] & 0xe0) >> 5;\n          sampleCount = ((buffer[i + 6] & 0x03) + 1) * 1024;\n          adtsFrameDuration = sampleCount * ONE_SECOND_IN_TS$2 / ADTS_SAMPLING_FREQUENCIES$1[(buffer[i + 2] & 0x3c) >>> 2]; // If we don't have enough data to actually finish this ADTS frame,\n          // then we have to wait for more data\n\n          if (buffer.byteLength - i < frameLength) {\n            break;\n          } // Otherwise, deliver the complete AAC frame\n\n          this.trigger('data', {\n            pts: packet.pts + frameNum * adtsFrameDuration,\n            dts: packet.dts + frameNum * adtsFrameDuration,\n            sampleCount: sampleCount,\n            audioobjecttype: (buffer[i + 2] >>> 6 & 0x03) + 1,\n            channelcount: (buffer[i + 2] & 1) << 2 | (buffer[i + 3] & 0xc0) >>> 6,\n            samplerate: ADTS_SAMPLING_FREQUENCIES$1[(buffer[i + 2] & 0x3c) >>> 2],\n            samplingfrequencyindex: (buffer[i + 2] & 0x3c) >>> 2,\n            // assume ISO/IEC 14496-12 AudioSampleEntry default of 16\n            samplesize: 16,\n            // data is the frame without it's header\n            data: buffer.subarray(i + 7 + protectionSkipBytes, i + frameLength)\n          });\n          frameNum++;\n          i += frameLength;\n        }\n        if (typeof skip === 'number') {\n          this.skipWarn_(skip, i);\n          skip = null;\n        } // remove processed bytes from the buffer.\n\n        buffer = buffer.subarray(i);\n      };\n      this.flush = function () {\n        frameNum = 0;\n        this.trigger('done');\n      };\n      this.reset = function () {\n        buffer = void 0;\n        this.trigger('reset');\n      };\n      this.endTimeline = function () {\n        buffer = void 0;\n        this.trigger('endedtimeline');\n      };\n    };\n    AdtsStream$1.prototype = new Stream$3();\n    var adts = AdtsStream$1;\n    /**\n     * mux.js\n     *\n     * Copyright (c) Brightcove\n     * Licensed Apache-2.0 https://github.com/videojs/mux.js/blob/master/LICENSE\n     */\n\n    var ExpGolomb$1;\n    /**\n     * Parser for exponential Golomb codes, a variable-bitwidth number encoding\n     * scheme used by h264.\n     */\n\n    ExpGolomb$1 = function (workingData) {\n      var\n        // the number of bytes left to examine in workingData\n        workingBytesAvailable = workingData.byteLength,\n        // the current word being examined\n        workingWord = 0,\n        // :uint\n        // the number of bits left to examine in the current word\n        workingBitsAvailable = 0; // :uint;\n      // ():uint\n\n      this.length = function () {\n        return 8 * workingBytesAvailable;\n      }; // ():uint\n\n      this.bitsAvailable = function () {\n        return 8 * workingBytesAvailable + workingBitsAvailable;\n      }; // ():void\n\n      this.loadWord = function () {\n        var position = workingData.byteLength - workingBytesAvailable,\n          workingBytes = new Uint8Array(4),\n          availableBytes = Math.min(4, workingBytesAvailable);\n        if (availableBytes === 0) {\n          throw new Error('no bytes available');\n        }\n        workingBytes.set(workingData.subarray(position, position + availableBytes));\n        workingWord = new DataView(workingBytes.buffer).getUint32(0); // track the amount of workingData that has been processed\n\n        workingBitsAvailable = availableBytes * 8;\n        workingBytesAvailable -= availableBytes;\n      }; // (count:int):void\n\n      this.skipBits = function (count) {\n        var skipBytes; // :int\n\n        if (workingBitsAvailable > count) {\n          workingWord <<= count;\n          workingBitsAvailable -= count;\n        } else {\n          count -= workingBitsAvailable;\n          skipBytes = Math.floor(count / 8);\n          count -= skipBytes * 8;\n          workingBytesAvailable -= skipBytes;\n          this.loadWord();\n          workingWord <<= count;\n          workingBitsAvailable -= count;\n        }\n      }; // (size:int):uint\n\n      this.readBits = function (size) {\n        var bits = Math.min(workingBitsAvailable, size),\n          // :uint\n          valu = workingWord >>> 32 - bits; // :uint\n        // if size > 31, handle error\n\n        workingBitsAvailable -= bits;\n        if (workingBitsAvailable > 0) {\n          workingWord <<= bits;\n        } else if (workingBytesAvailable > 0) {\n          this.loadWord();\n        }\n        bits = size - bits;\n        if (bits > 0) {\n          return valu << bits | this.readBits(bits);\n        }\n        return valu;\n      }; // ():uint\n\n      this.skipLeadingZeros = function () {\n        var leadingZeroCount; // :uint\n\n        for (leadingZeroCount = 0; leadingZeroCount < workingBitsAvailable; ++leadingZeroCount) {\n          if ((workingWord & 0x80000000 >>> leadingZeroCount) !== 0) {\n            // the first bit of working word is 1\n            workingWord <<= leadingZeroCount;\n            workingBitsAvailable -= leadingZeroCount;\n            return leadingZeroCount;\n          }\n        } // we exhausted workingWord and still have not found a 1\n\n        this.loadWord();\n        return leadingZeroCount + this.skipLeadingZeros();\n      }; // ():void\n\n      this.skipUnsignedExpGolomb = function () {\n        this.skipBits(1 + this.skipLeadingZeros());\n      }; // ():void\n\n      this.skipExpGolomb = function () {\n        this.skipBits(1 + this.skipLeadingZeros());\n      }; // ():uint\n\n      this.readUnsignedExpGolomb = function () {\n        var clz = this.skipLeadingZeros(); // :uint\n\n        return this.readBits(clz + 1) - 1;\n      }; // ():int\n\n      this.readExpGolomb = function () {\n        var valu = this.readUnsignedExpGolomb(); // :int\n\n        if (0x01 & valu) {\n          // the number is odd if the low order bit is set\n          return 1 + valu >>> 1; // add 1 to make it even, and divide by 2\n        }\n        return -1 * (valu >>> 1); // divide by two then make it negative\n      }; // Some convenience functions\n      // :Boolean\n\n      this.readBoolean = function () {\n        return this.readBits(1) === 1;\n      }; // ():int\n\n      this.readUnsignedByte = function () {\n        return this.readBits(8);\n      };\n      this.loadWord();\n    };\n    var expGolomb = ExpGolomb$1;\n    /**\n     * mux.js\n     *\n     * Copyright (c) Brightcove\n     * Licensed Apache-2.0 https://github.com/videojs/mux.js/blob/master/LICENSE\n     */\n\n    var Stream$2 = stream;\n    var ExpGolomb = expGolomb;\n    var H264Stream$1, NalByteStream;\n    var PROFILES_WITH_OPTIONAL_SPS_DATA;\n    /**\n     * Accepts a NAL unit byte stream and unpacks the embedded NAL units.\n     */\n\n    NalByteStream = function () {\n      var syncPoint = 0,\n        i,\n        buffer;\n      NalByteStream.prototype.init.call(this);\n      /*\n       * Scans a byte stream and triggers a data event with the NAL units found.\n       * @param {Object} data Event received from H264Stream\n       * @param {Uint8Array} data.data The h264 byte stream to be scanned\n       *\n       * @see H264Stream.push\n       */\n\n      this.push = function (data) {\n        var swapBuffer;\n        if (!buffer) {\n          buffer = data.data;\n        } else {\n          swapBuffer = new Uint8Array(buffer.byteLength + data.data.byteLength);\n          swapBuffer.set(buffer);\n          swapBuffer.set(data.data, buffer.byteLength);\n          buffer = swapBuffer;\n        }\n        var len = buffer.byteLength; // Rec. ITU-T H.264, Annex B\n        // scan for NAL unit boundaries\n        // a match looks like this:\n        // 0 0 1 .. NAL .. 0 0 1\n        // ^ sync point        ^ i\n        // or this:\n        // 0 0 1 .. NAL .. 0 0 0\n        // ^ sync point        ^ i\n        // advance the sync point to a NAL start, if necessary\n\n        for (; syncPoint < len - 3; syncPoint++) {\n          if (buffer[syncPoint + 2] === 1) {\n            // the sync point is properly aligned\n            i = syncPoint + 5;\n            break;\n          }\n        }\n        while (i < len) {\n          // look at the current byte to determine if we've hit the end of\n          // a NAL unit boundary\n          switch (buffer[i]) {\n            case 0:\n              // skip past non-sync sequences\n              if (buffer[i - 1] !== 0) {\n                i += 2;\n                break;\n              } else if (buffer[i - 2] !== 0) {\n                i++;\n                break;\n              } // deliver the NAL unit if it isn't empty\n\n              if (syncPoint + 3 !== i - 2) {\n                this.trigger('data', buffer.subarray(syncPoint + 3, i - 2));\n              } // drop trailing zeroes\n\n              do {\n                i++;\n              } while (buffer[i] !== 1 && i < len);\n              syncPoint = i - 2;\n              i += 3;\n              break;\n            case 1:\n              // skip past non-sync sequences\n              if (buffer[i - 1] !== 0 || buffer[i - 2] !== 0) {\n                i += 3;\n                break;\n              } // deliver the NAL unit\n\n              this.trigger('data', buffer.subarray(syncPoint + 3, i - 2));\n              syncPoint = i - 2;\n              i += 3;\n              break;\n            default:\n              // the current byte isn't a one or zero, so it cannot be part\n              // of a sync sequence\n              i += 3;\n              break;\n          }\n        } // filter out the NAL units that were delivered\n\n        buffer = buffer.subarray(syncPoint);\n        i -= syncPoint;\n        syncPoint = 0;\n      };\n      this.reset = function () {\n        buffer = null;\n        syncPoint = 0;\n        this.trigger('reset');\n      };\n      this.flush = function () {\n        // deliver the last buffered NAL unit\n        if (buffer && buffer.byteLength > 3) {\n          this.trigger('data', buffer.subarray(syncPoint + 3));\n        } // reset the stream state\n\n        buffer = null;\n        syncPoint = 0;\n        this.trigger('done');\n      };\n      this.endTimeline = function () {\n        this.flush();\n        this.trigger('endedtimeline');\n      };\n    };\n    NalByteStream.prototype = new Stream$2(); // values of profile_idc that indicate additional fields are included in the SPS\n    // see Recommendation ITU-T H.264 (4/2013),\n    // 7.3.2.1.1 Sequence parameter set data syntax\n\n    PROFILES_WITH_OPTIONAL_SPS_DATA = {\n      100: true,\n      110: true,\n      122: true,\n      244: true,\n      44: true,\n      83: true,\n      86: true,\n      118: true,\n      128: true,\n      // TODO: the three profiles below don't\n      // appear to have sps data in the specificiation anymore?\n      138: true,\n      139: true,\n      134: true\n    };\n    /**\n     * Accepts input from a ElementaryStream and produces H.264 NAL unit data\n     * events.\n     */\n\n    H264Stream$1 = function () {\n      var nalByteStream = new NalByteStream(),\n        self,\n        trackId,\n        currentPts,\n        currentDts,\n        discardEmulationPreventionBytes,\n        readSequenceParameterSet,\n        skipScalingList;\n      H264Stream$1.prototype.init.call(this);\n      self = this;\n      /*\n       * Pushes a packet from a stream onto the NalByteStream\n       *\n       * @param {Object} packet - A packet received from a stream\n       * @param {Uint8Array} packet.data - The raw bytes of the packet\n       * @param {Number} packet.dts - Decode timestamp of the packet\n       * @param {Number} packet.pts - Presentation timestamp of the packet\n       * @param {Number} packet.trackId - The id of the h264 track this packet came from\n       * @param {('video'|'audio')} packet.type - The type of packet\n       *\n       */\n\n      this.push = function (packet) {\n        if (packet.type !== 'video') {\n          return;\n        }\n        trackId = packet.trackId;\n        currentPts = packet.pts;\n        currentDts = packet.dts;\n        nalByteStream.push(packet);\n      };\n      /*\n       * Identify NAL unit types and pass on the NALU, trackId, presentation and decode timestamps\n       * for the NALUs to the next stream component.\n       * Also, preprocess caption and sequence parameter NALUs.\n       *\n       * @param {Uint8Array} data - A NAL unit identified by `NalByteStream.push`\n       * @see NalByteStream.push\n       */\n\n      nalByteStream.on('data', function (data) {\n        var event = {\n          trackId: trackId,\n          pts: currentPts,\n          dts: currentDts,\n          data: data,\n          nalUnitTypeCode: data[0] & 0x1f\n        };\n        switch (event.nalUnitTypeCode) {\n          case 0x05:\n            event.nalUnitType = 'slice_layer_without_partitioning_rbsp_idr';\n            break;\n          case 0x06:\n            event.nalUnitType = 'sei_rbsp';\n            event.escapedRBSP = discardEmulationPreventionBytes(data.subarray(1));\n            break;\n          case 0x07:\n            event.nalUnitType = 'seq_parameter_set_rbsp';\n            event.escapedRBSP = discardEmulationPreventionBytes(data.subarray(1));\n            event.config = readSequenceParameterSet(event.escapedRBSP);\n            break;\n          case 0x08:\n            event.nalUnitType = 'pic_parameter_set_rbsp';\n            break;\n          case 0x09:\n            event.nalUnitType = 'access_unit_delimiter_rbsp';\n            break;\n        } // This triggers data on the H264Stream\n\n        self.trigger('data', event);\n      });\n      nalByteStream.on('done', function () {\n        self.trigger('done');\n      });\n      nalByteStream.on('partialdone', function () {\n        self.trigger('partialdone');\n      });\n      nalByteStream.on('reset', function () {\n        self.trigger('reset');\n      });\n      nalByteStream.on('endedtimeline', function () {\n        self.trigger('endedtimeline');\n      });\n      this.flush = function () {\n        nalByteStream.flush();\n      };\n      this.partialFlush = function () {\n        nalByteStream.partialFlush();\n      };\n      this.reset = function () {\n        nalByteStream.reset();\n      };\n      this.endTimeline = function () {\n        nalByteStream.endTimeline();\n      };\n      /**\n       * Advance the ExpGolomb decoder past a scaling list. The scaling\n       * list is optionally transmitted as part of a sequence parameter\n       * set and is not relevant to transmuxing.\n       * @param count {number} the number of entries in this scaling list\n       * @param expGolombDecoder {object} an ExpGolomb pointed to the\n       * start of a scaling list\n       * @see Recommendation ITU-T H.264, Section 7.3.2.1.1.1\n       */\n\n      skipScalingList = function (count, expGolombDecoder) {\n        var lastScale = 8,\n          nextScale = 8,\n          j,\n          deltaScale;\n        for (j = 0; j < count; j++) {\n          if (nextScale !== 0) {\n            deltaScale = expGolombDecoder.readExpGolomb();\n            nextScale = (lastScale + deltaScale + 256) % 256;\n          }\n          lastScale = nextScale === 0 ? lastScale : nextScale;\n        }\n      };\n      /**\n       * Expunge any \"Emulation Prevention\" bytes from a \"Raw Byte\n       * Sequence Payload\"\n       * @param data {Uint8Array} the bytes of a RBSP from a NAL\n       * unit\n       * @return {Uint8Array} the RBSP without any Emulation\n       * Prevention Bytes\n       */\n\n      discardEmulationPreventionBytes = function (data) {\n        var length = data.byteLength,\n          emulationPreventionBytesPositions = [],\n          i = 1,\n          newLength,\n          newData; // Find all `Emulation Prevention Bytes`\n\n        while (i < length - 2) {\n          if (data[i] === 0 && data[i + 1] === 0 && data[i + 2] === 0x03) {\n            emulationPreventionBytesPositions.push(i + 2);\n            i += 2;\n          } else {\n            i++;\n          }\n        } // If no Emulation Prevention Bytes were found just return the original\n        // array\n\n        if (emulationPreventionBytesPositions.length === 0) {\n          return data;\n        } // Create a new array to hold the NAL unit data\n\n        newLength = length - emulationPreventionBytesPositions.length;\n        newData = new Uint8Array(newLength);\n        var sourceIndex = 0;\n        for (i = 0; i < newLength; sourceIndex++, i++) {\n          if (sourceIndex === emulationPreventionBytesPositions[0]) {\n            // Skip this byte\n            sourceIndex++; // Remove this position index\n\n            emulationPreventionBytesPositions.shift();\n          }\n          newData[i] = data[sourceIndex];\n        }\n        return newData;\n      };\n      /**\n       * Read a sequence parameter set and return some interesting video\n       * properties. A sequence parameter set is the H264 metadata that\n       * describes the properties of upcoming video frames.\n       * @param data {Uint8Array} the bytes of a sequence parameter set\n       * @return {object} an object with configuration parsed from the\n       * sequence parameter set, including the dimensions of the\n       * associated video frames.\n       */\n\n      readSequenceParameterSet = function (data) {\n        var frameCropLeftOffset = 0,\n          frameCropRightOffset = 0,\n          frameCropTopOffset = 0,\n          frameCropBottomOffset = 0,\n          expGolombDecoder,\n          profileIdc,\n          levelIdc,\n          profileCompatibility,\n          chromaFormatIdc,\n          picOrderCntType,\n          numRefFramesInPicOrderCntCycle,\n          picWidthInMbsMinus1,\n          picHeightInMapUnitsMinus1,\n          frameMbsOnlyFlag,\n          scalingListCount,\n          sarRatio = [1, 1],\n          aspectRatioIdc,\n          i;\n        expGolombDecoder = new ExpGolomb(data);\n        profileIdc = expGolombDecoder.readUnsignedByte(); // profile_idc\n\n        profileCompatibility = expGolombDecoder.readUnsignedByte(); // constraint_set[0-5]_flag\n\n        levelIdc = expGolombDecoder.readUnsignedByte(); // level_idc u(8)\n\n        expGolombDecoder.skipUnsignedExpGolomb(); // seq_parameter_set_id\n        // some profiles have more optional data we don't need\n\n        if (PROFILES_WITH_OPTIONAL_SPS_DATA[profileIdc]) {\n          chromaFormatIdc = expGolombDecoder.readUnsignedExpGolomb();\n          if (chromaFormatIdc === 3) {\n            expGolombDecoder.skipBits(1); // separate_colour_plane_flag\n          }\n          expGolombDecoder.skipUnsignedExpGolomb(); // bit_depth_luma_minus8\n\n          expGolombDecoder.skipUnsignedExpGolomb(); // bit_depth_chroma_minus8\n\n          expGolombDecoder.skipBits(1); // qpprime_y_zero_transform_bypass_flag\n\n          if (expGolombDecoder.readBoolean()) {\n            // seq_scaling_matrix_present_flag\n            scalingListCount = chromaFormatIdc !== 3 ? 8 : 12;\n            for (i = 0; i < scalingListCount; i++) {\n              if (expGolombDecoder.readBoolean()) {\n                // seq_scaling_list_present_flag[ i ]\n                if (i < 6) {\n                  skipScalingList(16, expGolombDecoder);\n                } else {\n                  skipScalingList(64, expGolombDecoder);\n                }\n              }\n            }\n          }\n        }\n        expGolombDecoder.skipUnsignedExpGolomb(); // log2_max_frame_num_minus4\n\n        picOrderCntType = expGolombDecoder.readUnsignedExpGolomb();\n        if (picOrderCntType === 0) {\n          expGolombDecoder.readUnsignedExpGolomb(); // log2_max_pic_order_cnt_lsb_minus4\n        } else if (picOrderCntType === 1) {\n          expGolombDecoder.skipBits(1); // delta_pic_order_always_zero_flag\n\n          expGolombDecoder.skipExpGolomb(); // offset_for_non_ref_pic\n\n          expGolombDecoder.skipExpGolomb(); // offset_for_top_to_bottom_field\n\n          numRefFramesInPicOrderCntCycle = expGolombDecoder.readUnsignedExpGolomb();\n          for (i = 0; i < numRefFramesInPicOrderCntCycle; i++) {\n            expGolombDecoder.skipExpGolomb(); // offset_for_ref_frame[ i ]\n          }\n        }\n        expGolombDecoder.skipUnsignedExpGolomb(); // max_num_ref_frames\n\n        expGolombDecoder.skipBits(1); // gaps_in_frame_num_value_allowed_flag\n\n        picWidthInMbsMinus1 = expGolombDecoder.readUnsignedExpGolomb();\n        picHeightInMapUnitsMinus1 = expGolombDecoder.readUnsignedExpGolomb();\n        frameMbsOnlyFlag = expGolombDecoder.readBits(1);\n        if (frameMbsOnlyFlag === 0) {\n          expGolombDecoder.skipBits(1); // mb_adaptive_frame_field_flag\n        }\n        expGolombDecoder.skipBits(1); // direct_8x8_inference_flag\n\n        if (expGolombDecoder.readBoolean()) {\n          // frame_cropping_flag\n          frameCropLeftOffset = expGolombDecoder.readUnsignedExpGolomb();\n          frameCropRightOffset = expGolombDecoder.readUnsignedExpGolomb();\n          frameCropTopOffset = expGolombDecoder.readUnsignedExpGolomb();\n          frameCropBottomOffset = expGolombDecoder.readUnsignedExpGolomb();\n        }\n        if (expGolombDecoder.readBoolean()) {\n          // vui_parameters_present_flag\n          if (expGolombDecoder.readBoolean()) {\n            // aspect_ratio_info_present_flag\n            aspectRatioIdc = expGolombDecoder.readUnsignedByte();\n            switch (aspectRatioIdc) {\n              case 1:\n                sarRatio = [1, 1];\n                break;\n              case 2:\n                sarRatio = [12, 11];\n                break;\n              case 3:\n                sarRatio = [10, 11];\n                break;\n              case 4:\n                sarRatio = [16, 11];\n                break;\n              case 5:\n                sarRatio = [40, 33];\n                break;\n              case 6:\n                sarRatio = [24, 11];\n                break;\n              case 7:\n                sarRatio = [20, 11];\n                break;\n              case 8:\n                sarRatio = [32, 11];\n                break;\n              case 9:\n                sarRatio = [80, 33];\n                break;\n              case 10:\n                sarRatio = [18, 11];\n                break;\n              case 11:\n                sarRatio = [15, 11];\n                break;\n              case 12:\n                sarRatio = [64, 33];\n                break;\n              case 13:\n                sarRatio = [160, 99];\n                break;\n              case 14:\n                sarRatio = [4, 3];\n                break;\n              case 15:\n                sarRatio = [3, 2];\n                break;\n              case 16:\n                sarRatio = [2, 1];\n                break;\n              case 255:\n                {\n                  sarRatio = [expGolombDecoder.readUnsignedByte() << 8 | expGolombDecoder.readUnsignedByte(), expGolombDecoder.readUnsignedByte() << 8 | expGolombDecoder.readUnsignedByte()];\n                  break;\n                }\n            }\n            if (sarRatio) {\n              sarRatio[0] / sarRatio[1];\n            }\n          }\n        }\n        return {\n          profileIdc: profileIdc,\n          levelIdc: levelIdc,\n          profileCompatibility: profileCompatibility,\n          width: (picWidthInMbsMinus1 + 1) * 16 - frameCropLeftOffset * 2 - frameCropRightOffset * 2,\n          height: (2 - frameMbsOnlyFlag) * (picHeightInMapUnitsMinus1 + 1) * 16 - frameCropTopOffset * 2 - frameCropBottomOffset * 2,\n          // sar is sample aspect ratio\n          sarRatio: sarRatio\n        };\n      };\n    };\n    H264Stream$1.prototype = new Stream$2();\n    var h264 = {\n      H264Stream: H264Stream$1,\n      NalByteStream: NalByteStream\n    };\n    /**\n     * mux.js\n     *\n     * Copyright (c) Brightcove\n     * Licensed Apache-2.0 https://github.com/videojs/mux.js/blob/master/LICENSE\n     *\n     * Utilities to detect basic properties and metadata about Aac data.\n     */\n\n    var ADTS_SAMPLING_FREQUENCIES = [96000, 88200, 64000, 48000, 44100, 32000, 24000, 22050, 16000, 12000, 11025, 8000, 7350];\n    var parseId3TagSize = function (header, byteIndex) {\n      var returnSize = header[byteIndex + 6] << 21 | header[byteIndex + 7] << 14 | header[byteIndex + 8] << 7 | header[byteIndex + 9],\n        flags = header[byteIndex + 5],\n        footerPresent = (flags & 16) >> 4; // if we get a negative returnSize clamp it to 0\n\n      returnSize = returnSize >= 0 ? returnSize : 0;\n      if (footerPresent) {\n        return returnSize + 20;\n      }\n      return returnSize + 10;\n    };\n    var getId3Offset = function (data, offset) {\n      if (data.length - offset < 10 || data[offset] !== 'I'.charCodeAt(0) || data[offset + 1] !== 'D'.charCodeAt(0) || data[offset + 2] !== '3'.charCodeAt(0)) {\n        return offset;\n      }\n      offset += parseId3TagSize(data, offset);\n      return getId3Offset(data, offset);\n    }; // TODO: use vhs-utils\n\n    var isLikelyAacData$1 = function (data) {\n      var offset = getId3Offset(data, 0);\n      return data.length >= offset + 2 && (data[offset] & 0xFF) === 0xFF && (data[offset + 1] & 0xF0) === 0xF0 &&\n      // verify that the 2 layer bits are 0, aka this\n      // is not mp3 data but aac data.\n      (data[offset + 1] & 0x16) === 0x10;\n    };\n    var parseSyncSafeInteger = function (data) {\n      return data[0] << 21 | data[1] << 14 | data[2] << 7 | data[3];\n    }; // return a percent-encoded representation of the specified byte range\n    // @see http://en.wikipedia.org/wiki/Percent-encoding\n\n    var percentEncode = function (bytes, start, end) {\n      var i,\n        result = '';\n      for (i = start; i < end; i++) {\n        result += '%' + ('00' + bytes[i].toString(16)).slice(-2);\n      }\n      return result;\n    }; // return the string representation of the specified byte range,\n    // interpreted as ISO-8859-1.\n\n    var parseIso88591 = function (bytes, start, end) {\n      return unescape(percentEncode(bytes, start, end)); // jshint ignore:line\n    };\n    var parseAdtsSize = function (header, byteIndex) {\n      var lowThree = (header[byteIndex + 5] & 0xE0) >> 5,\n        middle = header[byteIndex + 4] << 3,\n        highTwo = header[byteIndex + 3] & 0x3 << 11;\n      return highTwo | middle | lowThree;\n    };\n    var parseType$5 = function (header, byteIndex) {\n      if (header[byteIndex] === 'I'.charCodeAt(0) && header[byteIndex + 1] === 'D'.charCodeAt(0) && header[byteIndex + 2] === '3'.charCodeAt(0)) {\n        return 'timed-metadata';\n      } else if (header[byteIndex] & 0xff === 0xff && (header[byteIndex + 1] & 0xf0) === 0xf0) {\n        return 'audio';\n      }\n      return null;\n    };\n    var parseSampleRate = function (packet) {\n      var i = 0;\n      while (i + 5 < packet.length) {\n        if (packet[i] !== 0xFF || (packet[i + 1] & 0xF6) !== 0xF0) {\n          // If a valid header was not found,  jump one forward and attempt to\n          // find a valid ADTS header starting at the next byte\n          i++;\n          continue;\n        }\n        return ADTS_SAMPLING_FREQUENCIES[(packet[i + 2] & 0x3c) >>> 2];\n      }\n      return null;\n    };\n    var parseAacTimestamp = function (packet) {\n      var frameStart, frameSize, frame, frameHeader; // find the start of the first frame and the end of the tag\n\n      frameStart = 10;\n      if (packet[5] & 0x40) {\n        // advance the frame start past the extended header\n        frameStart += 4; // header size field\n\n        frameStart += parseSyncSafeInteger(packet.subarray(10, 14));\n      } // parse one or more ID3 frames\n      // http://id3.org/id3v2.3.0#ID3v2_frame_overview\n\n      do {\n        // determine the number of bytes in this frame\n        frameSize = parseSyncSafeInteger(packet.subarray(frameStart + 4, frameStart + 8));\n        if (frameSize < 1) {\n          return null;\n        }\n        frameHeader = String.fromCharCode(packet[frameStart], packet[frameStart + 1], packet[frameStart + 2], packet[frameStart + 3]);\n        if (frameHeader === 'PRIV') {\n          frame = packet.subarray(frameStart + 10, frameStart + frameSize + 10);\n          for (var i = 0; i < frame.byteLength; i++) {\n            if (frame[i] === 0) {\n              var owner = parseIso88591(frame, 0, i);\n              if (owner === 'com.apple.streaming.transportStreamTimestamp') {\n                var d = frame.subarray(i + 1);\n                var size = (d[3] & 0x01) << 30 | d[4] << 22 | d[5] << 14 | d[6] << 6 | d[7] >>> 2;\n                size *= 4;\n                size += d[7] & 0x03;\n                return size;\n              }\n              break;\n            }\n          }\n        }\n        frameStart += 10; // advance past the frame header\n\n        frameStart += frameSize; // advance past the frame body\n      } while (frameStart < packet.byteLength);\n      return null;\n    };\n    var utils = {\n      isLikelyAacData: isLikelyAacData$1,\n      parseId3TagSize: parseId3TagSize,\n      parseAdtsSize: parseAdtsSize,\n      parseType: parseType$5,\n      parseSampleRate: parseSampleRate,\n      parseAacTimestamp: parseAacTimestamp\n    };\n    /**\n     * mux.js\n     *\n     * Copyright (c) Brightcove\n     * Licensed Apache-2.0 https://github.com/videojs/mux.js/blob/master/LICENSE\n     *\n     * A stream-based aac to mp4 converter. This utility can be used to\n     * deliver mp4s to a SourceBuffer on platforms that support native\n     * Media Source Extensions.\n     */\n\n    var Stream$1 = stream;\n    var aacUtils = utils; // Constants\n\n    var AacStream$1;\n    /**\n     * Splits an incoming stream of binary data into ADTS and ID3 Frames.\n     */\n\n    AacStream$1 = function () {\n      var everything = new Uint8Array(),\n        timeStamp = 0;\n      AacStream$1.prototype.init.call(this);\n      this.setTimestamp = function (timestamp) {\n        timeStamp = timestamp;\n      };\n      this.push = function (bytes) {\n        var frameSize = 0,\n          byteIndex = 0,\n          bytesLeft,\n          chunk,\n          packet,\n          tempLength; // If there are bytes remaining from the last segment, prepend them to the\n        // bytes that were pushed in\n\n        if (everything.length) {\n          tempLength = everything.length;\n          everything = new Uint8Array(bytes.byteLength + tempLength);\n          everything.set(everything.subarray(0, tempLength));\n          everything.set(bytes, tempLength);\n        } else {\n          everything = bytes;\n        }\n        while (everything.length - byteIndex >= 3) {\n          if (everything[byteIndex] === 'I'.charCodeAt(0) && everything[byteIndex + 1] === 'D'.charCodeAt(0) && everything[byteIndex + 2] === '3'.charCodeAt(0)) {\n            // Exit early because we don't have enough to parse\n            // the ID3 tag header\n            if (everything.length - byteIndex < 10) {\n              break;\n            } // check framesize\n\n            frameSize = aacUtils.parseId3TagSize(everything, byteIndex); // Exit early if we don't have enough in the buffer\n            // to emit a full packet\n            // Add to byteIndex to support multiple ID3 tags in sequence\n\n            if (byteIndex + frameSize > everything.length) {\n              break;\n            }\n            chunk = {\n              type: 'timed-metadata',\n              data: everything.subarray(byteIndex, byteIndex + frameSize)\n            };\n            this.trigger('data', chunk);\n            byteIndex += frameSize;\n            continue;\n          } else if ((everything[byteIndex] & 0xff) === 0xff && (everything[byteIndex + 1] & 0xf0) === 0xf0) {\n            // Exit early because we don't have enough to parse\n            // the ADTS frame header\n            if (everything.length - byteIndex < 7) {\n              break;\n            }\n            frameSize = aacUtils.parseAdtsSize(everything, byteIndex); // Exit early if we don't have enough in the buffer\n            // to emit a full packet\n\n            if (byteIndex + frameSize > everything.length) {\n              break;\n            }\n            packet = {\n              type: 'audio',\n              data: everything.subarray(byteIndex, byteIndex + frameSize),\n              pts: timeStamp,\n              dts: timeStamp\n            };\n            this.trigger('data', packet);\n            byteIndex += frameSize;\n            continue;\n          }\n          byteIndex++;\n        }\n        bytesLeft = everything.length - byteIndex;\n        if (bytesLeft > 0) {\n          everything = everything.subarray(byteIndex);\n        } else {\n          everything = new Uint8Array();\n        }\n      };\n      this.reset = function () {\n        everything = new Uint8Array();\n        this.trigger('reset');\n      };\n      this.endTimeline = function () {\n        everything = new Uint8Array();\n        this.trigger('endedtimeline');\n      };\n    };\n    AacStream$1.prototype = new Stream$1();\n    var aac = AacStream$1;\n    var AUDIO_PROPERTIES$1 = ['audioobjecttype', 'channelcount', 'samplerate', 'samplingfrequencyindex', 'samplesize'];\n    var audioProperties = AUDIO_PROPERTIES$1;\n    var VIDEO_PROPERTIES$1 = ['width', 'height', 'profileIdc', 'levelIdc', 'profileCompatibility', 'sarRatio'];\n    var videoProperties = VIDEO_PROPERTIES$1;\n    /**\n     * mux.js\n     *\n     * Copyright (c) Brightcove\n     * Licensed Apache-2.0 https://github.com/videojs/mux.js/blob/master/LICENSE\n     *\n     * A stream-based mp2t to mp4 converter. This utility can be used to\n     * deliver mp4s to a SourceBuffer on platforms that support native\n     * Media Source Extensions.\n     */\n\n    var Stream = stream;\n    var mp4 = mp4Generator;\n    var frameUtils = frameUtils$1;\n    var audioFrameUtils = audioFrameUtils$1;\n    var trackDecodeInfo = trackDecodeInfo$1;\n    var m2ts = m2ts_1;\n    var clock = clock$2;\n    var AdtsStream = adts;\n    var H264Stream = h264.H264Stream;\n    var AacStream = aac;\n    var isLikelyAacData = utils.isLikelyAacData;\n    var ONE_SECOND_IN_TS$1 = clock$2.ONE_SECOND_IN_TS;\n    var AUDIO_PROPERTIES = audioProperties;\n    var VIDEO_PROPERTIES = videoProperties; // object types\n\n    var VideoSegmentStream, AudioSegmentStream, Transmuxer, CoalesceStream;\n    var retriggerForStream = function (key, event) {\n      event.stream = key;\n      this.trigger('log', event);\n    };\n    var addPipelineLogRetriggers = function (transmuxer, pipeline) {\n      var keys = Object.keys(pipeline);\n      for (var i = 0; i < keys.length; i++) {\n        var key = keys[i]; // skip non-stream keys and headOfPipeline\n        // which is just a duplicate\n\n        if (key === 'headOfPipeline' || !pipeline[key].on) {\n          continue;\n        }\n        pipeline[key].on('log', retriggerForStream.bind(transmuxer, key));\n      }\n    };\n    /**\n     * Compare two arrays (even typed) for same-ness\n     */\n\n    var arrayEquals = function (a, b) {\n      var i;\n      if (a.length !== b.length) {\n        return false;\n      } // compare the value of each element in the array\n\n      for (i = 0; i < a.length; i++) {\n        if (a[i] !== b[i]) {\n          return false;\n        }\n      }\n      return true;\n    };\n    var generateSegmentTimingInfo = function (baseMediaDecodeTime, startDts, startPts, endDts, endPts, prependedContentDuration) {\n      var ptsOffsetFromDts = startPts - startDts,\n        decodeDuration = endDts - startDts,\n        presentationDuration = endPts - startPts; // The PTS and DTS values are based on the actual stream times from the segment,\n      // however, the player time values will reflect a start from the baseMediaDecodeTime.\n      // In order to provide relevant values for the player times, base timing info on the\n      // baseMediaDecodeTime and the DTS and PTS durations of the segment.\n\n      return {\n        start: {\n          dts: baseMediaDecodeTime,\n          pts: baseMediaDecodeTime + ptsOffsetFromDts\n        },\n        end: {\n          dts: baseMediaDecodeTime + decodeDuration,\n          pts: baseMediaDecodeTime + presentationDuration\n        },\n        prependedContentDuration: prependedContentDuration,\n        baseMediaDecodeTime: baseMediaDecodeTime\n      };\n    };\n    /**\n     * Constructs a single-track, ISO BMFF media segment from AAC data\n     * events. The output of this stream can be fed to a SourceBuffer\n     * configured with a suitable initialization segment.\n     * @param track {object} track metadata configuration\n     * @param options {object} transmuxer options object\n     * @param options.keepOriginalTimestamps {boolean} If true, keep the timestamps\n     *        in the source; false to adjust the first segment to start at 0.\n     */\n\n    AudioSegmentStream = function (track, options) {\n      var adtsFrames = [],\n        sequenceNumber,\n        earliestAllowedDts = 0,\n        audioAppendStartTs = 0,\n        videoBaseMediaDecodeTime = Infinity;\n      options = options || {};\n      sequenceNumber = options.firstSequenceNumber || 0;\n      AudioSegmentStream.prototype.init.call(this);\n      this.push = function (data) {\n        trackDecodeInfo.collectDtsInfo(track, data);\n        if (track) {\n          AUDIO_PROPERTIES.forEach(function (prop) {\n            track[prop] = data[prop];\n          });\n        } // buffer audio data until end() is called\n\n        adtsFrames.push(data);\n      };\n      this.setEarliestDts = function (earliestDts) {\n        earliestAllowedDts = earliestDts;\n      };\n      this.setVideoBaseMediaDecodeTime = function (baseMediaDecodeTime) {\n        videoBaseMediaDecodeTime = baseMediaDecodeTime;\n      };\n      this.setAudioAppendStart = function (timestamp) {\n        audioAppendStartTs = timestamp;\n      };\n      this.flush = function () {\n        var frames, moof, mdat, boxes, frameDuration, segmentDuration, videoClockCyclesOfSilencePrefixed; // return early if no audio data has been observed\n\n        if (adtsFrames.length === 0) {\n          this.trigger('done', 'AudioSegmentStream');\n          return;\n        }\n        frames = audioFrameUtils.trimAdtsFramesByEarliestDts(adtsFrames, track, earliestAllowedDts);\n        track.baseMediaDecodeTime = trackDecodeInfo.calculateTrackBaseMediaDecodeTime(track, options.keepOriginalTimestamps); // amount of audio filled but the value is in video clock rather than audio clock\n\n        videoClockCyclesOfSilencePrefixed = audioFrameUtils.prefixWithSilence(track, frames, audioAppendStartTs, videoBaseMediaDecodeTime); // we have to build the index from byte locations to\n        // samples (that is, adts frames) in the audio data\n\n        track.samples = audioFrameUtils.generateSampleTable(frames); // concatenate the audio data to constuct the mdat\n\n        mdat = mp4.mdat(audioFrameUtils.concatenateFrameData(frames));\n        adtsFrames = [];\n        moof = mp4.moof(sequenceNumber, [track]);\n        boxes = new Uint8Array(moof.byteLength + mdat.byteLength); // bump the sequence number for next time\n\n        sequenceNumber++;\n        boxes.set(moof);\n        boxes.set(mdat, moof.byteLength);\n        trackDecodeInfo.clearDtsInfo(track);\n        frameDuration = Math.ceil(ONE_SECOND_IN_TS$1 * 1024 / track.samplerate); // TODO this check was added to maintain backwards compatibility (particularly with\n        // tests) on adding the timingInfo event. However, it seems unlikely that there's a\n        // valid use-case where an init segment/data should be triggered without associated\n        // frames. Leaving for now, but should be looked into.\n\n        if (frames.length) {\n          segmentDuration = frames.length * frameDuration;\n          this.trigger('segmentTimingInfo', generateSegmentTimingInfo(\n          // The audio track's baseMediaDecodeTime is in audio clock cycles, but the\n          // frame info is in video clock cycles. Convert to match expectation of\n          // listeners (that all timestamps will be based on video clock cycles).\n          clock.audioTsToVideoTs(track.baseMediaDecodeTime, track.samplerate),\n          // frame times are already in video clock, as is segment duration\n          frames[0].dts, frames[0].pts, frames[0].dts + segmentDuration, frames[0].pts + segmentDuration, videoClockCyclesOfSilencePrefixed || 0));\n          this.trigger('timingInfo', {\n            start: frames[0].pts,\n            end: frames[0].pts + segmentDuration\n          });\n        }\n        this.trigger('data', {\n          track: track,\n          boxes: boxes\n        });\n        this.trigger('done', 'AudioSegmentStream');\n      };\n      this.reset = function () {\n        trackDecodeInfo.clearDtsInfo(track);\n        adtsFrames = [];\n        this.trigger('reset');\n      };\n    };\n    AudioSegmentStream.prototype = new Stream();\n    /**\n     * Constructs a single-track, ISO BMFF media segment from H264 data\n     * events. The output of this stream can be fed to a SourceBuffer\n     * configured with a suitable initialization segment.\n     * @param track {object} track metadata configuration\n     * @param options {object} transmuxer options object\n     * @param options.alignGopsAtEnd {boolean} If true, start from the end of the\n     *        gopsToAlignWith list when attempting to align gop pts\n     * @param options.keepOriginalTimestamps {boolean} If true, keep the timestamps\n     *        in the source; false to adjust the first segment to start at 0.\n     */\n\n    VideoSegmentStream = function (track, options) {\n      var sequenceNumber,\n        nalUnits = [],\n        gopsToAlignWith = [],\n        config,\n        pps;\n      options = options || {};\n      sequenceNumber = options.firstSequenceNumber || 0;\n      VideoSegmentStream.prototype.init.call(this);\n      delete track.minPTS;\n      this.gopCache_ = [];\n      /**\n        * Constructs a ISO BMFF segment given H264 nalUnits\n        * @param {Object} nalUnit A data event representing a nalUnit\n        * @param {String} nalUnit.nalUnitType\n        * @param {Object} nalUnit.config Properties for a mp4 track\n        * @param {Uint8Array} nalUnit.data The nalUnit bytes\n        * @see lib/codecs/h264.js\n       **/\n\n      this.push = function (nalUnit) {\n        trackDecodeInfo.collectDtsInfo(track, nalUnit); // record the track config\n\n        if (nalUnit.nalUnitType === 'seq_parameter_set_rbsp' && !config) {\n          config = nalUnit.config;\n          track.sps = [nalUnit.data];\n          VIDEO_PROPERTIES.forEach(function (prop) {\n            track[prop] = config[prop];\n          }, this);\n        }\n        if (nalUnit.nalUnitType === 'pic_parameter_set_rbsp' && !pps) {\n          pps = nalUnit.data;\n          track.pps = [nalUnit.data];\n        } // buffer video until flush() is called\n\n        nalUnits.push(nalUnit);\n      };\n      /**\n        * Pass constructed ISO BMFF track and boxes on to the\n        * next stream in the pipeline\n       **/\n\n      this.flush = function () {\n        var frames,\n          gopForFusion,\n          gops,\n          moof,\n          mdat,\n          boxes,\n          prependedContentDuration = 0,\n          firstGop,\n          lastGop; // Throw away nalUnits at the start of the byte stream until\n        // we find the first AUD\n\n        while (nalUnits.length) {\n          if (nalUnits[0].nalUnitType === 'access_unit_delimiter_rbsp') {\n            break;\n          }\n          nalUnits.shift();\n        } // Return early if no video data has been observed\n\n        if (nalUnits.length === 0) {\n          this.resetStream_();\n          this.trigger('done', 'VideoSegmentStream');\n          return;\n        } // Organize the raw nal-units into arrays that represent\n        // higher-level constructs such as frames and gops\n        // (group-of-pictures)\n\n        frames = frameUtils.groupNalsIntoFrames(nalUnits);\n        gops = frameUtils.groupFramesIntoGops(frames); // If the first frame of this fragment is not a keyframe we have\n        // a problem since MSE (on Chrome) requires a leading keyframe.\n        //\n        // We have two approaches to repairing this situation:\n        // 1) GOP-FUSION:\n        //    This is where we keep track of the GOPS (group-of-pictures)\n        //    from previous fragments and attempt to find one that we can\n        //    prepend to the current fragment in order to create a valid\n        //    fragment.\n        // 2) KEYFRAME-PULLING:\n        //    Here we search for the first keyframe in the fragment and\n        //    throw away all the frames between the start of the fragment\n        //    and that keyframe. We then extend the duration and pull the\n        //    PTS of the keyframe forward so that it covers the time range\n        //    of the frames that were disposed of.\n        //\n        // #1 is far prefereable over #2 which can cause \"stuttering\" but\n        // requires more things to be just right.\n\n        if (!gops[0][0].keyFrame) {\n          // Search for a gop for fusion from our gopCache\n          gopForFusion = this.getGopForFusion_(nalUnits[0], track);\n          if (gopForFusion) {\n            // in order to provide more accurate timing information about the segment, save\n            // the number of seconds prepended to the original segment due to GOP fusion\n            prependedContentDuration = gopForFusion.duration;\n            gops.unshift(gopForFusion); // Adjust Gops' metadata to account for the inclusion of the\n            // new gop at the beginning\n\n            gops.byteLength += gopForFusion.byteLength;\n            gops.nalCount += gopForFusion.nalCount;\n            gops.pts = gopForFusion.pts;\n            gops.dts = gopForFusion.dts;\n            gops.duration += gopForFusion.duration;\n          } else {\n            // If we didn't find a candidate gop fall back to keyframe-pulling\n            gops = frameUtils.extendFirstKeyFrame(gops);\n          }\n        } // Trim gops to align with gopsToAlignWith\n\n        if (gopsToAlignWith.length) {\n          var alignedGops;\n          if (options.alignGopsAtEnd) {\n            alignedGops = this.alignGopsAtEnd_(gops);\n          } else {\n            alignedGops = this.alignGopsAtStart_(gops);\n          }\n          if (!alignedGops) {\n            // save all the nals in the last GOP into the gop cache\n            this.gopCache_.unshift({\n              gop: gops.pop(),\n              pps: track.pps,\n              sps: track.sps\n            }); // Keep a maximum of 6 GOPs in the cache\n\n            this.gopCache_.length = Math.min(6, this.gopCache_.length); // Clear nalUnits\n\n            nalUnits = []; // return early no gops can be aligned with desired gopsToAlignWith\n\n            this.resetStream_();\n            this.trigger('done', 'VideoSegmentStream');\n            return;\n          } // Some gops were trimmed. clear dts info so minSegmentDts and pts are correct\n          // when recalculated before sending off to CoalesceStream\n\n          trackDecodeInfo.clearDtsInfo(track);\n          gops = alignedGops;\n        }\n        trackDecodeInfo.collectDtsInfo(track, gops); // First, we have to build the index from byte locations to\n        // samples (that is, frames) in the video data\n\n        track.samples = frameUtils.generateSampleTable(gops); // Concatenate the video data and construct the mdat\n\n        mdat = mp4.mdat(frameUtils.concatenateNalData(gops));\n        track.baseMediaDecodeTime = trackDecodeInfo.calculateTrackBaseMediaDecodeTime(track, options.keepOriginalTimestamps);\n        this.trigger('processedGopsInfo', gops.map(function (gop) {\n          return {\n            pts: gop.pts,\n            dts: gop.dts,\n            byteLength: gop.byteLength\n          };\n        }));\n        firstGop = gops[0];\n        lastGop = gops[gops.length - 1];\n        this.trigger('segmentTimingInfo', generateSegmentTimingInfo(track.baseMediaDecodeTime, firstGop.dts, firstGop.pts, lastGop.dts + lastGop.duration, lastGop.pts + lastGop.duration, prependedContentDuration));\n        this.trigger('timingInfo', {\n          start: gops[0].pts,\n          end: gops[gops.length - 1].pts + gops[gops.length - 1].duration\n        }); // save all the nals in the last GOP into the gop cache\n\n        this.gopCache_.unshift({\n          gop: gops.pop(),\n          pps: track.pps,\n          sps: track.sps\n        }); // Keep a maximum of 6 GOPs in the cache\n\n        this.gopCache_.length = Math.min(6, this.gopCache_.length); // Clear nalUnits\n\n        nalUnits = [];\n        this.trigger('baseMediaDecodeTime', track.baseMediaDecodeTime);\n        this.trigger('timelineStartInfo', track.timelineStartInfo);\n        moof = mp4.moof(sequenceNumber, [track]); // it would be great to allocate this array up front instead of\n        // throwing away hundreds of media segment fragments\n\n        boxes = new Uint8Array(moof.byteLength + mdat.byteLength); // Bump the sequence number for next time\n\n        sequenceNumber++;\n        boxes.set(moof);\n        boxes.set(mdat, moof.byteLength);\n        this.trigger('data', {\n          track: track,\n          boxes: boxes\n        });\n        this.resetStream_(); // Continue with the flush process now\n\n        this.trigger('done', 'VideoSegmentStream');\n      };\n      this.reset = function () {\n        this.resetStream_();\n        nalUnits = [];\n        this.gopCache_.length = 0;\n        gopsToAlignWith.length = 0;\n        this.trigger('reset');\n      };\n      this.resetStream_ = function () {\n        trackDecodeInfo.clearDtsInfo(track); // reset config and pps because they may differ across segments\n        // for instance, when we are rendition switching\n\n        config = undefined;\n        pps = undefined;\n      }; // Search for a candidate Gop for gop-fusion from the gop cache and\n      // return it or return null if no good candidate was found\n\n      this.getGopForFusion_ = function (nalUnit) {\n        var halfSecond = 45000,\n          // Half-a-second in a 90khz clock\n          allowableOverlap = 10000,\n          // About 3 frames @ 30fps\n          nearestDistance = Infinity,\n          dtsDistance,\n          nearestGopObj,\n          currentGop,\n          currentGopObj,\n          i; // Search for the GOP nearest to the beginning of this nal unit\n\n        for (i = 0; i < this.gopCache_.length; i++) {\n          currentGopObj = this.gopCache_[i];\n          currentGop = currentGopObj.gop; // Reject Gops with different SPS or PPS\n\n          if (!(track.pps && arrayEquals(track.pps[0], currentGopObj.pps[0])) || !(track.sps && arrayEquals(track.sps[0], currentGopObj.sps[0]))) {\n            continue;\n          } // Reject Gops that would require a negative baseMediaDecodeTime\n\n          if (currentGop.dts < track.timelineStartInfo.dts) {\n            continue;\n          } // The distance between the end of the gop and the start of the nalUnit\n\n          dtsDistance = nalUnit.dts - currentGop.dts - currentGop.duration; // Only consider GOPS that start before the nal unit and end within\n          // a half-second of the nal unit\n\n          if (dtsDistance >= -allowableOverlap && dtsDistance <= halfSecond) {\n            // Always use the closest GOP we found if there is more than\n            // one candidate\n            if (!nearestGopObj || nearestDistance > dtsDistance) {\n              nearestGopObj = currentGopObj;\n              nearestDistance = dtsDistance;\n            }\n          }\n        }\n        if (nearestGopObj) {\n          return nearestGopObj.gop;\n        }\n        return null;\n      }; // trim gop list to the first gop found that has a matching pts with a gop in the list\n      // of gopsToAlignWith starting from the START of the list\n\n      this.alignGopsAtStart_ = function (gops) {\n        var alignIndex, gopIndex, align, gop, byteLength, nalCount, duration, alignedGops;\n        byteLength = gops.byteLength;\n        nalCount = gops.nalCount;\n        duration = gops.duration;\n        alignIndex = gopIndex = 0;\n        while (alignIndex < gopsToAlignWith.length && gopIndex < gops.length) {\n          align = gopsToAlignWith[alignIndex];\n          gop = gops[gopIndex];\n          if (align.pts === gop.pts) {\n            break;\n          }\n          if (gop.pts > align.pts) {\n            // this current gop starts after the current gop we want to align on, so increment\n            // align index\n            alignIndex++;\n            continue;\n          } // current gop starts before the current gop we want to align on. so increment gop\n          // index\n\n          gopIndex++;\n          byteLength -= gop.byteLength;\n          nalCount -= gop.nalCount;\n          duration -= gop.duration;\n        }\n        if (gopIndex === 0) {\n          // no gops to trim\n          return gops;\n        }\n        if (gopIndex === gops.length) {\n          // all gops trimmed, skip appending all gops\n          return null;\n        }\n        alignedGops = gops.slice(gopIndex);\n        alignedGops.byteLength = byteLength;\n        alignedGops.duration = duration;\n        alignedGops.nalCount = nalCount;\n        alignedGops.pts = alignedGops[0].pts;\n        alignedGops.dts = alignedGops[0].dts;\n        return alignedGops;\n      }; // trim gop list to the first gop found that has a matching pts with a gop in the list\n      // of gopsToAlignWith starting from the END of the list\n\n      this.alignGopsAtEnd_ = function (gops) {\n        var alignIndex, gopIndex, align, gop, alignEndIndex, matchFound;\n        alignIndex = gopsToAlignWith.length - 1;\n        gopIndex = gops.length - 1;\n        alignEndIndex = null;\n        matchFound = false;\n        while (alignIndex >= 0 && gopIndex >= 0) {\n          align = gopsToAlignWith[alignIndex];\n          gop = gops[gopIndex];\n          if (align.pts === gop.pts) {\n            matchFound = true;\n            break;\n          }\n          if (align.pts > gop.pts) {\n            alignIndex--;\n            continue;\n          }\n          if (alignIndex === gopsToAlignWith.length - 1) {\n            // gop.pts is greater than the last alignment candidate. If no match is found\n            // by the end of this loop, we still want to append gops that come after this\n            // point\n            alignEndIndex = gopIndex;\n          }\n          gopIndex--;\n        }\n        if (!matchFound && alignEndIndex === null) {\n          return null;\n        }\n        var trimIndex;\n        if (matchFound) {\n          trimIndex = gopIndex;\n        } else {\n          trimIndex = alignEndIndex;\n        }\n        if (trimIndex === 0) {\n          return gops;\n        }\n        var alignedGops = gops.slice(trimIndex);\n        var metadata = alignedGops.reduce(function (total, gop) {\n          total.byteLength += gop.byteLength;\n          total.duration += gop.duration;\n          total.nalCount += gop.nalCount;\n          return total;\n        }, {\n          byteLength: 0,\n          duration: 0,\n          nalCount: 0\n        });\n        alignedGops.byteLength = metadata.byteLength;\n        alignedGops.duration = metadata.duration;\n        alignedGops.nalCount = metadata.nalCount;\n        alignedGops.pts = alignedGops[0].pts;\n        alignedGops.dts = alignedGops[0].dts;\n        return alignedGops;\n      };\n      this.alignGopsWith = function (newGopsToAlignWith) {\n        gopsToAlignWith = newGopsToAlignWith;\n      };\n    };\n    VideoSegmentStream.prototype = new Stream();\n    /**\n     * A Stream that can combine multiple streams (ie. audio & video)\n     * into a single output segment for MSE. Also supports audio-only\n     * and video-only streams.\n     * @param options {object} transmuxer options object\n     * @param options.keepOriginalTimestamps {boolean} If true, keep the timestamps\n     *        in the source; false to adjust the first segment to start at media timeline start.\n     */\n\n    CoalesceStream = function (options, metadataStream) {\n      // Number of Tracks per output segment\n      // If greater than 1, we combine multiple\n      // tracks into a single segment\n      this.numberOfTracks = 0;\n      this.metadataStream = metadataStream;\n      options = options || {};\n      if (typeof options.remux !== 'undefined') {\n        this.remuxTracks = !!options.remux;\n      } else {\n        this.remuxTracks = true;\n      }\n      if (typeof options.keepOriginalTimestamps === 'boolean') {\n        this.keepOriginalTimestamps = options.keepOriginalTimestamps;\n      } else {\n        this.keepOriginalTimestamps = false;\n      }\n      this.pendingTracks = [];\n      this.videoTrack = null;\n      this.pendingBoxes = [];\n      this.pendingCaptions = [];\n      this.pendingMetadata = [];\n      this.pendingBytes = 0;\n      this.emittedTracks = 0;\n      CoalesceStream.prototype.init.call(this); // Take output from multiple\n\n      this.push = function (output) {\n        // buffer incoming captions until the associated video segment\n        // finishes\n        if (output.content || output.text) {\n          return this.pendingCaptions.push(output);\n        } // buffer incoming id3 tags until the final flush\n\n        if (output.frames) {\n          return this.pendingMetadata.push(output);\n        } // Add this track to the list of pending tracks and store\n        // important information required for the construction of\n        // the final segment\n\n        this.pendingTracks.push(output.track);\n        this.pendingBytes += output.boxes.byteLength; // TODO: is there an issue for this against chrome?\n        // We unshift audio and push video because\n        // as of Chrome 75 when switching from\n        // one init segment to another if the video\n        // mdat does not appear after the audio mdat\n        // only audio will play for the duration of our transmux.\n\n        if (output.track.type === 'video') {\n          this.videoTrack = output.track;\n          this.pendingBoxes.push(output.boxes);\n        }\n        if (output.track.type === 'audio') {\n          this.audioTrack = output.track;\n          this.pendingBoxes.unshift(output.boxes);\n        }\n      };\n    };\n    CoalesceStream.prototype = new Stream();\n    CoalesceStream.prototype.flush = function (flushSource) {\n      var offset = 0,\n        event = {\n          captions: [],\n          captionStreams: {},\n          metadata: [],\n          info: {}\n        },\n        caption,\n        id3,\n        initSegment,\n        timelineStartPts = 0,\n        i;\n      if (this.pendingTracks.length < this.numberOfTracks) {\n        if (flushSource !== 'VideoSegmentStream' && flushSource !== 'AudioSegmentStream') {\n          // Return because we haven't received a flush from a data-generating\n          // portion of the segment (meaning that we have only recieved meta-data\n          // or captions.)\n          return;\n        } else if (this.remuxTracks) {\n          // Return until we have enough tracks from the pipeline to remux (if we\n          // are remuxing audio and video into a single MP4)\n          return;\n        } else if (this.pendingTracks.length === 0) {\n          // In the case where we receive a flush without any data having been\n          // received we consider it an emitted track for the purposes of coalescing\n          // `done` events.\n          // We do this for the case where there is an audio and video track in the\n          // segment but no audio data. (seen in several playlists with alternate\n          // audio tracks and no audio present in the main TS segments.)\n          this.emittedTracks++;\n          if (this.emittedTracks >= this.numberOfTracks) {\n            this.trigger('done');\n            this.emittedTracks = 0;\n          }\n          return;\n        }\n      }\n      if (this.videoTrack) {\n        timelineStartPts = this.videoTrack.timelineStartInfo.pts;\n        VIDEO_PROPERTIES.forEach(function (prop) {\n          event.info[prop] = this.videoTrack[prop];\n        }, this);\n      } else if (this.audioTrack) {\n        timelineStartPts = this.audioTrack.timelineStartInfo.pts;\n        AUDIO_PROPERTIES.forEach(function (prop) {\n          event.info[prop] = this.audioTrack[prop];\n        }, this);\n      }\n      if (this.videoTrack || this.audioTrack) {\n        if (this.pendingTracks.length === 1) {\n          event.type = this.pendingTracks[0].type;\n        } else {\n          event.type = 'combined';\n        }\n        this.emittedTracks += this.pendingTracks.length;\n        initSegment = mp4.initSegment(this.pendingTracks); // Create a new typed array to hold the init segment\n\n        event.initSegment = new Uint8Array(initSegment.byteLength); // Create an init segment containing a moov\n        // and track definitions\n\n        event.initSegment.set(initSegment); // Create a new typed array to hold the moof+mdats\n\n        event.data = new Uint8Array(this.pendingBytes); // Append each moof+mdat (one per track) together\n\n        for (i = 0; i < this.pendingBoxes.length; i++) {\n          event.data.set(this.pendingBoxes[i], offset);\n          offset += this.pendingBoxes[i].byteLength;\n        } // Translate caption PTS times into second offsets to match the\n        // video timeline for the segment, and add track info\n\n        for (i = 0; i < this.pendingCaptions.length; i++) {\n          caption = this.pendingCaptions[i];\n          caption.startTime = clock.metadataTsToSeconds(caption.startPts, timelineStartPts, this.keepOriginalTimestamps);\n          caption.endTime = clock.metadataTsToSeconds(caption.endPts, timelineStartPts, this.keepOriginalTimestamps);\n          event.captionStreams[caption.stream] = true;\n          event.captions.push(caption);\n        } // Translate ID3 frame PTS times into second offsets to match the\n        // video timeline for the segment\n\n        for (i = 0; i < this.pendingMetadata.length; i++) {\n          id3 = this.pendingMetadata[i];\n          id3.cueTime = clock.metadataTsToSeconds(id3.pts, timelineStartPts, this.keepOriginalTimestamps);\n          event.metadata.push(id3);\n        } // We add this to every single emitted segment even though we only need\n        // it for the first\n\n        event.metadata.dispatchType = this.metadataStream.dispatchType; // Reset stream state\n\n        this.pendingTracks.length = 0;\n        this.videoTrack = null;\n        this.pendingBoxes.length = 0;\n        this.pendingCaptions.length = 0;\n        this.pendingBytes = 0;\n        this.pendingMetadata.length = 0; // Emit the built segment\n        // We include captions and ID3 tags for backwards compatibility,\n        // ideally we should send only video and audio in the data event\n\n        this.trigger('data', event); // Emit each caption to the outside world\n        // Ideally, this would happen immediately on parsing captions,\n        // but we need to ensure that video data is sent back first\n        // so that caption timing can be adjusted to match video timing\n\n        for (i = 0; i < event.captions.length; i++) {\n          caption = event.captions[i];\n          this.trigger('caption', caption);\n        } // Emit each id3 tag to the outside world\n        // Ideally, this would happen immediately on parsing the tag,\n        // but we need to ensure that video data is sent back first\n        // so that ID3 frame timing can be adjusted to match video timing\n\n        for (i = 0; i < event.metadata.length; i++) {\n          id3 = event.metadata[i];\n          this.trigger('id3Frame', id3);\n        }\n      } // Only emit `done` if all tracks have been flushed and emitted\n\n      if (this.emittedTracks >= this.numberOfTracks) {\n        this.trigger('done');\n        this.emittedTracks = 0;\n      }\n    };\n    CoalesceStream.prototype.setRemux = function (val) {\n      this.remuxTracks = val;\n    };\n    /**\n     * A Stream that expects MP2T binary data as input and produces\n     * corresponding media segments, suitable for use with Media Source\n     * Extension (MSE) implementations that support the ISO BMFF byte\n     * stream format, like Chrome.\n     */\n\n    Transmuxer = function (options) {\n      var self = this,\n        hasFlushed = true,\n        videoTrack,\n        audioTrack;\n      Transmuxer.prototype.init.call(this);\n      options = options || {};\n      this.baseMediaDecodeTime = options.baseMediaDecodeTime || 0;\n      this.transmuxPipeline_ = {};\n      this.setupAacPipeline = function () {\n        var pipeline = {};\n        this.transmuxPipeline_ = pipeline;\n        pipeline.type = 'aac';\n        pipeline.metadataStream = new m2ts.MetadataStream(); // set up the parsing pipeline\n\n        pipeline.aacStream = new AacStream();\n        pipeline.audioTimestampRolloverStream = new m2ts.TimestampRolloverStream('audio');\n        pipeline.timedMetadataTimestampRolloverStream = new m2ts.TimestampRolloverStream('timed-metadata');\n        pipeline.adtsStream = new AdtsStream();\n        pipeline.coalesceStream = new CoalesceStream(options, pipeline.metadataStream);\n        pipeline.headOfPipeline = pipeline.aacStream;\n        pipeline.aacStream.pipe(pipeline.audioTimestampRolloverStream).pipe(pipeline.adtsStream);\n        pipeline.aacStream.pipe(pipeline.timedMetadataTimestampRolloverStream).pipe(pipeline.metadataStream).pipe(pipeline.coalesceStream);\n        pipeline.metadataStream.on('timestamp', function (frame) {\n          pipeline.aacStream.setTimestamp(frame.timeStamp);\n        });\n        pipeline.aacStream.on('data', function (data) {\n          if (data.type !== 'timed-metadata' && data.type !== 'audio' || pipeline.audioSegmentStream) {\n            return;\n          }\n          audioTrack = audioTrack || {\n            timelineStartInfo: {\n              baseMediaDecodeTime: self.baseMediaDecodeTime\n            },\n            codec: 'adts',\n            type: 'audio'\n          }; // hook up the audio segment stream to the first track with aac data\n\n          pipeline.coalesceStream.numberOfTracks++;\n          pipeline.audioSegmentStream = new AudioSegmentStream(audioTrack, options);\n          pipeline.audioSegmentStream.on('log', self.getLogTrigger_('audioSegmentStream'));\n          pipeline.audioSegmentStream.on('timingInfo', self.trigger.bind(self, 'audioTimingInfo')); // Set up the final part of the audio pipeline\n\n          pipeline.adtsStream.pipe(pipeline.audioSegmentStream).pipe(pipeline.coalesceStream); // emit pmt info\n\n          self.trigger('trackinfo', {\n            hasAudio: !!audioTrack,\n            hasVideo: !!videoTrack\n          });\n        }); // Re-emit any data coming from the coalesce stream to the outside world\n\n        pipeline.coalesceStream.on('data', this.trigger.bind(this, 'data')); // Let the consumer know we have finished flushing the entire pipeline\n\n        pipeline.coalesceStream.on('done', this.trigger.bind(this, 'done'));\n        addPipelineLogRetriggers(this, pipeline);\n      };\n      this.setupTsPipeline = function () {\n        var pipeline = {};\n        this.transmuxPipeline_ = pipeline;\n        pipeline.type = 'ts';\n        pipeline.metadataStream = new m2ts.MetadataStream(); // set up the parsing pipeline\n\n        pipeline.packetStream = new m2ts.TransportPacketStream();\n        pipeline.parseStream = new m2ts.TransportParseStream();\n        pipeline.elementaryStream = new m2ts.ElementaryStream();\n        pipeline.timestampRolloverStream = new m2ts.TimestampRolloverStream();\n        pipeline.adtsStream = new AdtsStream();\n        pipeline.h264Stream = new H264Stream();\n        pipeline.captionStream = new m2ts.CaptionStream(options);\n        pipeline.coalesceStream = new CoalesceStream(options, pipeline.metadataStream);\n        pipeline.headOfPipeline = pipeline.packetStream; // disassemble MPEG2-TS packets into elementary streams\n\n        pipeline.packetStream.pipe(pipeline.parseStream).pipe(pipeline.elementaryStream).pipe(pipeline.timestampRolloverStream); // !!THIS ORDER IS IMPORTANT!!\n        // demux the streams\n\n        pipeline.timestampRolloverStream.pipe(pipeline.h264Stream);\n        pipeline.timestampRolloverStream.pipe(pipeline.adtsStream);\n        pipeline.timestampRolloverStream.pipe(pipeline.metadataStream).pipe(pipeline.coalesceStream); // Hook up CEA-608/708 caption stream\n\n        pipeline.h264Stream.pipe(pipeline.captionStream).pipe(pipeline.coalesceStream);\n        pipeline.elementaryStream.on('data', function (data) {\n          var i;\n          if (data.type === 'metadata') {\n            i = data.tracks.length; // scan the tracks listed in the metadata\n\n            while (i--) {\n              if (!videoTrack && data.tracks[i].type === 'video') {\n                videoTrack = data.tracks[i];\n                videoTrack.timelineStartInfo.baseMediaDecodeTime = self.baseMediaDecodeTime;\n              } else if (!audioTrack && data.tracks[i].type === 'audio') {\n                audioTrack = data.tracks[i];\n                audioTrack.timelineStartInfo.baseMediaDecodeTime = self.baseMediaDecodeTime;\n              }\n            } // hook up the video segment stream to the first track with h264 data\n\n            if (videoTrack && !pipeline.videoSegmentStream) {\n              pipeline.coalesceStream.numberOfTracks++;\n              pipeline.videoSegmentStream = new VideoSegmentStream(videoTrack, options);\n              pipeline.videoSegmentStream.on('log', self.getLogTrigger_('videoSegmentStream'));\n              pipeline.videoSegmentStream.on('timelineStartInfo', function (timelineStartInfo) {\n                // When video emits timelineStartInfo data after a flush, we forward that\n                // info to the AudioSegmentStream, if it exists, because video timeline\n                // data takes precedence.  Do not do this if keepOriginalTimestamps is set,\n                // because this is a particularly subtle form of timestamp alteration.\n                if (audioTrack && !options.keepOriginalTimestamps) {\n                  audioTrack.timelineStartInfo = timelineStartInfo; // On the first segment we trim AAC frames that exist before the\n                  // very earliest DTS we have seen in video because Chrome will\n                  // interpret any video track with a baseMediaDecodeTime that is\n                  // non-zero as a gap.\n\n                  pipeline.audioSegmentStream.setEarliestDts(timelineStartInfo.dts - self.baseMediaDecodeTime);\n                }\n              });\n              pipeline.videoSegmentStream.on('processedGopsInfo', self.trigger.bind(self, 'gopInfo'));\n              pipeline.videoSegmentStream.on('segmentTimingInfo', self.trigger.bind(self, 'videoSegmentTimingInfo'));\n              pipeline.videoSegmentStream.on('baseMediaDecodeTime', function (baseMediaDecodeTime) {\n                if (audioTrack) {\n                  pipeline.audioSegmentStream.setVideoBaseMediaDecodeTime(baseMediaDecodeTime);\n                }\n              });\n              pipeline.videoSegmentStream.on('timingInfo', self.trigger.bind(self, 'videoTimingInfo')); // Set up the final part of the video pipeline\n\n              pipeline.h264Stream.pipe(pipeline.videoSegmentStream).pipe(pipeline.coalesceStream);\n            }\n            if (audioTrack && !pipeline.audioSegmentStream) {\n              // hook up the audio segment stream to the first track with aac data\n              pipeline.coalesceStream.numberOfTracks++;\n              pipeline.audioSegmentStream = new AudioSegmentStream(audioTrack, options);\n              pipeline.audioSegmentStream.on('log', self.getLogTrigger_('audioSegmentStream'));\n              pipeline.audioSegmentStream.on('timingInfo', self.trigger.bind(self, 'audioTimingInfo'));\n              pipeline.audioSegmentStream.on('segmentTimingInfo', self.trigger.bind(self, 'audioSegmentTimingInfo')); // Set up the final part of the audio pipeline\n\n              pipeline.adtsStream.pipe(pipeline.audioSegmentStream).pipe(pipeline.coalesceStream);\n            } // emit pmt info\n\n            self.trigger('trackinfo', {\n              hasAudio: !!audioTrack,\n              hasVideo: !!videoTrack\n            });\n          }\n        }); // Re-emit any data coming from the coalesce stream to the outside world\n\n        pipeline.coalesceStream.on('data', this.trigger.bind(this, 'data'));\n        pipeline.coalesceStream.on('id3Frame', function (id3Frame) {\n          id3Frame.dispatchType = pipeline.metadataStream.dispatchType;\n          self.trigger('id3Frame', id3Frame);\n        });\n        pipeline.coalesceStream.on('caption', this.trigger.bind(this, 'caption')); // Let the consumer know we have finished flushing the entire pipeline\n\n        pipeline.coalesceStream.on('done', this.trigger.bind(this, 'done'));\n        addPipelineLogRetriggers(this, pipeline);\n      }; // hook up the segment streams once track metadata is delivered\n\n      this.setBaseMediaDecodeTime = function (baseMediaDecodeTime) {\n        var pipeline = this.transmuxPipeline_;\n        if (!options.keepOriginalTimestamps) {\n          this.baseMediaDecodeTime = baseMediaDecodeTime;\n        }\n        if (audioTrack) {\n          audioTrack.timelineStartInfo.dts = undefined;\n          audioTrack.timelineStartInfo.pts = undefined;\n          trackDecodeInfo.clearDtsInfo(audioTrack);\n          if (pipeline.audioTimestampRolloverStream) {\n            pipeline.audioTimestampRolloverStream.discontinuity();\n          }\n        }\n        if (videoTrack) {\n          if (pipeline.videoSegmentStream) {\n            pipeline.videoSegmentStream.gopCache_ = [];\n          }\n          videoTrack.timelineStartInfo.dts = undefined;\n          videoTrack.timelineStartInfo.pts = undefined;\n          trackDecodeInfo.clearDtsInfo(videoTrack);\n          pipeline.captionStream.reset();\n        }\n        if (pipeline.timestampRolloverStream) {\n          pipeline.timestampRolloverStream.discontinuity();\n        }\n      };\n      this.setAudioAppendStart = function (timestamp) {\n        if (audioTrack) {\n          this.transmuxPipeline_.audioSegmentStream.setAudioAppendStart(timestamp);\n        }\n      };\n      this.setRemux = function (val) {\n        var pipeline = this.transmuxPipeline_;\n        options.remux = val;\n        if (pipeline && pipeline.coalesceStream) {\n          pipeline.coalesceStream.setRemux(val);\n        }\n      };\n      this.alignGopsWith = function (gopsToAlignWith) {\n        if (videoTrack && this.transmuxPipeline_.videoSegmentStream) {\n          this.transmuxPipeline_.videoSegmentStream.alignGopsWith(gopsToAlignWith);\n        }\n      };\n      this.getLogTrigger_ = function (key) {\n        var self = this;\n        return function (event) {\n          event.stream = key;\n          self.trigger('log', event);\n        };\n      }; // feed incoming data to the front of the parsing pipeline\n\n      this.push = function (data) {\n        if (hasFlushed) {\n          var isAac = isLikelyAacData(data);\n          if (isAac && this.transmuxPipeline_.type !== 'aac') {\n            this.setupAacPipeline();\n          } else if (!isAac && this.transmuxPipeline_.type !== 'ts') {\n            this.setupTsPipeline();\n          }\n          hasFlushed = false;\n        }\n        this.transmuxPipeline_.headOfPipeline.push(data);\n      }; // flush any buffered data\n\n      this.flush = function () {\n        hasFlushed = true; // Start at the top of the pipeline and flush all pending work\n\n        this.transmuxPipeline_.headOfPipeline.flush();\n      };\n      this.endTimeline = function () {\n        this.transmuxPipeline_.headOfPipeline.endTimeline();\n      };\n      this.reset = function () {\n        if (this.transmuxPipeline_.headOfPipeline) {\n          this.transmuxPipeline_.headOfPipeline.reset();\n        }\n      }; // Caption data has to be reset when seeking outside buffered range\n\n      this.resetCaptions = function () {\n        if (this.transmuxPipeline_.captionStream) {\n          this.transmuxPipeline_.captionStream.reset();\n        }\n      };\n    };\n    Transmuxer.prototype = new Stream();\n    var transmuxer = {\n      Transmuxer: Transmuxer,\n      VideoSegmentStream: VideoSegmentStream,\n      AudioSegmentStream: AudioSegmentStream,\n      AUDIO_PROPERTIES: AUDIO_PROPERTIES,\n      VIDEO_PROPERTIES: VIDEO_PROPERTIES,\n      // exported for testing\n      generateSegmentTimingInfo: generateSegmentTimingInfo\n    };\n    /**\n     * mux.js\n     *\n     * Copyright (c) Brightcove\n     * Licensed Apache-2.0 https://github.com/videojs/mux.js/blob/master/LICENSE\n     */\n\n    var toUnsigned$3 = function (value) {\n      return value >>> 0;\n    };\n    var toHexString$1 = function (value) {\n      return ('00' + value.toString(16)).slice(-2);\n    };\n    var bin = {\n      toUnsigned: toUnsigned$3,\n      toHexString: toHexString$1\n    };\n    var parseType$4 = function (buffer) {\n      var result = '';\n      result += String.fromCharCode(buffer[0]);\n      result += String.fromCharCode(buffer[1]);\n      result += String.fromCharCode(buffer[2]);\n      result += String.fromCharCode(buffer[3]);\n      return result;\n    };\n    var parseType_1 = parseType$4;\n    var toUnsigned$2 = bin.toUnsigned;\n    var parseType$3 = parseType_1;\n    var findBox$5 = function (data, path) {\n      var results = [],\n        i,\n        size,\n        type,\n        end,\n        subresults;\n      if (!path.length) {\n        // short-circuit the search for empty paths\n        return null;\n      }\n      for (i = 0; i < data.byteLength;) {\n        size = toUnsigned$2(data[i] << 24 | data[i + 1] << 16 | data[i + 2] << 8 | data[i + 3]);\n        type = parseType$3(data.subarray(i + 4, i + 8));\n        end = size > 1 ? i + size : data.byteLength;\n        if (type === path[0]) {\n          if (path.length === 1) {\n            // this is the end of the path and we've found the box we were\n            // looking for\n            results.push(data.subarray(i + 8, end));\n          } else {\n            // recursively search for the next box along the path\n            subresults = findBox$5(data.subarray(i + 8, end), path.slice(1));\n            if (subresults.length) {\n              results = results.concat(subresults);\n            }\n          }\n        }\n        i = end;\n      } // we've finished searching all of data\n\n      return results;\n    };\n    var findBox_1 = findBox$5;\n    var toUnsigned$1 = bin.toUnsigned;\n    var getUint64$4 = numbers.getUint64;\n    var tfdt = function (data) {\n      var result = {\n        version: data[0],\n        flags: new Uint8Array(data.subarray(1, 4))\n      };\n      if (result.version === 1) {\n        result.baseMediaDecodeTime = getUint64$4(data.subarray(4));\n      } else {\n        result.baseMediaDecodeTime = toUnsigned$1(data[4] << 24 | data[5] << 16 | data[6] << 8 | data[7]);\n      }\n      return result;\n    };\n    var parseTfdt$3 = tfdt;\n    var tfhd = function (data) {\n      var view = new DataView(data.buffer, data.byteOffset, data.byteLength),\n        result = {\n          version: data[0],\n          flags: new Uint8Array(data.subarray(1, 4)),\n          trackId: view.getUint32(4)\n        },\n        baseDataOffsetPresent = result.flags[2] & 0x01,\n        sampleDescriptionIndexPresent = result.flags[2] & 0x02,\n        defaultSampleDurationPresent = result.flags[2] & 0x08,\n        defaultSampleSizePresent = result.flags[2] & 0x10,\n        defaultSampleFlagsPresent = result.flags[2] & 0x20,\n        durationIsEmpty = result.flags[0] & 0x010000,\n        defaultBaseIsMoof = result.flags[0] & 0x020000,\n        i;\n      i = 8;\n      if (baseDataOffsetPresent) {\n        i += 4; // truncate top 4 bytes\n        // FIXME: should we read the full 64 bits?\n\n        result.baseDataOffset = view.getUint32(12);\n        i += 4;\n      }\n      if (sampleDescriptionIndexPresent) {\n        result.sampleDescriptionIndex = view.getUint32(i);\n        i += 4;\n      }\n      if (defaultSampleDurationPresent) {\n        result.defaultSampleDuration = view.getUint32(i);\n        i += 4;\n      }\n      if (defaultSampleSizePresent) {\n        result.defaultSampleSize = view.getUint32(i);\n        i += 4;\n      }\n      if (defaultSampleFlagsPresent) {\n        result.defaultSampleFlags = view.getUint32(i);\n      }\n      if (durationIsEmpty) {\n        result.durationIsEmpty = true;\n      }\n      if (!baseDataOffsetPresent && defaultBaseIsMoof) {\n        result.baseDataOffsetIsMoof = true;\n      }\n      return result;\n    };\n    var parseTfhd$2 = tfhd;\n    var getUint64$3 = numbers.getUint64;\n    var parseSidx = function (data) {\n      var view = new DataView(data.buffer, data.byteOffset, data.byteLength),\n        result = {\n          version: data[0],\n          flags: new Uint8Array(data.subarray(1, 4)),\n          references: [],\n          referenceId: view.getUint32(4),\n          timescale: view.getUint32(8)\n        },\n        i = 12;\n      if (result.version === 0) {\n        result.earliestPresentationTime = view.getUint32(i);\n        result.firstOffset = view.getUint32(i + 4);\n        i += 8;\n      } else {\n        // read 64 bits\n        result.earliestPresentationTime = getUint64$3(data.subarray(i));\n        result.firstOffset = getUint64$3(data.subarray(i + 8));\n        i += 16;\n      }\n      i += 2; // reserved\n\n      var referenceCount = view.getUint16(i);\n      i += 2; // start of references\n\n      for (; referenceCount > 0; i += 12, referenceCount--) {\n        result.references.push({\n          referenceType: (data[i] & 0x80) >>> 7,\n          referencedSize: view.getUint32(i) & 0x7FFFFFFF,\n          subsegmentDuration: view.getUint32(i + 4),\n          startsWithSap: !!(data[i + 8] & 0x80),\n          sapType: (data[i + 8] & 0x70) >>> 4,\n          sapDeltaTime: view.getUint32(i + 8) & 0x0FFFFFFF\n        });\n      }\n      return result;\n    };\n    var parseSidx_1 = parseSidx;\n    var parseSampleFlags$1 = function (flags) {\n      return {\n        isLeading: (flags[0] & 0x0c) >>> 2,\n        dependsOn: flags[0] & 0x03,\n        isDependedOn: (flags[1] & 0xc0) >>> 6,\n        hasRedundancy: (flags[1] & 0x30) >>> 4,\n        paddingValue: (flags[1] & 0x0e) >>> 1,\n        isNonSyncSample: flags[1] & 0x01,\n        degradationPriority: flags[2] << 8 | flags[3]\n      };\n    };\n    var parseSampleFlags_1 = parseSampleFlags$1;\n    var parseSampleFlags = parseSampleFlags_1;\n    var trun = function (data) {\n      var result = {\n          version: data[0],\n          flags: new Uint8Array(data.subarray(1, 4)),\n          samples: []\n        },\n        view = new DataView(data.buffer, data.byteOffset, data.byteLength),\n        // Flag interpretation\n        dataOffsetPresent = result.flags[2] & 0x01,\n        // compare with 2nd byte of 0x1\n        firstSampleFlagsPresent = result.flags[2] & 0x04,\n        // compare with 2nd byte of 0x4\n        sampleDurationPresent = result.flags[1] & 0x01,\n        // compare with 2nd byte of 0x100\n        sampleSizePresent = result.flags[1] & 0x02,\n        // compare with 2nd byte of 0x200\n        sampleFlagsPresent = result.flags[1] & 0x04,\n        // compare with 2nd byte of 0x400\n        sampleCompositionTimeOffsetPresent = result.flags[1] & 0x08,\n        // compare with 2nd byte of 0x800\n        sampleCount = view.getUint32(4),\n        offset = 8,\n        sample;\n      if (dataOffsetPresent) {\n        // 32 bit signed integer\n        result.dataOffset = view.getInt32(offset);\n        offset += 4;\n      } // Overrides the flags for the first sample only. The order of\n      // optional values will be: duration, size, compositionTimeOffset\n\n      if (firstSampleFlagsPresent && sampleCount) {\n        sample = {\n          flags: parseSampleFlags(data.subarray(offset, offset + 4))\n        };\n        offset += 4;\n        if (sampleDurationPresent) {\n          sample.duration = view.getUint32(offset);\n          offset += 4;\n        }\n        if (sampleSizePresent) {\n          sample.size = view.getUint32(offset);\n          offset += 4;\n        }\n        if (sampleCompositionTimeOffsetPresent) {\n          if (result.version === 1) {\n            sample.compositionTimeOffset = view.getInt32(offset);\n          } else {\n            sample.compositionTimeOffset = view.getUint32(offset);\n          }\n          offset += 4;\n        }\n        result.samples.push(sample);\n        sampleCount--;\n      }\n      while (sampleCount--) {\n        sample = {};\n        if (sampleDurationPresent) {\n          sample.duration = view.getUint32(offset);\n          offset += 4;\n        }\n        if (sampleSizePresent) {\n          sample.size = view.getUint32(offset);\n          offset += 4;\n        }\n        if (sampleFlagsPresent) {\n          sample.flags = parseSampleFlags(data.subarray(offset, offset + 4));\n          offset += 4;\n        }\n        if (sampleCompositionTimeOffsetPresent) {\n          if (result.version === 1) {\n            sample.compositionTimeOffset = view.getInt32(offset);\n          } else {\n            sample.compositionTimeOffset = view.getUint32(offset);\n          }\n          offset += 4;\n        }\n        result.samples.push(sample);\n      }\n      return result;\n    };\n    var parseTrun$2 = trun;\n    /**\n     * mux.js\n     *\n     * Copyright (c) Brightcove\n     * Licensed Apache-2.0 https://github.com/videojs/mux.js/blob/master/LICENSE\n     *\n     * Parse the internal MP4 structure into an equivalent javascript\n     * object.\n     */\n\n    var numberHelpers = numbers;\n    var getUint64$2 = numberHelpers.getUint64;\n    var inspectMp4,\n      textifyMp4,\n      parseMp4Date = function (seconds) {\n        return new Date(seconds * 1000 - 2082844800000);\n      },\n      parseType$2 = parseType_1,\n      findBox$4 = findBox_1,\n      nalParse = function (avcStream) {\n        var avcView = new DataView(avcStream.buffer, avcStream.byteOffset, avcStream.byteLength),\n          result = [],\n          i,\n          length;\n        for (i = 0; i + 4 < avcStream.length; i += length) {\n          length = avcView.getUint32(i);\n          i += 4; // bail if this doesn't appear to be an H264 stream\n\n          if (length <= 0) {\n            result.push('<span style=\\'color:red;\\'>MALFORMED DATA</span>');\n            continue;\n          }\n          switch (avcStream[i] & 0x1F) {\n            case 0x01:\n              result.push('slice_layer_without_partitioning_rbsp');\n              break;\n            case 0x05:\n              result.push('slice_layer_without_partitioning_rbsp_idr');\n              break;\n            case 0x06:\n              result.push('sei_rbsp');\n              break;\n            case 0x07:\n              result.push('seq_parameter_set_rbsp');\n              break;\n            case 0x08:\n              result.push('pic_parameter_set_rbsp');\n              break;\n            case 0x09:\n              result.push('access_unit_delimiter_rbsp');\n              break;\n            default:\n              result.push('UNKNOWN NAL - ' + avcStream[i] & 0x1F);\n              break;\n          }\n        }\n        return result;\n      },\n      // registry of handlers for individual mp4 box types\n      parse = {\n        // codingname, not a first-class box type. stsd entries share the\n        // same format as real boxes so the parsing infrastructure can be\n        // shared\n        avc1: function (data) {\n          var view = new DataView(data.buffer, data.byteOffset, data.byteLength);\n          return {\n            dataReferenceIndex: view.getUint16(6),\n            width: view.getUint16(24),\n            height: view.getUint16(26),\n            horizresolution: view.getUint16(28) + view.getUint16(30) / 16,\n            vertresolution: view.getUint16(32) + view.getUint16(34) / 16,\n            frameCount: view.getUint16(40),\n            depth: view.getUint16(74),\n            config: inspectMp4(data.subarray(78, data.byteLength))\n          };\n        },\n        avcC: function (data) {\n          var view = new DataView(data.buffer, data.byteOffset, data.byteLength),\n            result = {\n              configurationVersion: data[0],\n              avcProfileIndication: data[1],\n              profileCompatibility: data[2],\n              avcLevelIndication: data[3],\n              lengthSizeMinusOne: data[4] & 0x03,\n              sps: [],\n              pps: []\n            },\n            numOfSequenceParameterSets = data[5] & 0x1f,\n            numOfPictureParameterSets,\n            nalSize,\n            offset,\n            i; // iterate past any SPSs\n\n          offset = 6;\n          for (i = 0; i < numOfSequenceParameterSets; i++) {\n            nalSize = view.getUint16(offset);\n            offset += 2;\n            result.sps.push(new Uint8Array(data.subarray(offset, offset + nalSize)));\n            offset += nalSize;\n          } // iterate past any PPSs\n\n          numOfPictureParameterSets = data[offset];\n          offset++;\n          for (i = 0; i < numOfPictureParameterSets; i++) {\n            nalSize = view.getUint16(offset);\n            offset += 2;\n            result.pps.push(new Uint8Array(data.subarray(offset, offset + nalSize)));\n            offset += nalSize;\n          }\n          return result;\n        },\n        btrt: function (data) {\n          var view = new DataView(data.buffer, data.byteOffset, data.byteLength);\n          return {\n            bufferSizeDB: view.getUint32(0),\n            maxBitrate: view.getUint32(4),\n            avgBitrate: view.getUint32(8)\n          };\n        },\n        edts: function edts(data) {\n          return {\n            boxes: inspectMp4(data)\n          };\n        },\n        elst: function elst(data) {\n          var view = new DataView(data.buffer, data.byteOffset, data.byteLength),\n            result = {\n              version: view.getUint8(0),\n              flags: new Uint8Array(data.subarray(1, 4)),\n              edits: []\n            },\n            entryCount = view.getUint32(4),\n            i;\n          for (i = 8; entryCount; entryCount--) {\n            if (result.version === 0) {\n              result.edits.push({\n                segmentDuration: view.getUint32(i),\n                mediaTime: view.getInt32(i + 4),\n                mediaRate: view.getUint16(i + 8) + view.getUint16(i + 10) / (256 * 256)\n              });\n              i += 12;\n            } else {\n              result.edits.push({\n                segmentDuration: getUint64$2(data.subarray(i)),\n                mediaTime: getUint64$2(data.subarray(i + 8)),\n                mediaRate: view.getUint16(i + 16) + view.getUint16(i + 18) / (256 * 256)\n              });\n              i += 20;\n            }\n          }\n          return result;\n        },\n        esds: function (data) {\n          return {\n            version: data[0],\n            flags: new Uint8Array(data.subarray(1, 4)),\n            esId: data[6] << 8 | data[7],\n            streamPriority: data[8] & 0x1f,\n            decoderConfig: {\n              objectProfileIndication: data[11],\n              streamType: data[12] >>> 2 & 0x3f,\n              bufferSize: data[13] << 16 | data[14] << 8 | data[15],\n              maxBitrate: data[16] << 24 | data[17] << 16 | data[18] << 8 | data[19],\n              avgBitrate: data[20] << 24 | data[21] << 16 | data[22] << 8 | data[23],\n              decoderConfigDescriptor: {\n                tag: data[24],\n                length: data[25],\n                audioObjectType: data[26] >>> 3 & 0x1f,\n                samplingFrequencyIndex: (data[26] & 0x07) << 1 | data[27] >>> 7 & 0x01,\n                channelConfiguration: data[27] >>> 3 & 0x0f\n              }\n            }\n          };\n        },\n        ftyp: function (data) {\n          var view = new DataView(data.buffer, data.byteOffset, data.byteLength),\n            result = {\n              majorBrand: parseType$2(data.subarray(0, 4)),\n              minorVersion: view.getUint32(4),\n              compatibleBrands: []\n            },\n            i = 8;\n          while (i < data.byteLength) {\n            result.compatibleBrands.push(parseType$2(data.subarray(i, i + 4)));\n            i += 4;\n          }\n          return result;\n        },\n        dinf: function (data) {\n          return {\n            boxes: inspectMp4(data)\n          };\n        },\n        dref: function (data) {\n          return {\n            version: data[0],\n            flags: new Uint8Array(data.subarray(1, 4)),\n            dataReferences: inspectMp4(data.subarray(8))\n          };\n        },\n        hdlr: function (data) {\n          var view = new DataView(data.buffer, data.byteOffset, data.byteLength),\n            result = {\n              version: view.getUint8(0),\n              flags: new Uint8Array(data.subarray(1, 4)),\n              handlerType: parseType$2(data.subarray(8, 12)),\n              name: ''\n            },\n            i = 8; // parse out the name field\n\n          for (i = 24; i < data.byteLength; i++) {\n            if (data[i] === 0x00) {\n              // the name field is null-terminated\n              i++;\n              break;\n            }\n            result.name += String.fromCharCode(data[i]);\n          } // decode UTF-8 to javascript's internal representation\n          // see http://ecmanaut.blogspot.com/2006/07/encoding-decoding-utf8-in-javascript.html\n\n          result.name = decodeURIComponent(escape(result.name));\n          return result;\n        },\n        mdat: function (data) {\n          return {\n            byteLength: data.byteLength,\n            nals: nalParse(data)\n          };\n        },\n        mdhd: function (data) {\n          var view = new DataView(data.buffer, data.byteOffset, data.byteLength),\n            i = 4,\n            language,\n            result = {\n              version: view.getUint8(0),\n              flags: new Uint8Array(data.subarray(1, 4)),\n              language: ''\n            };\n          if (result.version === 1) {\n            i += 4;\n            result.creationTime = parseMp4Date(view.getUint32(i)); // truncating top 4 bytes\n\n            i += 8;\n            result.modificationTime = parseMp4Date(view.getUint32(i)); // truncating top 4 bytes\n\n            i += 4;\n            result.timescale = view.getUint32(i);\n            i += 8;\n            result.duration = view.getUint32(i); // truncating top 4 bytes\n          } else {\n            result.creationTime = parseMp4Date(view.getUint32(i));\n            i += 4;\n            result.modificationTime = parseMp4Date(view.getUint32(i));\n            i += 4;\n            result.timescale = view.getUint32(i);\n            i += 4;\n            result.duration = view.getUint32(i);\n          }\n          i += 4; // language is stored as an ISO-639-2/T code in an array of three 5-bit fields\n          // each field is the packed difference between its ASCII value and 0x60\n\n          language = view.getUint16(i);\n          result.language += String.fromCharCode((language >> 10) + 0x60);\n          result.language += String.fromCharCode(((language & 0x03e0) >> 5) + 0x60);\n          result.language += String.fromCharCode((language & 0x1f) + 0x60);\n          return result;\n        },\n        mdia: function (data) {\n          return {\n            boxes: inspectMp4(data)\n          };\n        },\n        mfhd: function (data) {\n          return {\n            version: data[0],\n            flags: new Uint8Array(data.subarray(1, 4)),\n            sequenceNumber: data[4] << 24 | data[5] << 16 | data[6] << 8 | data[7]\n          };\n        },\n        minf: function (data) {\n          return {\n            boxes: inspectMp4(data)\n          };\n        },\n        // codingname, not a first-class box type. stsd entries share the\n        // same format as real boxes so the parsing infrastructure can be\n        // shared\n        mp4a: function (data) {\n          var view = new DataView(data.buffer, data.byteOffset, data.byteLength),\n            result = {\n              // 6 bytes reserved\n              dataReferenceIndex: view.getUint16(6),\n              // 4 + 4 bytes reserved\n              channelcount: view.getUint16(16),\n              samplesize: view.getUint16(18),\n              // 2 bytes pre_defined\n              // 2 bytes reserved\n              samplerate: view.getUint16(24) + view.getUint16(26) / 65536\n            }; // if there are more bytes to process, assume this is an ISO/IEC\n          // 14496-14 MP4AudioSampleEntry and parse the ESDBox\n\n          if (data.byteLength > 28) {\n            result.streamDescriptor = inspectMp4(data.subarray(28))[0];\n          }\n          return result;\n        },\n        moof: function (data) {\n          return {\n            boxes: inspectMp4(data)\n          };\n        },\n        moov: function (data) {\n          return {\n            boxes: inspectMp4(data)\n          };\n        },\n        mvex: function (data) {\n          return {\n            boxes: inspectMp4(data)\n          };\n        },\n        mvhd: function (data) {\n          var view = new DataView(data.buffer, data.byteOffset, data.byteLength),\n            i = 4,\n            result = {\n              version: view.getUint8(0),\n              flags: new Uint8Array(data.subarray(1, 4))\n            };\n          if (result.version === 1) {\n            i += 4;\n            result.creationTime = parseMp4Date(view.getUint32(i)); // truncating top 4 bytes\n\n            i += 8;\n            result.modificationTime = parseMp4Date(view.getUint32(i)); // truncating top 4 bytes\n\n            i += 4;\n            result.timescale = view.getUint32(i);\n            i += 8;\n            result.duration = view.getUint32(i); // truncating top 4 bytes\n          } else {\n            result.creationTime = parseMp4Date(view.getUint32(i));\n            i += 4;\n            result.modificationTime = parseMp4Date(view.getUint32(i));\n            i += 4;\n            result.timescale = view.getUint32(i);\n            i += 4;\n            result.duration = view.getUint32(i);\n          }\n          i += 4; // convert fixed-point, base 16 back to a number\n\n          result.rate = view.getUint16(i) + view.getUint16(i + 2) / 16;\n          i += 4;\n          result.volume = view.getUint8(i) + view.getUint8(i + 1) / 8;\n          i += 2;\n          i += 2;\n          i += 2 * 4;\n          result.matrix = new Uint32Array(data.subarray(i, i + 9 * 4));\n          i += 9 * 4;\n          i += 6 * 4;\n          result.nextTrackId = view.getUint32(i);\n          return result;\n        },\n        pdin: function (data) {\n          var view = new DataView(data.buffer, data.byteOffset, data.byteLength);\n          return {\n            version: view.getUint8(0),\n            flags: new Uint8Array(data.subarray(1, 4)),\n            rate: view.getUint32(4),\n            initialDelay: view.getUint32(8)\n          };\n        },\n        sdtp: function (data) {\n          var result = {\n              version: data[0],\n              flags: new Uint8Array(data.subarray(1, 4)),\n              samples: []\n            },\n            i;\n          for (i = 4; i < data.byteLength; i++) {\n            result.samples.push({\n              dependsOn: (data[i] & 0x30) >> 4,\n              isDependedOn: (data[i] & 0x0c) >> 2,\n              hasRedundancy: data[i] & 0x03\n            });\n          }\n          return result;\n        },\n        sidx: parseSidx_1,\n        smhd: function (data) {\n          return {\n            version: data[0],\n            flags: new Uint8Array(data.subarray(1, 4)),\n            balance: data[4] + data[5] / 256\n          };\n        },\n        stbl: function (data) {\n          return {\n            boxes: inspectMp4(data)\n          };\n        },\n        ctts: function (data) {\n          var view = new DataView(data.buffer, data.byteOffset, data.byteLength),\n            result = {\n              version: view.getUint8(0),\n              flags: new Uint8Array(data.subarray(1, 4)),\n              compositionOffsets: []\n            },\n            entryCount = view.getUint32(4),\n            i;\n          for (i = 8; entryCount; i += 8, entryCount--) {\n            result.compositionOffsets.push({\n              sampleCount: view.getUint32(i),\n              sampleOffset: view[result.version === 0 ? 'getUint32' : 'getInt32'](i + 4)\n            });\n          }\n          return result;\n        },\n        stss: function (data) {\n          var view = new DataView(data.buffer, data.byteOffset, data.byteLength),\n            result = {\n              version: view.getUint8(0),\n              flags: new Uint8Array(data.subarray(1, 4)),\n              syncSamples: []\n            },\n            entryCount = view.getUint32(4),\n            i;\n          for (i = 8; entryCount; i += 4, entryCount--) {\n            result.syncSamples.push(view.getUint32(i));\n          }\n          return result;\n        },\n        stco: function (data) {\n          var view = new DataView(data.buffer, data.byteOffset, data.byteLength),\n            result = {\n              version: data[0],\n              flags: new Uint8Array(data.subarray(1, 4)),\n              chunkOffsets: []\n            },\n            entryCount = view.getUint32(4),\n            i;\n          for (i = 8; entryCount; i += 4, entryCount--) {\n            result.chunkOffsets.push(view.getUint32(i));\n          }\n          return result;\n        },\n        stsc: function (data) {\n          var view = new DataView(data.buffer, data.byteOffset, data.byteLength),\n            entryCount = view.getUint32(4),\n            result = {\n              version: data[0],\n              flags: new Uint8Array(data.subarray(1, 4)),\n              sampleToChunks: []\n            },\n            i;\n          for (i = 8; entryCount; i += 12, entryCount--) {\n            result.sampleToChunks.push({\n              firstChunk: view.getUint32(i),\n              samplesPerChunk: view.getUint32(i + 4),\n              sampleDescriptionIndex: view.getUint32(i + 8)\n            });\n          }\n          return result;\n        },\n        stsd: function (data) {\n          return {\n            version: data[0],\n            flags: new Uint8Array(data.subarray(1, 4)),\n            sampleDescriptions: inspectMp4(data.subarray(8))\n          };\n        },\n        stsz: function (data) {\n          var view = new DataView(data.buffer, data.byteOffset, data.byteLength),\n            result = {\n              version: data[0],\n              flags: new Uint8Array(data.subarray(1, 4)),\n              sampleSize: view.getUint32(4),\n              entries: []\n            },\n            i;\n          for (i = 12; i < data.byteLength; i += 4) {\n            result.entries.push(view.getUint32(i));\n          }\n          return result;\n        },\n        stts: function (data) {\n          var view = new DataView(data.buffer, data.byteOffset, data.byteLength),\n            result = {\n              version: data[0],\n              flags: new Uint8Array(data.subarray(1, 4)),\n              timeToSamples: []\n            },\n            entryCount = view.getUint32(4),\n            i;\n          for (i = 8; entryCount; i += 8, entryCount--) {\n            result.timeToSamples.push({\n              sampleCount: view.getUint32(i),\n              sampleDelta: view.getUint32(i + 4)\n            });\n          }\n          return result;\n        },\n        styp: function (data) {\n          return parse.ftyp(data);\n        },\n        tfdt: parseTfdt$3,\n        tfhd: parseTfhd$2,\n        tkhd: function (data) {\n          var view = new DataView(data.buffer, data.byteOffset, data.byteLength),\n            i = 4,\n            result = {\n              version: view.getUint8(0),\n              flags: new Uint8Array(data.subarray(1, 4))\n            };\n          if (result.version === 1) {\n            i += 4;\n            result.creationTime = parseMp4Date(view.getUint32(i)); // truncating top 4 bytes\n\n            i += 8;\n            result.modificationTime = parseMp4Date(view.getUint32(i)); // truncating top 4 bytes\n\n            i += 4;\n            result.trackId = view.getUint32(i);\n            i += 4;\n            i += 8;\n            result.duration = view.getUint32(i); // truncating top 4 bytes\n          } else {\n            result.creationTime = parseMp4Date(view.getUint32(i));\n            i += 4;\n            result.modificationTime = parseMp4Date(view.getUint32(i));\n            i += 4;\n            result.trackId = view.getUint32(i);\n            i += 4;\n            i += 4;\n            result.duration = view.getUint32(i);\n          }\n          i += 4;\n          i += 2 * 4;\n          result.layer = view.getUint16(i);\n          i += 2;\n          result.alternateGroup = view.getUint16(i);\n          i += 2; // convert fixed-point, base 16 back to a number\n\n          result.volume = view.getUint8(i) + view.getUint8(i + 1) / 8;\n          i += 2;\n          i += 2;\n          result.matrix = new Uint32Array(data.subarray(i, i + 9 * 4));\n          i += 9 * 4;\n          result.width = view.getUint16(i) + view.getUint16(i + 2) / 65536;\n          i += 4;\n          result.height = view.getUint16(i) + view.getUint16(i + 2) / 65536;\n          return result;\n        },\n        traf: function (data) {\n          return {\n            boxes: inspectMp4(data)\n          };\n        },\n        trak: function (data) {\n          return {\n            boxes: inspectMp4(data)\n          };\n        },\n        trex: function (data) {\n          var view = new DataView(data.buffer, data.byteOffset, data.byteLength);\n          return {\n            version: data[0],\n            flags: new Uint8Array(data.subarray(1, 4)),\n            trackId: view.getUint32(4),\n            defaultSampleDescriptionIndex: view.getUint32(8),\n            defaultSampleDuration: view.getUint32(12),\n            defaultSampleSize: view.getUint32(16),\n            sampleDependsOn: data[20] & 0x03,\n            sampleIsDependedOn: (data[21] & 0xc0) >> 6,\n            sampleHasRedundancy: (data[21] & 0x30) >> 4,\n            samplePaddingValue: (data[21] & 0x0e) >> 1,\n            sampleIsDifferenceSample: !!(data[21] & 0x01),\n            sampleDegradationPriority: view.getUint16(22)\n          };\n        },\n        trun: parseTrun$2,\n        'url ': function (data) {\n          return {\n            version: data[0],\n            flags: new Uint8Array(data.subarray(1, 4))\n          };\n        },\n        vmhd: function (data) {\n          var view = new DataView(data.buffer, data.byteOffset, data.byteLength);\n          return {\n            version: data[0],\n            flags: new Uint8Array(data.subarray(1, 4)),\n            graphicsmode: view.getUint16(4),\n            opcolor: new Uint16Array([view.getUint16(6), view.getUint16(8), view.getUint16(10)])\n          };\n        }\n      };\n    /**\n     * Return a javascript array of box objects parsed from an ISO base\n     * media file.\n     * @param data {Uint8Array} the binary data of the media to be inspected\n     * @return {array} a javascript array of potentially nested box objects\n     */\n\n    inspectMp4 = function (data) {\n      var i = 0,\n        result = [],\n        view,\n        size,\n        type,\n        end,\n        box; // Convert data from Uint8Array to ArrayBuffer, to follow Dataview API\n\n      var ab = new ArrayBuffer(data.length);\n      var v = new Uint8Array(ab);\n      for (var z = 0; z < data.length; ++z) {\n        v[z] = data[z];\n      }\n      view = new DataView(ab);\n      while (i < data.byteLength) {\n        // parse box data\n        size = view.getUint32(i);\n        type = parseType$2(data.subarray(i + 4, i + 8));\n        end = size > 1 ? i + size : data.byteLength; // parse type-specific data\n\n        box = (parse[type] || function (data) {\n          return {\n            data: data\n          };\n        })(data.subarray(i + 8, end));\n        box.size = size;\n        box.type = type; // store this box and move to the next\n\n        result.push(box);\n        i = end;\n      }\n      return result;\n    };\n    /**\n     * Returns a textual representation of the javascript represtentation\n     * of an MP4 file. You can use it as an alternative to\n     * JSON.stringify() to compare inspected MP4s.\n     * @param inspectedMp4 {array} the parsed array of boxes in an MP4\n     * file\n     * @param depth {number} (optional) the number of ancestor boxes of\n     * the elements of inspectedMp4. Assumed to be zero if unspecified.\n     * @return {string} a text representation of the parsed MP4\n     */\n\n    textifyMp4 = function (inspectedMp4, depth) {\n      var indent;\n      depth = depth || 0;\n      indent = new Array(depth * 2 + 1).join(' '); // iterate over all the boxes\n\n      return inspectedMp4.map(function (box, index) {\n        // list the box type first at the current indentation level\n        return indent + box.type + '\\n' +\n        // the type is already included and handle child boxes separately\n        Object.keys(box).filter(function (key) {\n          return key !== 'type' && key !== 'boxes'; // output all the box properties\n        }).map(function (key) {\n          var prefix = indent + '  ' + key + ': ',\n            value = box[key]; // print out raw bytes as hexademical\n\n          if (value instanceof Uint8Array || value instanceof Uint32Array) {\n            var bytes = Array.prototype.slice.call(new Uint8Array(value.buffer, value.byteOffset, value.byteLength)).map(function (byte) {\n              return ' ' + ('00' + byte.toString(16)).slice(-2);\n            }).join('').match(/.{1,24}/g);\n            if (!bytes) {\n              return prefix + '<>';\n            }\n            if (bytes.length === 1) {\n              return prefix + '<' + bytes.join('').slice(1) + '>';\n            }\n            return prefix + '<\\n' + bytes.map(function (line) {\n              return indent + '  ' + line;\n            }).join('\\n') + '\\n' + indent + '  >';\n          } // stringify generic objects\n\n          return prefix + JSON.stringify(value, null, 2).split('\\n').map(function (line, index) {\n            if (index === 0) {\n              return line;\n            }\n            return indent + '  ' + line;\n          }).join('\\n');\n        }).join('\\n') + (\n        // recursively textify the child boxes\n        box.boxes ? '\\n' + textifyMp4(box.boxes, depth + 1) : '');\n      }).join('\\n');\n    };\n    var mp4Inspector = {\n      inspect: inspectMp4,\n      textify: textifyMp4,\n      parseType: parseType$2,\n      findBox: findBox$4,\n      parseTraf: parse.traf,\n      parseTfdt: parse.tfdt,\n      parseHdlr: parse.hdlr,\n      parseTfhd: parse.tfhd,\n      parseTrun: parse.trun,\n      parseSidx: parse.sidx\n    };\n    /**\n     * Returns the first string in the data array ending with a null char '\\0'\n     * @param {UInt8} data\n     * @returns the string with the null char\n     */\n\n    var uint8ToCString$1 = function (data) {\n      var index = 0;\n      var curChar = String.fromCharCode(data[index]);\n      var retString = '';\n      while (curChar !== '\\0') {\n        retString += curChar;\n        index++;\n        curChar = String.fromCharCode(data[index]);\n      } // Add nullChar\n\n      retString += curChar;\n      return retString;\n    };\n    var string = {\n      uint8ToCString: uint8ToCString$1\n    };\n    var uint8ToCString = string.uint8ToCString;\n    var getUint64$1 = numbers.getUint64;\n    /**\n     * Based on: ISO/IEC 23009 Section: 5.10.3.3\n     * References:\n     * https://dashif-documents.azurewebsites.net/Events/master/event.html#emsg-format\n     * https://aomediacodec.github.io/id3-emsg/\n     *\n     * Takes emsg box data as a uint8 array and returns a emsg box object\n     * @param {UInt8Array} boxData data from emsg box\n     * @returns A parsed emsg box object\n     */\n\n    var parseEmsgBox = function (boxData) {\n      // version + flags\n      var offset = 4;\n      var version = boxData[0];\n      var scheme_id_uri, value, timescale, presentation_time, presentation_time_delta, event_duration, id, message_data;\n      if (version === 0) {\n        scheme_id_uri = uint8ToCString(boxData.subarray(offset));\n        offset += scheme_id_uri.length;\n        value = uint8ToCString(boxData.subarray(offset));\n        offset += value.length;\n        var dv = new DataView(boxData.buffer);\n        timescale = dv.getUint32(offset);\n        offset += 4;\n        presentation_time_delta = dv.getUint32(offset);\n        offset += 4;\n        event_duration = dv.getUint32(offset);\n        offset += 4;\n        id = dv.getUint32(offset);\n        offset += 4;\n      } else if (version === 1) {\n        var dv = new DataView(boxData.buffer);\n        timescale = dv.getUint32(offset);\n        offset += 4;\n        presentation_time = getUint64$1(boxData.subarray(offset));\n        offset += 8;\n        event_duration = dv.getUint32(offset);\n        offset += 4;\n        id = dv.getUint32(offset);\n        offset += 4;\n        scheme_id_uri = uint8ToCString(boxData.subarray(offset));\n        offset += scheme_id_uri.length;\n        value = uint8ToCString(boxData.subarray(offset));\n        offset += value.length;\n      }\n      message_data = new Uint8Array(boxData.subarray(offset, boxData.byteLength));\n      var emsgBox = {\n        scheme_id_uri,\n        value,\n        // if timescale is undefined or 0 set to 1\n        timescale: timescale ? timescale : 1,\n        presentation_time,\n        presentation_time_delta,\n        event_duration,\n        id,\n        message_data\n      };\n      return isValidEmsgBox(version, emsgBox) ? emsgBox : undefined;\n    };\n    /**\n     * Scales a presentation time or time delta with an offset with a provided timescale\n     * @param {number} presentationTime\n     * @param {number} timescale\n     * @param {number} timeDelta\n     * @param {number} offset\n     * @returns the scaled time as a number\n     */\n\n    var scaleTime = function (presentationTime, timescale, timeDelta, offset) {\n      return presentationTime || presentationTime === 0 ? presentationTime / timescale : offset + timeDelta / timescale;\n    };\n    /**\n     * Checks the emsg box data for validity based on the version\n     * @param {number} version of the emsg box to validate\n     * @param {Object} emsg the emsg data to validate\n     * @returns if the box is valid as a boolean\n     */\n\n    var isValidEmsgBox = function (version, emsg) {\n      var hasScheme = emsg.scheme_id_uri !== '\\0';\n      var isValidV0Box = version === 0 && isDefined(emsg.presentation_time_delta) && hasScheme;\n      var isValidV1Box = version === 1 && isDefined(emsg.presentation_time) && hasScheme; // Only valid versions of emsg are 0 and 1\n\n      return !(version > 1) && isValidV0Box || isValidV1Box;\n    }; // Utility function to check if an object is defined\n\n    var isDefined = function (data) {\n      return data !== undefined || data !== null;\n    };\n    var emsg$1 = {\n      parseEmsgBox: parseEmsgBox,\n      scaleTime: scaleTime\n    };\n    var win;\n    if (typeof window !== \"undefined\") {\n      win = window;\n    } else if (typeof commonjsGlobal !== \"undefined\") {\n      win = commonjsGlobal;\n    } else if (typeof self !== \"undefined\") {\n      win = self;\n    } else {\n      win = {};\n    }\n    var window_1 = win;\n    /**\n     * mux.js\n     *\n     * Copyright (c) Brightcove\n     * Licensed Apache-2.0 https://github.com/videojs/mux.js/blob/master/LICENSE\n     *\n     * Utilities to detect basic properties and metadata about MP4s.\n     */\n\n    var toUnsigned = bin.toUnsigned;\n    var toHexString = bin.toHexString;\n    var findBox$3 = findBox_1;\n    var parseType$1 = parseType_1;\n    var emsg = emsg$1;\n    var parseTfhd$1 = parseTfhd$2;\n    var parseTrun$1 = parseTrun$2;\n    var parseTfdt$2 = parseTfdt$3;\n    var getUint64 = numbers.getUint64;\n    var timescale, startTime, compositionStartTime, getVideoTrackIds, getTracks, getTimescaleFromMediaHeader$1, getEmsgID3;\n    var window$2 = window_1;\n    var parseId3Frames = parseId3.parseId3Frames;\n    /**\n     * Parses an MP4 initialization segment and extracts the timescale\n     * values for any declared tracks. Timescale values indicate the\n     * number of clock ticks per second to assume for time-based values\n     * elsewhere in the MP4.\n     *\n     * To determine the start time of an MP4, you need two pieces of\n     * information: the timescale unit and the earliest base media decode\n     * time. Multiple timescales can be specified within an MP4 but the\n     * base media decode time is always expressed in the timescale from\n     * the media header box for the track:\n     * ```\n     * moov > trak > mdia > mdhd.timescale\n     * ```\n     * @param init {Uint8Array} the bytes of the init segment\n     * @return {object} a hash of track ids to timescale values or null if\n     * the init segment is malformed.\n     */\n\n    timescale = function (init) {\n      var result = {},\n        traks = findBox$3(init, ['moov', 'trak']); // mdhd timescale\n\n      return traks.reduce(function (result, trak) {\n        var tkhd, version, index, id, mdhd;\n        tkhd = findBox$3(trak, ['tkhd'])[0];\n        if (!tkhd) {\n          return null;\n        }\n        version = tkhd[0];\n        index = version === 0 ? 12 : 20;\n        id = toUnsigned(tkhd[index] << 24 | tkhd[index + 1] << 16 | tkhd[index + 2] << 8 | tkhd[index + 3]);\n        mdhd = findBox$3(trak, ['mdia', 'mdhd'])[0];\n        if (!mdhd) {\n          return null;\n        }\n        version = mdhd[0];\n        index = version === 0 ? 12 : 20;\n        result[id] = toUnsigned(mdhd[index] << 24 | mdhd[index + 1] << 16 | mdhd[index + 2] << 8 | mdhd[index + 3]);\n        return result;\n      }, result);\n    };\n    /**\n     * Determine the base media decode start time, in seconds, for an MP4\n     * fragment. If multiple fragments are specified, the earliest time is\n     * returned.\n     *\n     * The base media decode time can be parsed from track fragment\n     * metadata:\n     * ```\n     * moof > traf > tfdt.baseMediaDecodeTime\n     * ```\n     * It requires the timescale value from the mdhd to interpret.\n     *\n     * @param timescale {object} a hash of track ids to timescale values.\n     * @return {number} the earliest base media decode start time for the\n     * fragment, in seconds\n     */\n\n    startTime = function (timescale, fragment) {\n      var trafs; // we need info from two childrend of each track fragment box\n\n      trafs = findBox$3(fragment, ['moof', 'traf']); // determine the start times for each track\n\n      var lowestTime = trafs.reduce(function (acc, traf) {\n        var tfhd = findBox$3(traf, ['tfhd'])[0]; // get the track id from the tfhd\n\n        var id = toUnsigned(tfhd[4] << 24 | tfhd[5] << 16 | tfhd[6] << 8 | tfhd[7]); // assume a 90kHz clock if no timescale was specified\n\n        var scale = timescale[id] || 90e3; // get the base media decode time from the tfdt\n\n        var tfdt = findBox$3(traf, ['tfdt'])[0];\n        var dv = new DataView(tfdt.buffer, tfdt.byteOffset, tfdt.byteLength);\n        var baseTime; // version 1 is 64 bit\n\n        if (tfdt[0] === 1) {\n          baseTime = getUint64(tfdt.subarray(4, 12));\n        } else {\n          baseTime = dv.getUint32(4);\n        } // convert base time to seconds if it is a valid number.\n\n        let seconds;\n        if (typeof baseTime === 'bigint') {\n          seconds = baseTime / window$2.BigInt(scale);\n        } else if (typeof baseTime === 'number' && !isNaN(baseTime)) {\n          seconds = baseTime / scale;\n        }\n        if (seconds < Number.MAX_SAFE_INTEGER) {\n          seconds = Number(seconds);\n        }\n        if (seconds < acc) {\n          acc = seconds;\n        }\n        return acc;\n      }, Infinity);\n      return typeof lowestTime === 'bigint' || isFinite(lowestTime) ? lowestTime : 0;\n    };\n    /**\n     * Determine the composition start, in seconds, for an MP4\n     * fragment.\n     *\n     * The composition start time of a fragment can be calculated using the base\n     * media decode time, composition time offset, and timescale, as follows:\n     *\n     * compositionStartTime = (baseMediaDecodeTime + compositionTimeOffset) / timescale\n     *\n     * All of the aforementioned information is contained within a media fragment's\n     * `traf` box, except for timescale info, which comes from the initialization\n     * segment, so a track id (also contained within a `traf`) is also necessary to\n     * associate it with a timescale\n     *\n     *\n     * @param timescales {object} - a hash of track ids to timescale values.\n     * @param fragment {Unit8Array} - the bytes of a media segment\n     * @return {number} the composition start time for the fragment, in seconds\n     **/\n\n    compositionStartTime = function (timescales, fragment) {\n      var trafBoxes = findBox$3(fragment, ['moof', 'traf']);\n      var baseMediaDecodeTime = 0;\n      var compositionTimeOffset = 0;\n      var trackId;\n      if (trafBoxes && trafBoxes.length) {\n        // The spec states that track run samples contained within a `traf` box are contiguous, but\n        // it does not explicitly state whether the `traf` boxes themselves are contiguous.\n        // We will assume that they are, so we only need the first to calculate start time.\n        var tfhd = findBox$3(trafBoxes[0], ['tfhd'])[0];\n        var trun = findBox$3(trafBoxes[0], ['trun'])[0];\n        var tfdt = findBox$3(trafBoxes[0], ['tfdt'])[0];\n        if (tfhd) {\n          var parsedTfhd = parseTfhd$1(tfhd);\n          trackId = parsedTfhd.trackId;\n        }\n        if (tfdt) {\n          var parsedTfdt = parseTfdt$2(tfdt);\n          baseMediaDecodeTime = parsedTfdt.baseMediaDecodeTime;\n        }\n        if (trun) {\n          var parsedTrun = parseTrun$1(trun);\n          if (parsedTrun.samples && parsedTrun.samples.length) {\n            compositionTimeOffset = parsedTrun.samples[0].compositionTimeOffset || 0;\n          }\n        }\n      } // Get timescale for this specific track. Assume a 90kHz clock if no timescale was\n      // specified.\n\n      var timescale = timescales[trackId] || 90e3; // return the composition start time, in seconds\n\n      if (typeof baseMediaDecodeTime === 'bigint') {\n        compositionTimeOffset = window$2.BigInt(compositionTimeOffset);\n        timescale = window$2.BigInt(timescale);\n      }\n      var result = (baseMediaDecodeTime + compositionTimeOffset) / timescale;\n      if (typeof result === 'bigint' && result < Number.MAX_SAFE_INTEGER) {\n        result = Number(result);\n      }\n      return result;\n    };\n    /**\n      * Find the trackIds of the video tracks in this source.\n      * Found by parsing the Handler Reference and Track Header Boxes:\n      *   moov > trak > mdia > hdlr\n      *   moov > trak > tkhd\n      *\n      * @param {Uint8Array} init - The bytes of the init segment for this source\n      * @return {Number[]} A list of trackIds\n      *\n      * @see ISO-BMFF-12/2015, Section 8.4.3\n     **/\n\n    getVideoTrackIds = function (init) {\n      var traks = findBox$3(init, ['moov', 'trak']);\n      var videoTrackIds = [];\n      traks.forEach(function (trak) {\n        var hdlrs = findBox$3(trak, ['mdia', 'hdlr']);\n        var tkhds = findBox$3(trak, ['tkhd']);\n        hdlrs.forEach(function (hdlr, index) {\n          var handlerType = parseType$1(hdlr.subarray(8, 12));\n          var tkhd = tkhds[index];\n          var view;\n          var version;\n          var trackId;\n          if (handlerType === 'vide') {\n            view = new DataView(tkhd.buffer, tkhd.byteOffset, tkhd.byteLength);\n            version = view.getUint8(0);\n            trackId = version === 0 ? view.getUint32(12) : view.getUint32(20);\n            videoTrackIds.push(trackId);\n          }\n        });\n      });\n      return videoTrackIds;\n    };\n    getTimescaleFromMediaHeader$1 = function (mdhd) {\n      // mdhd is a FullBox, meaning it will have its own version as the first byte\n      var version = mdhd[0];\n      var index = version === 0 ? 12 : 20;\n      return toUnsigned(mdhd[index] << 24 | mdhd[index + 1] << 16 | mdhd[index + 2] << 8 | mdhd[index + 3]);\n    };\n    /**\n     * Get all the video, audio, and hint tracks from a non fragmented\n     * mp4 segment\n     */\n\n    getTracks = function (init) {\n      var traks = findBox$3(init, ['moov', 'trak']);\n      var tracks = [];\n      traks.forEach(function (trak) {\n        var track = {};\n        var tkhd = findBox$3(trak, ['tkhd'])[0];\n        var view, tkhdVersion; // id\n\n        if (tkhd) {\n          view = new DataView(tkhd.buffer, tkhd.byteOffset, tkhd.byteLength);\n          tkhdVersion = view.getUint8(0);\n          track.id = tkhdVersion === 0 ? view.getUint32(12) : view.getUint32(20);\n        }\n        var hdlr = findBox$3(trak, ['mdia', 'hdlr'])[0]; // type\n\n        if (hdlr) {\n          var type = parseType$1(hdlr.subarray(8, 12));\n          if (type === 'vide') {\n            track.type = 'video';\n          } else if (type === 'soun') {\n            track.type = 'audio';\n          } else {\n            track.type = type;\n          }\n        } // codec\n\n        var stsd = findBox$3(trak, ['mdia', 'minf', 'stbl', 'stsd'])[0];\n        if (stsd) {\n          var sampleDescriptions = stsd.subarray(8); // gives the codec type string\n\n          track.codec = parseType$1(sampleDescriptions.subarray(4, 8));\n          var codecBox = findBox$3(sampleDescriptions, [track.codec])[0];\n          var codecConfig, codecConfigType;\n          if (codecBox) {\n            // https://tools.ietf.org/html/rfc6381#section-3.3\n            if (/^[asm]vc[1-9]$/i.test(track.codec)) {\n              // we don't need anything but the \"config\" parameter of the\n              // avc1 codecBox\n              codecConfig = codecBox.subarray(78);\n              codecConfigType = parseType$1(codecConfig.subarray(4, 8));\n              if (codecConfigType === 'avcC' && codecConfig.length > 11) {\n                track.codec += '.'; // left padded with zeroes for single digit hex\n                // profile idc\n\n                track.codec += toHexString(codecConfig[9]); // the byte containing the constraint_set flags\n\n                track.codec += toHexString(codecConfig[10]); // level idc\n\n                track.codec += toHexString(codecConfig[11]);\n              } else {\n                // TODO: show a warning that we couldn't parse the codec\n                // and are using the default\n                track.codec = 'avc1.4d400d';\n              }\n            } else if (/^mp4[a,v]$/i.test(track.codec)) {\n              // we do not need anything but the streamDescriptor of the mp4a codecBox\n              codecConfig = codecBox.subarray(28);\n              codecConfigType = parseType$1(codecConfig.subarray(4, 8));\n              if (codecConfigType === 'esds' && codecConfig.length > 20 && codecConfig[19] !== 0) {\n                track.codec += '.' + toHexString(codecConfig[19]); // this value is only a single digit\n\n                track.codec += '.' + toHexString(codecConfig[20] >>> 2 & 0x3f).replace(/^0/, '');\n              } else {\n                // TODO: show a warning that we couldn't parse the codec\n                // and are using the default\n                track.codec = 'mp4a.40.2';\n              }\n            } else {\n              // flac, opus, etc\n              track.codec = track.codec.toLowerCase();\n            }\n          }\n        }\n        var mdhd = findBox$3(trak, ['mdia', 'mdhd'])[0];\n        if (mdhd) {\n          track.timescale = getTimescaleFromMediaHeader$1(mdhd);\n        }\n        tracks.push(track);\n      });\n      return tracks;\n    };\n    /**\n     * Returns an array of emsg ID3 data from the provided segmentData.\n     * An offset can also be provided as the Latest Arrival Time to calculate\n     * the Event Start Time of v0 EMSG boxes.\n     * See: https://dashif-documents.azurewebsites.net/Events/master/event.html#Inband-event-timing\n     *\n     * @param {Uint8Array} segmentData the segment byte array.\n     * @param {number} offset the segment start time or Latest Arrival Time,\n     * @return {Object[]} an array of ID3 parsed from EMSG boxes\n     */\n\n    getEmsgID3 = function (segmentData, offset = 0) {\n      var emsgBoxes = findBox$3(segmentData, ['emsg']);\n      return emsgBoxes.map(data => {\n        var parsedBox = emsg.parseEmsgBox(new Uint8Array(data));\n        var parsedId3Frames = parseId3Frames(parsedBox.message_data);\n        return {\n          cueTime: emsg.scaleTime(parsedBox.presentation_time, parsedBox.timescale, parsedBox.presentation_time_delta, offset),\n          duration: emsg.scaleTime(parsedBox.event_duration, parsedBox.timescale),\n          frames: parsedId3Frames\n        };\n      });\n    };\n    var probe$2 = {\n      // export mp4 inspector's findBox and parseType for backwards compatibility\n      findBox: findBox$3,\n      parseType: parseType$1,\n      timescale: timescale,\n      startTime: startTime,\n      compositionStartTime: compositionStartTime,\n      videoTrackIds: getVideoTrackIds,\n      tracks: getTracks,\n      getTimescaleFromMediaHeader: getTimescaleFromMediaHeader$1,\n      getEmsgID3: getEmsgID3\n    };\n    const {\n      parseTrun\n    } = mp4Inspector;\n    const {\n      findBox: findBox$2\n    } = probe$2;\n    var window$1 = window_1;\n    /**\n     * Utility function for parsing data from mdat boxes.\n     * @param {Array<Uint8Array>} segment the segment data to create mdat/traf pairs from.\n     * @returns mdat and traf boxes paired up for easier parsing.\n     */\n\n    var getMdatTrafPairs$2 = function (segment) {\n      var trafs = findBox$2(segment, ['moof', 'traf']);\n      var mdats = findBox$2(segment, ['mdat']);\n      var mdatTrafPairs = []; // Pair up each traf with a mdat as moofs and mdats are in pairs\n\n      mdats.forEach(function (mdat, index) {\n        var matchingTraf = trafs[index];\n        mdatTrafPairs.push({\n          mdat: mdat,\n          traf: matchingTraf\n        });\n      });\n      return mdatTrafPairs;\n    };\n    /**\n      * Parses sample information out of Track Run Boxes and calculates\n      * the absolute presentation and decode timestamps of each sample.\n      *\n      * @param {Array<Uint8Array>} truns - The Trun Run boxes to be parsed\n      * @param {Number|BigInt} baseMediaDecodeTime - base media decode time from tfdt\n          @see ISO-BMFF-12/2015, Section 8.8.12\n      * @param {Object} tfhd - The parsed Track Fragment Header\n      *   @see inspect.parseTfhd\n      * @return {Object[]} the parsed samples\n      *\n      * @see ISO-BMFF-12/2015, Section 8.8.8\n     **/\n\n    var parseSamples$2 = function (truns, baseMediaDecodeTime, tfhd) {\n      var currentDts = baseMediaDecodeTime;\n      var defaultSampleDuration = tfhd.defaultSampleDuration || 0;\n      var defaultSampleSize = tfhd.defaultSampleSize || 0;\n      var trackId = tfhd.trackId;\n      var allSamples = [];\n      truns.forEach(function (trun) {\n        // Note: We currently do not parse the sample table as well\n        // as the trun. It's possible some sources will require this.\n        // moov > trak > mdia > minf > stbl\n        var trackRun = parseTrun(trun);\n        var samples = trackRun.samples;\n        samples.forEach(function (sample) {\n          if (sample.duration === undefined) {\n            sample.duration = defaultSampleDuration;\n          }\n          if (sample.size === undefined) {\n            sample.size = defaultSampleSize;\n          }\n          sample.trackId = trackId;\n          sample.dts = currentDts;\n          if (sample.compositionTimeOffset === undefined) {\n            sample.compositionTimeOffset = 0;\n          }\n          if (typeof currentDts === 'bigint') {\n            sample.pts = currentDts + window$1.BigInt(sample.compositionTimeOffset);\n            currentDts += window$1.BigInt(sample.duration);\n          } else {\n            sample.pts = currentDts + sample.compositionTimeOffset;\n            currentDts += sample.duration;\n          }\n        });\n        allSamples = allSamples.concat(samples);\n      });\n      return allSamples;\n    };\n    var samples = {\n      getMdatTrafPairs: getMdatTrafPairs$2,\n      parseSamples: parseSamples$2\n    };\n    /**\n     * mux.js\n     *\n     * Copyright (c) Brightcove\n     * Licensed Apache-2.0 https://github.com/videojs/mux.js/blob/master/LICENSE\n     *\n     * Reads in-band CEA-708 captions out of FMP4 segments.\n     * @see https://en.wikipedia.org/wiki/CEA-708\n     */\n\n    var discardEmulationPreventionBytes = captionPacketParser.discardEmulationPreventionBytes;\n    var CaptionStream = captionStream.CaptionStream;\n    var findBox$1 = findBox_1;\n    var parseTfdt$1 = parseTfdt$3;\n    var parseTfhd = parseTfhd$2;\n    var {\n      getMdatTrafPairs: getMdatTrafPairs$1,\n      parseSamples: parseSamples$1\n    } = samples;\n    /**\n      * Maps an offset in the mdat to a sample based on the the size of the samples.\n      * Assumes that `parseSamples` has been called first.\n      *\n      * @param {Number} offset - The offset into the mdat\n      * @param {Object[]} samples - An array of samples, parsed using `parseSamples`\n      * @return {?Object} The matching sample, or null if no match was found.\n      *\n      * @see ISO-BMFF-12/2015, Section 8.8.8\n     **/\n\n    var mapToSample = function (offset, samples) {\n      var approximateOffset = offset;\n      for (var i = 0; i < samples.length; i++) {\n        var sample = samples[i];\n        if (approximateOffset < sample.size) {\n          return sample;\n        }\n        approximateOffset -= sample.size;\n      }\n      return null;\n    };\n    /**\n      * Finds SEI nal units contained in a Media Data Box.\n      * Assumes that `parseSamples` has been called first.\n      *\n      * @param {Uint8Array} avcStream - The bytes of the mdat\n      * @param {Object[]} samples - The samples parsed out by `parseSamples`\n      * @param {Number} trackId - The trackId of this video track\n      * @return {Object[]} seiNals - the parsed SEI NALUs found.\n      *   The contents of the seiNal should match what is expected by\n      *   CaptionStream.push (nalUnitType, size, data, escapedRBSP, pts, dts)\n      *\n      * @see ISO-BMFF-12/2015, Section 8.1.1\n      * @see Rec. ITU-T H.264, 7.3.2.3.1\n     **/\n\n    var findSeiNals = function (avcStream, samples, trackId) {\n      var avcView = new DataView(avcStream.buffer, avcStream.byteOffset, avcStream.byteLength),\n        result = {\n          logs: [],\n          seiNals: []\n        },\n        seiNal,\n        i,\n        length,\n        lastMatchedSample;\n      for (i = 0; i + 4 < avcStream.length; i += length) {\n        length = avcView.getUint32(i);\n        i += 4; // Bail if this doesn't appear to be an H264 stream\n\n        if (length <= 0) {\n          continue;\n        }\n        switch (avcStream[i] & 0x1F) {\n          case 0x06:\n            var data = avcStream.subarray(i + 1, i + 1 + length);\n            var matchingSample = mapToSample(i, samples);\n            seiNal = {\n              nalUnitType: 'sei_rbsp',\n              size: length,\n              data: data,\n              escapedRBSP: discardEmulationPreventionBytes(data),\n              trackId: trackId\n            };\n            if (matchingSample) {\n              seiNal.pts = matchingSample.pts;\n              seiNal.dts = matchingSample.dts;\n              lastMatchedSample = matchingSample;\n            } else if (lastMatchedSample) {\n              // If a matching sample cannot be found, use the last\n              // sample's values as they should be as close as possible\n              seiNal.pts = lastMatchedSample.pts;\n              seiNal.dts = lastMatchedSample.dts;\n            } else {\n              result.logs.push({\n                level: 'warn',\n                message: 'We\\'ve encountered a nal unit without data at ' + i + ' for trackId ' + trackId + '. See mux.js#223.'\n              });\n              break;\n            }\n            result.seiNals.push(seiNal);\n            break;\n        }\n      }\n      return result;\n    };\n    /**\n      * Parses out caption nals from an FMP4 segment's video tracks.\n      *\n      * @param {Uint8Array} segment - The bytes of a single segment\n      * @param {Number} videoTrackId - The trackId of a video track in the segment\n      * @return {Object.<Number, Object[]>} A mapping of video trackId to\n      *   a list of seiNals found in that track\n     **/\n\n    var parseCaptionNals = function (segment, videoTrackId) {\n      var captionNals = {};\n      var mdatTrafPairs = getMdatTrafPairs$1(segment);\n      mdatTrafPairs.forEach(function (pair) {\n        var mdat = pair.mdat;\n        var traf = pair.traf;\n        var tfhd = findBox$1(traf, ['tfhd']); // Exactly 1 tfhd per traf\n\n        var headerInfo = parseTfhd(tfhd[0]);\n        var trackId = headerInfo.trackId;\n        var tfdt = findBox$1(traf, ['tfdt']); // Either 0 or 1 tfdt per traf\n\n        var baseMediaDecodeTime = tfdt.length > 0 ? parseTfdt$1(tfdt[0]).baseMediaDecodeTime : 0;\n        var truns = findBox$1(traf, ['trun']);\n        var samples;\n        var result; // Only parse video data for the chosen video track\n\n        if (videoTrackId === trackId && truns.length > 0) {\n          samples = parseSamples$1(truns, baseMediaDecodeTime, headerInfo);\n          result = findSeiNals(mdat, samples, trackId);\n          if (!captionNals[trackId]) {\n            captionNals[trackId] = {\n              seiNals: [],\n              logs: []\n            };\n          }\n          captionNals[trackId].seiNals = captionNals[trackId].seiNals.concat(result.seiNals);\n          captionNals[trackId].logs = captionNals[trackId].logs.concat(result.logs);\n        }\n      });\n      return captionNals;\n    };\n    /**\n      * Parses out inband captions from an MP4 container and returns\n      * caption objects that can be used by WebVTT and the TextTrack API.\n      * @see https://developer.mozilla.org/en-US/docs/Web/API/VTTCue\n      * @see https://developer.mozilla.org/en-US/docs/Web/API/TextTrack\n      * Assumes that `probe.getVideoTrackIds` and `probe.timescale` have been called first\n      *\n      * @param {Uint8Array} segment - The fmp4 segment containing embedded captions\n      * @param {Number} trackId - The id of the video track to parse\n      * @param {Number} timescale - The timescale for the video track from the init segment\n      *\n      * @return {?Object[]} parsedCaptions - A list of captions or null if no video tracks\n      * @return {Number} parsedCaptions[].startTime - The time to show the caption in seconds\n      * @return {Number} parsedCaptions[].endTime - The time to stop showing the caption in seconds\n      * @return {Object[]} parsedCaptions[].content - A list of individual caption segments\n      * @return {String} parsedCaptions[].content.text - The visible content of the caption segment\n      * @return {Number} parsedCaptions[].content.line - The line height from 1-15 for positioning of the caption segment\n      * @return {Number} parsedCaptions[].content.position - The column indent percentage for cue positioning from 10-80\n     **/\n\n    var parseEmbeddedCaptions = function (segment, trackId, timescale) {\n      var captionNals; // the ISO-BMFF spec says that trackId can't be zero, but there's some broken content out there\n\n      if (trackId === null) {\n        return null;\n      }\n      captionNals = parseCaptionNals(segment, trackId);\n      var trackNals = captionNals[trackId] || {};\n      return {\n        seiNals: trackNals.seiNals,\n        logs: trackNals.logs,\n        timescale: timescale\n      };\n    };\n    /**\n      * Converts SEI NALUs into captions that can be used by video.js\n     **/\n\n    var CaptionParser = function () {\n      var isInitialized = false;\n      var captionStream; // Stores segments seen before trackId and timescale are set\n\n      var segmentCache; // Stores video track ID of the track being parsed\n\n      var trackId; // Stores the timescale of the track being parsed\n\n      var timescale; // Stores captions parsed so far\n\n      var parsedCaptions; // Stores whether we are receiving partial data or not\n\n      var parsingPartial;\n      /**\n        * A method to indicate whether a CaptionParser has been initalized\n        * @returns {Boolean}\n       **/\n\n      this.isInitialized = function () {\n        return isInitialized;\n      };\n      /**\n        * Initializes the underlying CaptionStream, SEI NAL parsing\n        * and management, and caption collection\n       **/\n\n      this.init = function (options) {\n        captionStream = new CaptionStream();\n        isInitialized = true;\n        parsingPartial = options ? options.isPartial : false; // Collect dispatched captions\n\n        captionStream.on('data', function (event) {\n          // Convert to seconds in the source's timescale\n          event.startTime = event.startPts / timescale;\n          event.endTime = event.endPts / timescale;\n          parsedCaptions.captions.push(event);\n          parsedCaptions.captionStreams[event.stream] = true;\n        });\n        captionStream.on('log', function (log) {\n          parsedCaptions.logs.push(log);\n        });\n      };\n      /**\n        * Determines if a new video track will be selected\n        * or if the timescale changed\n        * @return {Boolean}\n       **/\n\n      this.isNewInit = function (videoTrackIds, timescales) {\n        if (videoTrackIds && videoTrackIds.length === 0 || timescales && typeof timescales === 'object' && Object.keys(timescales).length === 0) {\n          return false;\n        }\n        return trackId !== videoTrackIds[0] || timescale !== timescales[trackId];\n      };\n      /**\n        * Parses out SEI captions and interacts with underlying\n        * CaptionStream to return dispatched captions\n        *\n        * @param {Uint8Array} segment - The fmp4 segment containing embedded captions\n        * @param {Number[]} videoTrackIds - A list of video tracks found in the init segment\n        * @param {Object.<Number, Number>} timescales - The timescales found in the init segment\n        * @see parseEmbeddedCaptions\n        * @see m2ts/caption-stream.js\n       **/\n\n      this.parse = function (segment, videoTrackIds, timescales) {\n        var parsedData;\n        if (!this.isInitialized()) {\n          return null; // This is not likely to be a video segment\n        } else if (!videoTrackIds || !timescales) {\n          return null;\n        } else if (this.isNewInit(videoTrackIds, timescales)) {\n          // Use the first video track only as there is no\n          // mechanism to switch to other video tracks\n          trackId = videoTrackIds[0];\n          timescale = timescales[trackId]; // If an init segment has not been seen yet, hold onto segment\n          // data until we have one.\n          // the ISO-BMFF spec says that trackId can't be zero, but there's some broken content out there\n        } else if (trackId === null || !timescale) {\n          segmentCache.push(segment);\n          return null;\n        } // Now that a timescale and trackId is set, parse cached segments\n\n        while (segmentCache.length > 0) {\n          var cachedSegment = segmentCache.shift();\n          this.parse(cachedSegment, videoTrackIds, timescales);\n        }\n        parsedData = parseEmbeddedCaptions(segment, trackId, timescale);\n        if (parsedData && parsedData.logs) {\n          parsedCaptions.logs = parsedCaptions.logs.concat(parsedData.logs);\n        }\n        if (parsedData === null || !parsedData.seiNals) {\n          if (parsedCaptions.logs.length) {\n            return {\n              logs: parsedCaptions.logs,\n              captions: [],\n              captionStreams: []\n            };\n          }\n          return null;\n        }\n        this.pushNals(parsedData.seiNals); // Force the parsed captions to be dispatched\n\n        this.flushStream();\n        return parsedCaptions;\n      };\n      /**\n        * Pushes SEI NALUs onto CaptionStream\n        * @param {Object[]} nals - A list of SEI nals parsed using `parseCaptionNals`\n        * Assumes that `parseCaptionNals` has been called first\n        * @see m2ts/caption-stream.js\n        **/\n\n      this.pushNals = function (nals) {\n        if (!this.isInitialized() || !nals || nals.length === 0) {\n          return null;\n        }\n        nals.forEach(function (nal) {\n          captionStream.push(nal);\n        });\n      };\n      /**\n        * Flushes underlying CaptionStream to dispatch processed, displayable captions\n        * @see m2ts/caption-stream.js\n       **/\n\n      this.flushStream = function () {\n        if (!this.isInitialized()) {\n          return null;\n        }\n        if (!parsingPartial) {\n          captionStream.flush();\n        } else {\n          captionStream.partialFlush();\n        }\n      };\n      /**\n        * Reset caption buckets for new data\n       **/\n\n      this.clearParsedCaptions = function () {\n        parsedCaptions.captions = [];\n        parsedCaptions.captionStreams = {};\n        parsedCaptions.logs = [];\n      };\n      /**\n        * Resets underlying CaptionStream\n        * @see m2ts/caption-stream.js\n       **/\n\n      this.resetCaptionStream = function () {\n        if (!this.isInitialized()) {\n          return null;\n        }\n        captionStream.reset();\n      };\n      /**\n        * Convenience method to clear all captions flushed from the\n        * CaptionStream and still being parsed\n        * @see m2ts/caption-stream.js\n       **/\n\n      this.clearAllCaptions = function () {\n        this.clearParsedCaptions();\n        this.resetCaptionStream();\n      };\n      /**\n        * Reset caption parser\n       **/\n\n      this.reset = function () {\n        segmentCache = [];\n        trackId = null;\n        timescale = null;\n        if (!parsedCaptions) {\n          parsedCaptions = {\n            captions: [],\n            // CC1, CC2, CC3, CC4\n            captionStreams: {},\n            logs: []\n          };\n        } else {\n          this.clearParsedCaptions();\n        }\n        this.resetCaptionStream();\n      };\n      this.reset();\n    };\n    var captionParser = CaptionParser;\n    const {\n      parseTfdt\n    } = mp4Inspector;\n    const findBox = findBox_1;\n    const {\n      getTimescaleFromMediaHeader\n    } = probe$2;\n    const {\n      parseSamples,\n      getMdatTrafPairs\n    } = samples;\n    /**\n     * Module for parsing WebVTT text and styles from FMP4 segments.\n     * Based on the ISO/IEC 14496-30.\n     */\n\n    const WebVttParser = function () {\n      // default timescale to 90k\n      let timescale = 90e3;\n      /**\n       * Parses the timescale from the init segment.\n       * @param {Array<Uint8Array>} segment The initialization segment to parse the timescale from.\n       */\n\n      this.init = function (segment) {\n        // We just need the timescale from the init segment.\n        const mdhd = findBox(segment, ['moov', 'trak', 'mdia', 'mdhd'])[0];\n        if (mdhd) {\n          timescale = getTimescaleFromMediaHeader(mdhd);\n        }\n      };\n      /**\n       * Parses a WebVTT FMP4 segment.\n       * @param {Array<Uint8Array>} segment The content segment to parse the WebVTT cues from.\n       * @returns The WebVTT cue text, styling, and timing info as an array of cue objects.\n       */\n\n      this.parseSegment = function (segment) {\n        const vttCues = [];\n        const mdatTrafPairs = getMdatTrafPairs(segment);\n        let baseMediaDecodeTime = 0;\n        mdatTrafPairs.forEach(function (pair) {\n          const mdatBox = pair.mdat;\n          const trafBox = pair.traf; // zero or one.\n\n          const tfdtBox = findBox(trafBox, ['tfdt'])[0]; // zero or one.\n\n          const tfhdBox = findBox(trafBox, ['tfhd'])[0]; // zero or more.\n\n          const trunBoxes = findBox(trafBox, ['trun']);\n          if (tfdtBox) {\n            const tfdt = parseTfdt(tfdtBox);\n            baseMediaDecodeTime = tfdt.baseMediaDecodeTime;\n          }\n          if (trunBoxes.length && tfhdBox) {\n            const samples = parseSamples(trunBoxes, baseMediaDecodeTime, tfhdBox);\n            let mdatOffset = 0;\n            samples.forEach(function (sample) {\n              // decode utf8 payload\n              const UTF_8 = 'utf-8';\n              const textDecoder = new TextDecoder(UTF_8); // extract sample data from the mdat box.\n              // WebVTT Sample format:\n              // Exactly one VTTEmptyCueBox box\n              // OR one or more VTTCueBox boxes.\n\n              const sampleData = mdatBox.slice(mdatOffset, mdatOffset + sample.size); // single vtte box.\n\n              const vtteBox = findBox(sampleData, ['vtte'])[0]; // empty box\n\n              if (vtteBox) {\n                mdatOffset += sample.size;\n                return;\n              } // TODO: Support 'vtta' boxes.\n              // VTTAdditionalTextBoxes can be interleaved between VTTCueBoxes.\n\n              const vttcBoxes = findBox(sampleData, ['vttc']);\n              vttcBoxes.forEach(function (vttcBox) {\n                // mandatory payload box.\n                const paylBox = findBox(vttcBox, ['payl'])[0]; // optional settings box\n\n                const sttgBox = findBox(vttcBox, ['sttg'])[0];\n                const start = sample.pts / timescale;\n                const end = (sample.pts + sample.duration) / timescale;\n                let cueText, settings; // contains cue text.\n\n                if (paylBox) {\n                  try {\n                    cueText = textDecoder.decode(paylBox);\n                  } catch (e) {\n                    console.error(e);\n                  }\n                } // settings box contains styling.\n\n                if (sttgBox) {\n                  try {\n                    settings = textDecoder.decode(sttgBox);\n                  } catch (e) {\n                    console.error(e);\n                  }\n                }\n                if (sample.duration && cueText) {\n                  vttCues.push({\n                    cueText,\n                    start,\n                    end,\n                    settings\n                  });\n                }\n              });\n              mdatOffset += sample.size;\n            });\n          }\n        });\n        return vttCues;\n      };\n    };\n    var webvttParser = WebVttParser;\n    /**\n     * mux.js\n     *\n     * Copyright (c) Brightcove\n     * Licensed Apache-2.0 https://github.com/videojs/mux.js/blob/master/LICENSE\n     *\n     * Utilities to detect basic properties and metadata about TS Segments.\n     */\n\n    var StreamTypes$1 = streamTypes;\n    var parsePid = function (packet) {\n      var pid = packet[1] & 0x1f;\n      pid <<= 8;\n      pid |= packet[2];\n      return pid;\n    };\n    var parsePayloadUnitStartIndicator = function (packet) {\n      return !!(packet[1] & 0x40);\n    };\n    var parseAdaptionField = function (packet) {\n      var offset = 0; // if an adaption field is present, its length is specified by the\n      // fifth byte of the TS packet header. The adaptation field is\n      // used to add stuffing to PES packets that don't fill a complete\n      // TS packet, and to specify some forms of timing and control data\n      // that we do not currently use.\n\n      if ((packet[3] & 0x30) >>> 4 > 0x01) {\n        offset += packet[4] + 1;\n      }\n      return offset;\n    };\n    var parseType = function (packet, pmtPid) {\n      var pid = parsePid(packet);\n      if (pid === 0) {\n        return 'pat';\n      } else if (pid === pmtPid) {\n        return 'pmt';\n      } else if (pmtPid) {\n        return 'pes';\n      }\n      return null;\n    };\n    var parsePat = function (packet) {\n      var pusi = parsePayloadUnitStartIndicator(packet);\n      var offset = 4 + parseAdaptionField(packet);\n      if (pusi) {\n        offset += packet[offset] + 1;\n      }\n      return (packet[offset + 10] & 0x1f) << 8 | packet[offset + 11];\n    };\n    var parsePmt = function (packet) {\n      var programMapTable = {};\n      var pusi = parsePayloadUnitStartIndicator(packet);\n      var payloadOffset = 4 + parseAdaptionField(packet);\n      if (pusi) {\n        payloadOffset += packet[payloadOffset] + 1;\n      } // PMTs can be sent ahead of the time when they should actually\n      // take effect. We don't believe this should ever be the case\n      // for HLS but we'll ignore \"forward\" PMT declarations if we see\n      // them. Future PMT declarations have the current_next_indicator\n      // set to zero.\n\n      if (!(packet[payloadOffset + 5] & 0x01)) {\n        return;\n      }\n      var sectionLength, tableEnd, programInfoLength; // the mapping table ends at the end of the current section\n\n      sectionLength = (packet[payloadOffset + 1] & 0x0f) << 8 | packet[payloadOffset + 2];\n      tableEnd = 3 + sectionLength - 4; // to determine where the table is, we have to figure out how\n      // long the program info descriptors are\n\n      programInfoLength = (packet[payloadOffset + 10] & 0x0f) << 8 | packet[payloadOffset + 11]; // advance the offset to the first entry in the mapping table\n\n      var offset = 12 + programInfoLength;\n      while (offset < tableEnd) {\n        var i = payloadOffset + offset; // add an entry that maps the elementary_pid to the stream_type\n\n        programMapTable[(packet[i + 1] & 0x1F) << 8 | packet[i + 2]] = packet[i]; // move to the next table entry\n        // skip past the elementary stream descriptors, if present\n\n        offset += ((packet[i + 3] & 0x0F) << 8 | packet[i + 4]) + 5;\n      }\n      return programMapTable;\n    };\n    var parsePesType = function (packet, programMapTable) {\n      var pid = parsePid(packet);\n      var type = programMapTable[pid];\n      switch (type) {\n        case StreamTypes$1.H264_STREAM_TYPE:\n          return 'video';\n        case StreamTypes$1.ADTS_STREAM_TYPE:\n          return 'audio';\n        case StreamTypes$1.METADATA_STREAM_TYPE:\n          return 'timed-metadata';\n        default:\n          return null;\n      }\n    };\n    var parsePesTime = function (packet) {\n      var pusi = parsePayloadUnitStartIndicator(packet);\n      if (!pusi) {\n        return null;\n      }\n      var offset = 4 + parseAdaptionField(packet);\n      if (offset >= packet.byteLength) {\n        // From the H 222.0 MPEG-TS spec\n        // \"For transport stream packets carrying PES packets, stuffing is needed when there\n        //  is insufficient PES packet data to completely fill the transport stream packet\n        //  payload bytes. Stuffing is accomplished by defining an adaptation field longer than\n        //  the sum of the lengths of the data elements in it, so that the payload bytes\n        //  remaining after the adaptation field exactly accommodates the available PES packet\n        //  data.\"\n        //\n        // If the offset is >= the length of the packet, then the packet contains no data\n        // and instead is just adaption field stuffing bytes\n        return null;\n      }\n      var pes = null;\n      var ptsDtsFlags; // PES packets may be annotated with a PTS value, or a PTS value\n      // and a DTS value. Determine what combination of values is\n      // available to work with.\n\n      ptsDtsFlags = packet[offset + 7]; // PTS and DTS are normally stored as a 33-bit number.  Javascript\n      // performs all bitwise operations on 32-bit integers but javascript\n      // supports a much greater range (52-bits) of integer using standard\n      // mathematical operations.\n      // We construct a 31-bit value using bitwise operators over the 31\n      // most significant bits and then multiply by 4 (equal to a left-shift\n      // of 2) before we add the final 2 least significant bits of the\n      // timestamp (equal to an OR.)\n\n      if (ptsDtsFlags & 0xC0) {\n        pes = {}; // the PTS and DTS are not written out directly. For information\n        // on how they are encoded, see\n        // http://dvd.sourceforge.net/dvdinfo/pes-hdr.html\n\n        pes.pts = (packet[offset + 9] & 0x0E) << 27 | (packet[offset + 10] & 0xFF) << 20 | (packet[offset + 11] & 0xFE) << 12 | (packet[offset + 12] & 0xFF) << 5 | (packet[offset + 13] & 0xFE) >>> 3;\n        pes.pts *= 4; // Left shift by 2\n\n        pes.pts += (packet[offset + 13] & 0x06) >>> 1; // OR by the two LSBs\n\n        pes.dts = pes.pts;\n        if (ptsDtsFlags & 0x40) {\n          pes.dts = (packet[offset + 14] & 0x0E) << 27 | (packet[offset + 15] & 0xFF) << 20 | (packet[offset + 16] & 0xFE) << 12 | (packet[offset + 17] & 0xFF) << 5 | (packet[offset + 18] & 0xFE) >>> 3;\n          pes.dts *= 4; // Left shift by 2\n\n          pes.dts += (packet[offset + 18] & 0x06) >>> 1; // OR by the two LSBs\n        }\n      }\n      return pes;\n    };\n    var parseNalUnitType = function (type) {\n      switch (type) {\n        case 0x05:\n          return 'slice_layer_without_partitioning_rbsp_idr';\n        case 0x06:\n          return 'sei_rbsp';\n        case 0x07:\n          return 'seq_parameter_set_rbsp';\n        case 0x08:\n          return 'pic_parameter_set_rbsp';\n        case 0x09:\n          return 'access_unit_delimiter_rbsp';\n        default:\n          return null;\n      }\n    };\n    var videoPacketContainsKeyFrame = function (packet) {\n      var offset = 4 + parseAdaptionField(packet);\n      var frameBuffer = packet.subarray(offset);\n      var frameI = 0;\n      var frameSyncPoint = 0;\n      var foundKeyFrame = false;\n      var nalType; // advance the sync point to a NAL start, if necessary\n\n      for (; frameSyncPoint < frameBuffer.byteLength - 3; frameSyncPoint++) {\n        if (frameBuffer[frameSyncPoint + 2] === 1) {\n          // the sync point is properly aligned\n          frameI = frameSyncPoint + 5;\n          break;\n        }\n      }\n      while (frameI < frameBuffer.byteLength) {\n        // look at the current byte to determine if we've hit the end of\n        // a NAL unit boundary\n        switch (frameBuffer[frameI]) {\n          case 0:\n            // skip past non-sync sequences\n            if (frameBuffer[frameI - 1] !== 0) {\n              frameI += 2;\n              break;\n            } else if (frameBuffer[frameI - 2] !== 0) {\n              frameI++;\n              break;\n            }\n            if (frameSyncPoint + 3 !== frameI - 2) {\n              nalType = parseNalUnitType(frameBuffer[frameSyncPoint + 3] & 0x1f);\n              if (nalType === 'slice_layer_without_partitioning_rbsp_idr') {\n                foundKeyFrame = true;\n              }\n            } // drop trailing zeroes\n\n            do {\n              frameI++;\n            } while (frameBuffer[frameI] !== 1 && frameI < frameBuffer.length);\n            frameSyncPoint = frameI - 2;\n            frameI += 3;\n            break;\n          case 1:\n            // skip past non-sync sequences\n            if (frameBuffer[frameI - 1] !== 0 || frameBuffer[frameI - 2] !== 0) {\n              frameI += 3;\n              break;\n            }\n            nalType = parseNalUnitType(frameBuffer[frameSyncPoint + 3] & 0x1f);\n            if (nalType === 'slice_layer_without_partitioning_rbsp_idr') {\n              foundKeyFrame = true;\n            }\n            frameSyncPoint = frameI - 2;\n            frameI += 3;\n            break;\n          default:\n            // the current byte isn't a one or zero, so it cannot be part\n            // of a sync sequence\n            frameI += 3;\n            break;\n        }\n      }\n      frameBuffer = frameBuffer.subarray(frameSyncPoint);\n      frameI -= frameSyncPoint;\n      frameSyncPoint = 0; // parse the final nal\n\n      if (frameBuffer && frameBuffer.byteLength > 3) {\n        nalType = parseNalUnitType(frameBuffer[frameSyncPoint + 3] & 0x1f);\n        if (nalType === 'slice_layer_without_partitioning_rbsp_idr') {\n          foundKeyFrame = true;\n        }\n      }\n      return foundKeyFrame;\n    };\n    var probe$1 = {\n      parseType: parseType,\n      parsePat: parsePat,\n      parsePmt: parsePmt,\n      parsePayloadUnitStartIndicator: parsePayloadUnitStartIndicator,\n      parsePesType: parsePesType,\n      parsePesTime: parsePesTime,\n      videoPacketContainsKeyFrame: videoPacketContainsKeyFrame\n    };\n    /**\n     * mux.js\n     *\n     * Copyright (c) Brightcove\n     * Licensed Apache-2.0 https://github.com/videojs/mux.js/blob/master/LICENSE\n     *\n     * Parse mpeg2 transport stream packets to extract basic timing information\n     */\n\n    var StreamTypes = streamTypes;\n    var handleRollover = timestampRolloverStream.handleRollover;\n    var probe = {};\n    probe.ts = probe$1;\n    probe.aac = utils;\n    var ONE_SECOND_IN_TS = clock$2.ONE_SECOND_IN_TS;\n    var MP2T_PACKET_LENGTH = 188,\n      // bytes\n      SYNC_BYTE = 0x47;\n    /**\n     * walks through segment data looking for pat and pmt packets to parse out\n     * program map table information\n     */\n\n    var parsePsi_ = function (bytes, pmt) {\n      var startIndex = 0,\n        endIndex = MP2T_PACKET_LENGTH,\n        packet,\n        type;\n      while (endIndex < bytes.byteLength) {\n        // Look for a pair of start and end sync bytes in the data..\n        if (bytes[startIndex] === SYNC_BYTE && bytes[endIndex] === SYNC_BYTE) {\n          // We found a packet\n          packet = bytes.subarray(startIndex, endIndex);\n          type = probe.ts.parseType(packet, pmt.pid);\n          switch (type) {\n            case 'pat':\n              pmt.pid = probe.ts.parsePat(packet);\n              break;\n            case 'pmt':\n              var table = probe.ts.parsePmt(packet);\n              pmt.table = pmt.table || {};\n              Object.keys(table).forEach(function (key) {\n                pmt.table[key] = table[key];\n              });\n              break;\n          }\n          startIndex += MP2T_PACKET_LENGTH;\n          endIndex += MP2T_PACKET_LENGTH;\n          continue;\n        } // If we get here, we have somehow become de-synchronized and we need to step\n        // forward one byte at a time until we find a pair of sync bytes that denote\n        // a packet\n\n        startIndex++;\n        endIndex++;\n      }\n    };\n    /**\n     * walks through the segment data from the start and end to get timing information\n     * for the first and last audio pes packets\n     */\n\n    var parseAudioPes_ = function (bytes, pmt, result) {\n      var startIndex = 0,\n        endIndex = MP2T_PACKET_LENGTH,\n        packet,\n        type,\n        pesType,\n        pusi,\n        parsed;\n      var endLoop = false; // Start walking from start of segment to get first audio packet\n\n      while (endIndex <= bytes.byteLength) {\n        // Look for a pair of start and end sync bytes in the data..\n        if (bytes[startIndex] === SYNC_BYTE && (bytes[endIndex] === SYNC_BYTE || endIndex === bytes.byteLength)) {\n          // We found a packet\n          packet = bytes.subarray(startIndex, endIndex);\n          type = probe.ts.parseType(packet, pmt.pid);\n          switch (type) {\n            case 'pes':\n              pesType = probe.ts.parsePesType(packet, pmt.table);\n              pusi = probe.ts.parsePayloadUnitStartIndicator(packet);\n              if (pesType === 'audio' && pusi) {\n                parsed = probe.ts.parsePesTime(packet);\n                if (parsed) {\n                  parsed.type = 'audio';\n                  result.audio.push(parsed);\n                  endLoop = true;\n                }\n              }\n              break;\n          }\n          if (endLoop) {\n            break;\n          }\n          startIndex += MP2T_PACKET_LENGTH;\n          endIndex += MP2T_PACKET_LENGTH;\n          continue;\n        } // If we get here, we have somehow become de-synchronized and we need to step\n        // forward one byte at a time until we find a pair of sync bytes that denote\n        // a packet\n\n        startIndex++;\n        endIndex++;\n      } // Start walking from end of segment to get last audio packet\n\n      endIndex = bytes.byteLength;\n      startIndex = endIndex - MP2T_PACKET_LENGTH;\n      endLoop = false;\n      while (startIndex >= 0) {\n        // Look for a pair of start and end sync bytes in the data..\n        if (bytes[startIndex] === SYNC_BYTE && (bytes[endIndex] === SYNC_BYTE || endIndex === bytes.byteLength)) {\n          // We found a packet\n          packet = bytes.subarray(startIndex, endIndex);\n          type = probe.ts.parseType(packet, pmt.pid);\n          switch (type) {\n            case 'pes':\n              pesType = probe.ts.parsePesType(packet, pmt.table);\n              pusi = probe.ts.parsePayloadUnitStartIndicator(packet);\n              if (pesType === 'audio' && pusi) {\n                parsed = probe.ts.parsePesTime(packet);\n                if (parsed) {\n                  parsed.type = 'audio';\n                  result.audio.push(parsed);\n                  endLoop = true;\n                }\n              }\n              break;\n          }\n          if (endLoop) {\n            break;\n          }\n          startIndex -= MP2T_PACKET_LENGTH;\n          endIndex -= MP2T_PACKET_LENGTH;\n          continue;\n        } // If we get here, we have somehow become de-synchronized and we need to step\n        // forward one byte at a time until we find a pair of sync bytes that denote\n        // a packet\n\n        startIndex--;\n        endIndex--;\n      }\n    };\n    /**\n     * walks through the segment data from the start and end to get timing information\n     * for the first and last video pes packets as well as timing information for the first\n     * key frame.\n     */\n\n    var parseVideoPes_ = function (bytes, pmt, result) {\n      var startIndex = 0,\n        endIndex = MP2T_PACKET_LENGTH,\n        packet,\n        type,\n        pesType,\n        pusi,\n        parsed,\n        frame,\n        i,\n        pes;\n      var endLoop = false;\n      var currentFrame = {\n        data: [],\n        size: 0\n      }; // Start walking from start of segment to get first video packet\n\n      while (endIndex < bytes.byteLength) {\n        // Look for a pair of start and end sync bytes in the data..\n        if (bytes[startIndex] === SYNC_BYTE && bytes[endIndex] === SYNC_BYTE) {\n          // We found a packet\n          packet = bytes.subarray(startIndex, endIndex);\n          type = probe.ts.parseType(packet, pmt.pid);\n          switch (type) {\n            case 'pes':\n              pesType = probe.ts.parsePesType(packet, pmt.table);\n              pusi = probe.ts.parsePayloadUnitStartIndicator(packet);\n              if (pesType === 'video') {\n                if (pusi && !endLoop) {\n                  parsed = probe.ts.parsePesTime(packet);\n                  if (parsed) {\n                    parsed.type = 'video';\n                    result.video.push(parsed);\n                    endLoop = true;\n                  }\n                }\n                if (!result.firstKeyFrame) {\n                  if (pusi) {\n                    if (currentFrame.size !== 0) {\n                      frame = new Uint8Array(currentFrame.size);\n                      i = 0;\n                      while (currentFrame.data.length) {\n                        pes = currentFrame.data.shift();\n                        frame.set(pes, i);\n                        i += pes.byteLength;\n                      }\n                      if (probe.ts.videoPacketContainsKeyFrame(frame)) {\n                        var firstKeyFrame = probe.ts.parsePesTime(frame); // PTS/DTS may not be available. Simply *not* setting\n                        // the keyframe seems to work fine with HLS playback\n                        // and definitely preferable to a crash with TypeError...\n\n                        if (firstKeyFrame) {\n                          result.firstKeyFrame = firstKeyFrame;\n                          result.firstKeyFrame.type = 'video';\n                        } else {\n                          // eslint-disable-next-line\n                          console.warn('Failed to extract PTS/DTS from PES at first keyframe. ' + 'This could be an unusual TS segment, or else mux.js did not ' + 'parse your TS segment correctly. If you know your TS ' + 'segments do contain PTS/DTS on keyframes please file a bug ' + 'report! You can try ffprobe to double check for yourself.');\n                        }\n                      }\n                      currentFrame.size = 0;\n                    }\n                  }\n                  currentFrame.data.push(packet);\n                  currentFrame.size += packet.byteLength;\n                }\n              }\n              break;\n          }\n          if (endLoop && result.firstKeyFrame) {\n            break;\n          }\n          startIndex += MP2T_PACKET_LENGTH;\n          endIndex += MP2T_PACKET_LENGTH;\n          continue;\n        } // If we get here, we have somehow become de-synchronized and we need to step\n        // forward one byte at a time until we find a pair of sync bytes that denote\n        // a packet\n\n        startIndex++;\n        endIndex++;\n      } // Start walking from end of segment to get last video packet\n\n      endIndex = bytes.byteLength;\n      startIndex = endIndex - MP2T_PACKET_LENGTH;\n      endLoop = false;\n      while (startIndex >= 0) {\n        // Look for a pair of start and end sync bytes in the data..\n        if (bytes[startIndex] === SYNC_BYTE && bytes[endIndex] === SYNC_BYTE) {\n          // We found a packet\n          packet = bytes.subarray(startIndex, endIndex);\n          type = probe.ts.parseType(packet, pmt.pid);\n          switch (type) {\n            case 'pes':\n              pesType = probe.ts.parsePesType(packet, pmt.table);\n              pusi = probe.ts.parsePayloadUnitStartIndicator(packet);\n              if (pesType === 'video' && pusi) {\n                parsed = probe.ts.parsePesTime(packet);\n                if (parsed) {\n                  parsed.type = 'video';\n                  result.video.push(parsed);\n                  endLoop = true;\n                }\n              }\n              break;\n          }\n          if (endLoop) {\n            break;\n          }\n          startIndex -= MP2T_PACKET_LENGTH;\n          endIndex -= MP2T_PACKET_LENGTH;\n          continue;\n        } // If we get here, we have somehow become de-synchronized and we need to step\n        // forward one byte at a time until we find a pair of sync bytes that denote\n        // a packet\n\n        startIndex--;\n        endIndex--;\n      }\n    };\n    /**\n     * Adjusts the timestamp information for the segment to account for\n     * rollover and convert to seconds based on pes packet timescale (90khz clock)\n     */\n\n    var adjustTimestamp_ = function (segmentInfo, baseTimestamp) {\n      if (segmentInfo.audio && segmentInfo.audio.length) {\n        var audioBaseTimestamp = baseTimestamp;\n        if (typeof audioBaseTimestamp === 'undefined' || isNaN(audioBaseTimestamp)) {\n          audioBaseTimestamp = segmentInfo.audio[0].dts;\n        }\n        segmentInfo.audio.forEach(function (info) {\n          info.dts = handleRollover(info.dts, audioBaseTimestamp);\n          info.pts = handleRollover(info.pts, audioBaseTimestamp); // time in seconds\n\n          info.dtsTime = info.dts / ONE_SECOND_IN_TS;\n          info.ptsTime = info.pts / ONE_SECOND_IN_TS;\n        });\n      }\n      if (segmentInfo.video && segmentInfo.video.length) {\n        var videoBaseTimestamp = baseTimestamp;\n        if (typeof videoBaseTimestamp === 'undefined' || isNaN(videoBaseTimestamp)) {\n          videoBaseTimestamp = segmentInfo.video[0].dts;\n        }\n        segmentInfo.video.forEach(function (info) {\n          info.dts = handleRollover(info.dts, videoBaseTimestamp);\n          info.pts = handleRollover(info.pts, videoBaseTimestamp); // time in seconds\n\n          info.dtsTime = info.dts / ONE_SECOND_IN_TS;\n          info.ptsTime = info.pts / ONE_SECOND_IN_TS;\n        });\n        if (segmentInfo.firstKeyFrame) {\n          var frame = segmentInfo.firstKeyFrame;\n          frame.dts = handleRollover(frame.dts, videoBaseTimestamp);\n          frame.pts = handleRollover(frame.pts, videoBaseTimestamp); // time in seconds\n\n          frame.dtsTime = frame.dts / ONE_SECOND_IN_TS;\n          frame.ptsTime = frame.pts / ONE_SECOND_IN_TS;\n        }\n      }\n    };\n    /**\n     * inspects the aac data stream for start and end time information\n     */\n\n    var inspectAac_ = function (bytes) {\n      var endLoop = false,\n        audioCount = 0,\n        sampleRate = null,\n        timestamp = null,\n        frameSize = 0,\n        byteIndex = 0,\n        packet;\n      while (bytes.length - byteIndex >= 3) {\n        var type = probe.aac.parseType(bytes, byteIndex);\n        switch (type) {\n          case 'timed-metadata':\n            // Exit early because we don't have enough to parse\n            // the ID3 tag header\n            if (bytes.length - byteIndex < 10) {\n              endLoop = true;\n              break;\n            }\n            frameSize = probe.aac.parseId3TagSize(bytes, byteIndex); // Exit early if we don't have enough in the buffer\n            // to emit a full packet\n\n            if (frameSize > bytes.length) {\n              endLoop = true;\n              break;\n            }\n            if (timestamp === null) {\n              packet = bytes.subarray(byteIndex, byteIndex + frameSize);\n              timestamp = probe.aac.parseAacTimestamp(packet);\n            }\n            byteIndex += frameSize;\n            break;\n          case 'audio':\n            // Exit early because we don't have enough to parse\n            // the ADTS frame header\n            if (bytes.length - byteIndex < 7) {\n              endLoop = true;\n              break;\n            }\n            frameSize = probe.aac.parseAdtsSize(bytes, byteIndex); // Exit early if we don't have enough in the buffer\n            // to emit a full packet\n\n            if (frameSize > bytes.length) {\n              endLoop = true;\n              break;\n            }\n            if (sampleRate === null) {\n              packet = bytes.subarray(byteIndex, byteIndex + frameSize);\n              sampleRate = probe.aac.parseSampleRate(packet);\n            }\n            audioCount++;\n            byteIndex += frameSize;\n            break;\n          default:\n            byteIndex++;\n            break;\n        }\n        if (endLoop) {\n          return null;\n        }\n      }\n      if (sampleRate === null || timestamp === null) {\n        return null;\n      }\n      var audioTimescale = ONE_SECOND_IN_TS / sampleRate;\n      var result = {\n        audio: [{\n          type: 'audio',\n          dts: timestamp,\n          pts: timestamp\n        }, {\n          type: 'audio',\n          dts: timestamp + audioCount * 1024 * audioTimescale,\n          pts: timestamp + audioCount * 1024 * audioTimescale\n        }]\n      };\n      return result;\n    };\n    /**\n     * inspects the transport stream segment data for start and end time information\n     * of the audio and video tracks (when present) as well as the first key frame's\n     * start time.\n     */\n\n    var inspectTs_ = function (bytes) {\n      var pmt = {\n        pid: null,\n        table: null\n      };\n      var result = {};\n      parsePsi_(bytes, pmt);\n      for (var pid in pmt.table) {\n        if (pmt.table.hasOwnProperty(pid)) {\n          var type = pmt.table[pid];\n          switch (type) {\n            case StreamTypes.H264_STREAM_TYPE:\n              result.video = [];\n              parseVideoPes_(bytes, pmt, result);\n              if (result.video.length === 0) {\n                delete result.video;\n              }\n              break;\n            case StreamTypes.ADTS_STREAM_TYPE:\n              result.audio = [];\n              parseAudioPes_(bytes, pmt, result);\n              if (result.audio.length === 0) {\n                delete result.audio;\n              }\n              break;\n          }\n        }\n      }\n      return result;\n    };\n    /**\n     * Inspects segment byte data and returns an object with start and end timing information\n     *\n     * @param {Uint8Array} bytes The segment byte data\n     * @param {Number} baseTimestamp Relative reference timestamp used when adjusting frame\n     *  timestamps for rollover. This value must be in 90khz clock.\n     * @return {Object} Object containing start and end frame timing info of segment.\n     */\n\n    var inspect = function (bytes, baseTimestamp) {\n      var isAacData = probe.aac.isLikelyAacData(bytes);\n      var result;\n      if (isAacData) {\n        result = inspectAac_(bytes);\n      } else {\n        result = inspectTs_(bytes);\n      }\n      if (!result || !result.audio && !result.video) {\n        return null;\n      }\n      adjustTimestamp_(result, baseTimestamp);\n      return result;\n    };\n    var tsInspector = {\n      inspect: inspect,\n      parseAudioPes_: parseAudioPes_\n    };\n    /* global self */\n\n    /**\n     * Re-emits transmuxer events by converting them into messages to the\n     * world outside the worker.\n     *\n     * @param {Object} transmuxer the transmuxer to wire events on\n     * @private\n     */\n\n    const wireTransmuxerEvents = function (self, transmuxer) {\n      transmuxer.on('data', function (segment) {\n        // transfer ownership of the underlying ArrayBuffer\n        // instead of doing a copy to save memory\n        // ArrayBuffers are transferable but generic TypedArrays are not\n        // @link https://developer.mozilla.org/en-US/docs/Web/API/Web_Workers_API/Using_web_workers#Passing_data_by_transferring_ownership_(transferable_objects)\n        const initArray = segment.initSegment;\n        segment.initSegment = {\n          data: initArray.buffer,\n          byteOffset: initArray.byteOffset,\n          byteLength: initArray.byteLength\n        };\n        const typedArray = segment.data;\n        segment.data = typedArray.buffer;\n        self.postMessage({\n          action: 'data',\n          segment,\n          byteOffset: typedArray.byteOffset,\n          byteLength: typedArray.byteLength\n        }, [segment.data]);\n      });\n      transmuxer.on('done', function (data) {\n        self.postMessage({\n          action: 'done'\n        });\n      });\n      transmuxer.on('gopInfo', function (gopInfo) {\n        self.postMessage({\n          action: 'gopInfo',\n          gopInfo\n        });\n      });\n      transmuxer.on('videoSegmentTimingInfo', function (timingInfo) {\n        const videoSegmentTimingInfo = {\n          start: {\n            decode: clock$2.videoTsToSeconds(timingInfo.start.dts),\n            presentation: clock$2.videoTsToSeconds(timingInfo.start.pts)\n          },\n          end: {\n            decode: clock$2.videoTsToSeconds(timingInfo.end.dts),\n            presentation: clock$2.videoTsToSeconds(timingInfo.end.pts)\n          },\n          baseMediaDecodeTime: clock$2.videoTsToSeconds(timingInfo.baseMediaDecodeTime)\n        };\n        if (timingInfo.prependedContentDuration) {\n          videoSegmentTimingInfo.prependedContentDuration = clock$2.videoTsToSeconds(timingInfo.prependedContentDuration);\n        }\n        self.postMessage({\n          action: 'videoSegmentTimingInfo',\n          videoSegmentTimingInfo\n        });\n      });\n      transmuxer.on('audioSegmentTimingInfo', function (timingInfo) {\n        // Note that all times for [audio/video]SegmentTimingInfo events are in video clock\n        const audioSegmentTimingInfo = {\n          start: {\n            decode: clock$2.videoTsToSeconds(timingInfo.start.dts),\n            presentation: clock$2.videoTsToSeconds(timingInfo.start.pts)\n          },\n          end: {\n            decode: clock$2.videoTsToSeconds(timingInfo.end.dts),\n            presentation: clock$2.videoTsToSeconds(timingInfo.end.pts)\n          },\n          baseMediaDecodeTime: clock$2.videoTsToSeconds(timingInfo.baseMediaDecodeTime)\n        };\n        if (timingInfo.prependedContentDuration) {\n          audioSegmentTimingInfo.prependedContentDuration = clock$2.videoTsToSeconds(timingInfo.prependedContentDuration);\n        }\n        self.postMessage({\n          action: 'audioSegmentTimingInfo',\n          audioSegmentTimingInfo\n        });\n      });\n      transmuxer.on('id3Frame', function (id3Frame) {\n        self.postMessage({\n          action: 'id3Frame',\n          id3Frame\n        });\n      });\n      transmuxer.on('caption', function (caption) {\n        self.postMessage({\n          action: 'caption',\n          caption\n        });\n      });\n      transmuxer.on('trackinfo', function (trackInfo) {\n        self.postMessage({\n          action: 'trackinfo',\n          trackInfo\n        });\n      });\n      transmuxer.on('audioTimingInfo', function (audioTimingInfo) {\n        // convert to video TS since we prioritize video time over audio\n        self.postMessage({\n          action: 'audioTimingInfo',\n          audioTimingInfo: {\n            start: clock$2.videoTsToSeconds(audioTimingInfo.start),\n            end: clock$2.videoTsToSeconds(audioTimingInfo.end)\n          }\n        });\n      });\n      transmuxer.on('videoTimingInfo', function (videoTimingInfo) {\n        self.postMessage({\n          action: 'videoTimingInfo',\n          videoTimingInfo: {\n            start: clock$2.videoTsToSeconds(videoTimingInfo.start),\n            end: clock$2.videoTsToSeconds(videoTimingInfo.end)\n          }\n        });\n      });\n      transmuxer.on('log', function (log) {\n        self.postMessage({\n          action: 'log',\n          log\n        });\n      });\n    };\n    /**\n     * All incoming messages route through this hash. If no function exists\n     * to handle an incoming message, then we ignore the message.\n     *\n     * @class MessageHandlers\n     * @param {Object} options the options to initialize with\n     */\n\n    class MessageHandlers {\n      constructor(self, options) {\n        this.options = options || {};\n        this.self = self;\n        this.init();\n      }\n      /**\n       * initialize our web worker and wire all the events.\n       */\n\n      init() {\n        if (this.transmuxer) {\n          this.transmuxer.dispose();\n        }\n        this.transmuxer = new transmuxer.Transmuxer(this.options);\n        wireTransmuxerEvents(this.self, this.transmuxer);\n      }\n      pushMp4Captions(data) {\n        if (!this.captionParser) {\n          this.captionParser = new captionParser();\n          this.captionParser.init();\n        }\n        const segment = new Uint8Array(data.data, data.byteOffset, data.byteLength);\n        const parsed = this.captionParser.parse(segment, data.trackIds, data.timescales);\n        this.self.postMessage({\n          action: 'mp4Captions',\n          captions: parsed && parsed.captions || [],\n          logs: parsed && parsed.logs || [],\n          data: segment.buffer\n        }, [segment.buffer]);\n      }\n      /**\n       * Initializes the WebVttParser and passes the init segment.\n       *\n       * @param {Uint8Array} data mp4 boxed WebVTT init segment data\n       */\n\n      initMp4WebVttParser(data) {\n        if (!this.webVttParser) {\n          this.webVttParser = new webvttParser();\n        }\n        const segment = new Uint8Array(data.data, data.byteOffset, data.byteLength); // Set the timescale for the parser.\n        // This can be called repeatedly in order to set and re-set the timescale.\n\n        this.webVttParser.init(segment);\n      }\n      /**\n       * Parse an mp4 encapsulated WebVTT segment and return an array of cues.\n       *\n       * @param {Uint8Array} data a text/webvtt segment\n       * @return {Object[]} an array of parsed cue objects\n       */\n\n      getMp4WebVttText(data) {\n        if (!this.webVttParser) {\n          // timescale might not be set yet if the parser is created before an init segment is passed.\n          // default timescale is 90k.\n          this.webVttParser = new webvttParser();\n        }\n        const segment = new Uint8Array(data.data, data.byteOffset, data.byteLength);\n        const parsed = this.webVttParser.parseSegment(segment);\n        this.self.postMessage({\n          action: 'getMp4WebVttText',\n          mp4VttCues: parsed || [],\n          data: segment.buffer\n        }, [segment.buffer]);\n      }\n      probeMp4StartTime({\n        timescales,\n        data\n      }) {\n        const startTime = probe$2.startTime(timescales, data);\n        this.self.postMessage({\n          action: 'probeMp4StartTime',\n          startTime,\n          data\n        }, [data.buffer]);\n      }\n      probeMp4Tracks({\n        data\n      }) {\n        const tracks = probe$2.tracks(data);\n        this.self.postMessage({\n          action: 'probeMp4Tracks',\n          tracks,\n          data\n        }, [data.buffer]);\n      }\n      /**\n       * Probes an mp4 segment for EMSG boxes containing ID3 data.\n       * https://aomediacodec.github.io/id3-emsg/\n       *\n       * @param {Uint8Array} data segment data\n       * @param {number} offset segment start time\n       * @return {Object[]} an array of ID3 frames\n       */\n\n      probeEmsgID3({\n        data,\n        offset\n      }) {\n        const id3Frames = probe$2.getEmsgID3(data, offset);\n        this.self.postMessage({\n          action: 'probeEmsgID3',\n          id3Frames,\n          emsgData: data\n        }, [data.buffer]);\n      }\n      /**\n       * Probe an mpeg2-ts segment to determine the start time of the segment in it's\n       * internal \"media time,\" as well as whether it contains video and/or audio.\n       *\n       * @private\n       * @param {Uint8Array} bytes - segment bytes\n       * @param {number} baseStartTime\n       *        Relative reference timestamp used when adjusting frame timestamps for rollover.\n       *        This value should be in seconds, as it's converted to a 90khz clock within the\n       *        function body.\n       * @return {Object} The start time of the current segment in \"media time\" as well as\n       *                  whether it contains video and/or audio\n       */\n\n      probeTs({\n        data,\n        baseStartTime\n      }) {\n        const tsStartTime = typeof baseStartTime === 'number' && !isNaN(baseStartTime) ? baseStartTime * clock$2.ONE_SECOND_IN_TS : void 0;\n        const timeInfo = tsInspector.inspect(data, tsStartTime);\n        let result = null;\n        if (timeInfo) {\n          result = {\n            // each type's time info comes back as an array of 2 times, start and end\n            hasVideo: timeInfo.video && timeInfo.video.length === 2 || false,\n            hasAudio: timeInfo.audio && timeInfo.audio.length === 2 || false\n          };\n          if (result.hasVideo) {\n            result.videoStart = timeInfo.video[0].ptsTime;\n          }\n          if (result.hasAudio) {\n            result.audioStart = timeInfo.audio[0].ptsTime;\n          }\n        }\n        this.self.postMessage({\n          action: 'probeTs',\n          result,\n          data\n        }, [data.buffer]);\n      }\n      clearAllMp4Captions() {\n        if (this.captionParser) {\n          this.captionParser.clearAllCaptions();\n        }\n      }\n      clearParsedMp4Captions() {\n        if (this.captionParser) {\n          this.captionParser.clearParsedCaptions();\n        }\n      }\n      /**\n       * Adds data (a ts segment) to the start of the transmuxer pipeline for\n       * processing.\n       *\n       * @param {ArrayBuffer} data data to push into the muxer\n       */\n\n      push(data) {\n        // Cast array buffer to correct type for transmuxer\n        const segment = new Uint8Array(data.data, data.byteOffset, data.byteLength);\n        this.transmuxer.push(segment);\n      }\n      /**\n       * Recreate the transmuxer so that the next segment added via `push`\n       * start with a fresh transmuxer.\n       */\n\n      reset() {\n        this.transmuxer.reset();\n      }\n      /**\n       * Set the value that will be used as the `baseMediaDecodeTime` time for the\n       * next segment pushed in. Subsequent segments will have their `baseMediaDecodeTime`\n       * set relative to the first based on the PTS values.\n       *\n       * @param {Object} data used to set the timestamp offset in the muxer\n       */\n\n      setTimestampOffset(data) {\n        const timestampOffset = data.timestampOffset || 0;\n        this.transmuxer.setBaseMediaDecodeTime(Math.round(clock$2.secondsToVideoTs(timestampOffset)));\n      }\n      setAudioAppendStart(data) {\n        this.transmuxer.setAudioAppendStart(Math.ceil(clock$2.secondsToVideoTs(data.appendStart)));\n      }\n      setRemux(data) {\n        this.transmuxer.setRemux(data.remux);\n      }\n      /**\n       * Forces the pipeline to finish processing the last segment and emit it's\n       * results.\n       *\n       * @param {Object} data event data, not really used\n       */\n\n      flush(data) {\n        this.transmuxer.flush(); // transmuxed done action is fired after both audio/video pipelines are flushed\n\n        self.postMessage({\n          action: 'done',\n          type: 'transmuxed'\n        });\n      }\n      endTimeline() {\n        this.transmuxer.endTimeline(); // transmuxed endedtimeline action is fired after both audio/video pipelines end their\n        // timelines\n\n        self.postMessage({\n          action: 'endedtimeline',\n          type: 'transmuxed'\n        });\n      }\n      alignGopsWith(data) {\n        this.transmuxer.alignGopsWith(data.gopsToAlignWith.slice());\n      }\n    }\n    /**\n     * Our web worker interface so that things can talk to mux.js\n     * that will be running in a web worker. the scope is passed to this by\n     * webworkify.\n     *\n     * @param {Object} self the scope for the web worker\n     */\n\n    self.onmessage = function (event) {\n      if (event.data.action === 'init' && event.data.options) {\n        this.messageHandlers = new MessageHandlers(self, event.data.options);\n        return;\n      }\n      if (!this.messageHandlers) {\n        this.messageHandlers = new MessageHandlers(self);\n      }\n      if (event.data && event.data.action && event.data.action !== 'init') {\n        if (this.messageHandlers[event.data.action]) {\n          this.messageHandlers[event.data.action](event.data);\n        }\n      }\n    };\n  }));\n  var TransmuxWorker = factory(workerCode$1);\n  /* rollup-plugin-worker-factory end for worker!/home/runner/work/http-streaming/http-streaming/src/transmuxer-worker.js */\n\n  const handleData_ = (event, transmuxedData, callback) => {\n    const {\n      type,\n      initSegment,\n      captions,\n      captionStreams,\n      metadata,\n      videoFrameDtsTime,\n      videoFramePtsTime\n    } = event.data.segment;\n    transmuxedData.buffer.push({\n      captions,\n      captionStreams,\n      metadata\n    });\n    const boxes = event.data.segment.boxes || {\n      data: event.data.segment.data\n    };\n    const result = {\n      type,\n      // cast ArrayBuffer to TypedArray\n      data: new Uint8Array(boxes.data, boxes.data.byteOffset, boxes.data.byteLength),\n      initSegment: new Uint8Array(initSegment.data, initSegment.byteOffset, initSegment.byteLength)\n    };\n    if (typeof videoFrameDtsTime !== 'undefined') {\n      result.videoFrameDtsTime = videoFrameDtsTime;\n    }\n    if (typeof videoFramePtsTime !== 'undefined') {\n      result.videoFramePtsTime = videoFramePtsTime;\n    }\n    callback(result);\n  };\n  const handleDone_ = ({\n    transmuxedData,\n    callback\n  }) => {\n    // Previously we only returned data on data events,\n    // not on done events. Clear out the buffer to keep that consistent.\n    transmuxedData.buffer = []; // all buffers should have been flushed from the muxer, so start processing anything we\n    // have received\n\n    callback(transmuxedData);\n  };\n  const handleGopInfo_ = (event, transmuxedData) => {\n    transmuxedData.gopInfo = event.data.gopInfo;\n  };\n  const processTransmux = options => {\n    const {\n      transmuxer,\n      bytes,\n      audioAppendStart,\n      gopsToAlignWith,\n      remux,\n      onData,\n      onTrackInfo,\n      onAudioTimingInfo,\n      onVideoTimingInfo,\n      onVideoSegmentTimingInfo,\n      onAudioSegmentTimingInfo,\n      onId3,\n      onCaptions,\n      onDone,\n      onEndedTimeline,\n      onTransmuxerLog,\n      isEndOfTimeline,\n      segment,\n      triggerSegmentEventFn\n    } = options;\n    const transmuxedData = {\n      buffer: []\n    };\n    let waitForEndedTimelineEvent = isEndOfTimeline;\n    const handleMessage = event => {\n      if (transmuxer.currentTransmux !== options) {\n        // disposed\n        return;\n      }\n      if (event.data.action === 'data') {\n        handleData_(event, transmuxedData, onData);\n      }\n      if (event.data.action === 'trackinfo') {\n        onTrackInfo(event.data.trackInfo);\n      }\n      if (event.data.action === 'gopInfo') {\n        handleGopInfo_(event, transmuxedData);\n      }\n      if (event.data.action === 'audioTimingInfo') {\n        onAudioTimingInfo(event.data.audioTimingInfo);\n      }\n      if (event.data.action === 'videoTimingInfo') {\n        onVideoTimingInfo(event.data.videoTimingInfo);\n      }\n      if (event.data.action === 'videoSegmentTimingInfo') {\n        onVideoSegmentTimingInfo(event.data.videoSegmentTimingInfo);\n      }\n      if (event.data.action === 'audioSegmentTimingInfo') {\n        onAudioSegmentTimingInfo(event.data.audioSegmentTimingInfo);\n      }\n      if (event.data.action === 'id3Frame') {\n        onId3([event.data.id3Frame], event.data.id3Frame.dispatchType);\n      }\n      if (event.data.action === 'caption') {\n        onCaptions(event.data.caption);\n      }\n      if (event.data.action === 'endedtimeline') {\n        waitForEndedTimelineEvent = false;\n        onEndedTimeline();\n      }\n      if (event.data.action === 'log') {\n        onTransmuxerLog(event.data.log);\n      } // wait for the transmuxed event since we may have audio and video\n\n      if (event.data.type !== 'transmuxed') {\n        return;\n      } // If the \"endedtimeline\" event has not yet fired, and this segment represents the end\n      // of a timeline, that means there may still be data events before the segment\n      // processing can be considerred complete. In that case, the final event should be\n      // an \"endedtimeline\" event with the type \"transmuxed.\"\n\n      if (waitForEndedTimelineEvent) {\n        return;\n      }\n      transmuxer.onmessage = null;\n      handleDone_({\n        transmuxedData,\n        callback: onDone\n      });\n      /* eslint-disable no-use-before-define */\n\n      dequeue(transmuxer);\n      /* eslint-enable */\n    };\n    const handleError = () => {\n      const error = {\n        message: 'Received an error message from the transmuxer worker',\n        metadata: {\n          errorType: videojs.Error.StreamingFailedToTransmuxSegment,\n          segmentInfo: segmentInfoPayload({\n            segment\n          })\n        }\n      };\n      onDone(null, error);\n    };\n    transmuxer.onmessage = handleMessage;\n    transmuxer.onerror = handleError;\n    if (audioAppendStart) {\n      transmuxer.postMessage({\n        action: 'setAudioAppendStart',\n        appendStart: audioAppendStart\n      });\n    } // allow empty arrays to be passed to clear out GOPs\n\n    if (Array.isArray(gopsToAlignWith)) {\n      transmuxer.postMessage({\n        action: 'alignGopsWith',\n        gopsToAlignWith\n      });\n    }\n    if (typeof remux !== 'undefined') {\n      transmuxer.postMessage({\n        action: 'setRemux',\n        remux\n      });\n    }\n    if (bytes.byteLength) {\n      const buffer = bytes instanceof ArrayBuffer ? bytes : bytes.buffer;\n      const byteOffset = bytes instanceof ArrayBuffer ? 0 : bytes.byteOffset;\n      triggerSegmentEventFn({\n        type: 'segmenttransmuxingstart',\n        segment\n      });\n      transmuxer.postMessage({\n        action: 'push',\n        // Send the typed-array of data as an ArrayBuffer so that\n        // it can be sent as a \"Transferable\" and avoid the costly\n        // memory copy\n        data: buffer,\n        // To recreate the original typed-array, we need information\n        // about what portion of the ArrayBuffer it was a view into\n        byteOffset,\n        byteLength: bytes.byteLength\n      }, [buffer]);\n    }\n    if (isEndOfTimeline) {\n      transmuxer.postMessage({\n        action: 'endTimeline'\n      });\n    } // even if we didn't push any bytes, we have to make sure we flush in case we reached\n    // the end of the segment\n\n    transmuxer.postMessage({\n      action: 'flush'\n    });\n  };\n  const dequeue = transmuxer => {\n    transmuxer.currentTransmux = null;\n    if (transmuxer.transmuxQueue.length) {\n      transmuxer.currentTransmux = transmuxer.transmuxQueue.shift();\n      if (typeof transmuxer.currentTransmux === 'function') {\n        transmuxer.currentTransmux();\n      } else {\n        processTransmux(transmuxer.currentTransmux);\n      }\n    }\n  };\n  const processAction = (transmuxer, action) => {\n    transmuxer.postMessage({\n      action\n    });\n    dequeue(transmuxer);\n  };\n  const enqueueAction = (action, transmuxer) => {\n    if (!transmuxer.currentTransmux) {\n      transmuxer.currentTransmux = action;\n      processAction(transmuxer, action);\n      return;\n    }\n    transmuxer.transmuxQueue.push(processAction.bind(null, transmuxer, action));\n  };\n  const reset = transmuxer => {\n    enqueueAction('reset', transmuxer);\n  };\n  const endTimeline = transmuxer => {\n    enqueueAction('endTimeline', transmuxer);\n  };\n  const transmux = options => {\n    if (!options.transmuxer.currentTransmux) {\n      options.transmuxer.currentTransmux = options;\n      processTransmux(options);\n      return;\n    }\n    options.transmuxer.transmuxQueue.push(options);\n  };\n  const createTransmuxer = options => {\n    const transmuxer = new TransmuxWorker();\n    transmuxer.currentTransmux = null;\n    transmuxer.transmuxQueue = [];\n    const term = transmuxer.terminate;\n    transmuxer.terminate = () => {\n      transmuxer.currentTransmux = null;\n      transmuxer.transmuxQueue.length = 0;\n      return term.call(transmuxer);\n    };\n    transmuxer.postMessage({\n      action: 'init',\n      options\n    });\n    return transmuxer;\n  };\n  var segmentTransmuxer = {\n    reset,\n    endTimeline,\n    transmux,\n    createTransmuxer\n  };\n  const workerCallback = function (options) {\n    const transmuxer = options.transmuxer;\n    const endAction = options.endAction || options.action;\n    const callback = options.callback;\n    const message = _extends$1({}, options, {\n      endAction: null,\n      transmuxer: null,\n      callback: null\n    });\n    const listenForEndEvent = event => {\n      if (event.data.action !== endAction) {\n        return;\n      }\n      transmuxer.removeEventListener('message', listenForEndEvent); // transfer ownership of bytes back to us.\n\n      if (event.data.data) {\n        event.data.data = new Uint8Array(event.data.data, options.byteOffset || 0, options.byteLength || event.data.data.byteLength);\n        if (options.data) {\n          options.data = event.data.data;\n        }\n      }\n      callback(event.data);\n    };\n    transmuxer.addEventListener('message', listenForEndEvent);\n    if (options.data) {\n      const isArrayBuffer = options.data instanceof ArrayBuffer;\n      message.byteOffset = isArrayBuffer ? 0 : options.data.byteOffset;\n      message.byteLength = options.data.byteLength;\n      const transfers = [isArrayBuffer ? options.data : options.data.buffer];\n      transmuxer.postMessage(message, transfers);\n    } else {\n      transmuxer.postMessage(message);\n    }\n  };\n  const REQUEST_ERRORS = {\n    FAILURE: 2,\n    TIMEOUT: -101,\n    ABORTED: -102\n  };\n  const WEB_VTT_CODEC = 'wvtt';\n  /**\n   * Abort all requests\n   *\n   * @param {Object} activeXhrs - an object that tracks all XHR requests\n   */\n\n  const abortAll = activeXhrs => {\n    activeXhrs.forEach(xhr => {\n      xhr.abort();\n    });\n  };\n  /**\n   * Gather important bandwidth stats once a request has completed\n   *\n   * @param {Object} request - the XHR request from which to gather stats\n   */\n\n  const getRequestStats = request => {\n    return {\n      bandwidth: request.bandwidth,\n      bytesReceived: request.bytesReceived || 0,\n      roundTripTime: request.roundTripTime || 0\n    };\n  };\n  /**\n   * If possible gather bandwidth stats as a request is in\n   * progress\n   *\n   * @param {Event} progressEvent - an event object from an XHR's progress event\n   */\n\n  const getProgressStats = progressEvent => {\n    const request = progressEvent.target;\n    const roundTripTime = Date.now() - request.requestTime;\n    const stats = {\n      bandwidth: Infinity,\n      bytesReceived: 0,\n      roundTripTime: roundTripTime || 0\n    };\n    stats.bytesReceived = progressEvent.loaded; // This can result in Infinity if stats.roundTripTime is 0 but that is ok\n    // because we should only use bandwidth stats on progress to determine when\n    // abort a request early due to insufficient bandwidth\n\n    stats.bandwidth = Math.floor(stats.bytesReceived / stats.roundTripTime * 8 * 1000);\n    return stats;\n  };\n  /**\n   * Handle all error conditions in one place and return an object\n   * with all the information\n   *\n   * @param {Error|null} error - if non-null signals an error occured with the XHR\n   * @param {Object} request -  the XHR request that possibly generated the error\n   */\n\n  const handleErrors = (error, request) => {\n    const {\n      requestType\n    } = request;\n    const metadata = getStreamingNetworkErrorMetadata({\n      requestType,\n      request,\n      error\n    });\n    if (request.timedout) {\n      return {\n        status: request.status,\n        message: 'HLS request timed-out at URL: ' + request.uri,\n        code: REQUEST_ERRORS.TIMEOUT,\n        xhr: request,\n        metadata\n      };\n    }\n    if (request.aborted) {\n      return {\n        status: request.status,\n        message: 'HLS request aborted at URL: ' + request.uri,\n        code: REQUEST_ERRORS.ABORTED,\n        xhr: request,\n        metadata\n      };\n    }\n    if (error) {\n      return {\n        status: request.status,\n        message: 'HLS request errored at URL: ' + request.uri,\n        code: REQUEST_ERRORS.FAILURE,\n        xhr: request,\n        metadata\n      };\n    }\n    if (request.responseType === 'arraybuffer' && request.response.byteLength === 0) {\n      return {\n        status: request.status,\n        message: 'Empty HLS response at URL: ' + request.uri,\n        code: REQUEST_ERRORS.FAILURE,\n        xhr: request,\n        metadata\n      };\n    }\n    return null;\n  };\n  /**\n   * Handle responses for key data and convert the key data to the correct format\n   * for the decryption step later\n   *\n   * @param {Object} segment - a simplified copy of the segmentInfo object\n   *                           from SegmentLoader\n   * @param {Array} objects - objects to add the key bytes to.\n   * @param {Function} finishProcessingFn - a callback to execute to continue processing\n   *                                        this request\n   */\n\n  const handleKeyResponse = (segment, objects, finishProcessingFn, triggerSegmentEventFn) => (error, request) => {\n    const response = request.response;\n    const errorObj = handleErrors(error, request);\n    if (errorObj) {\n      return finishProcessingFn(errorObj, segment);\n    }\n    if (response.byteLength !== 16) {\n      return finishProcessingFn({\n        status: request.status,\n        message: 'Invalid HLS key at URL: ' + request.uri,\n        code: REQUEST_ERRORS.FAILURE,\n        xhr: request\n      }, segment);\n    }\n    const view = new DataView(response);\n    const bytes = new Uint32Array([view.getUint32(0), view.getUint32(4), view.getUint32(8), view.getUint32(12)]);\n    for (let i = 0; i < objects.length; i++) {\n      objects[i].bytes = bytes;\n    }\n    const keyInfo = {\n      uri: request.uri\n    };\n    triggerSegmentEventFn({\n      type: 'segmentkeyloadcomplete',\n      segment,\n      keyInfo\n    });\n    return finishProcessingFn(null, segment);\n  };\n  /**\n   * Processes an mp4 init segment depending on the codec through the transmuxer.\n   *\n   * @param {Object} segment init segment to process\n   * @param {string} codec the codec of the text segments\n   */\n\n  const initMp4Text = (segment, codec) => {\n    if (codec === WEB_VTT_CODEC) {\n      segment.transmuxer.postMessage({\n        action: 'initMp4WebVttParser',\n        data: segment.map.bytes\n      });\n    }\n  };\n  /**\n   * Parses an mp4 text segment with the transmuxer and calls the doneFn from\n   * the segment loader.\n   *\n   * @param {Object} segment the text segment to parse\n   * @param {string} codec the codec of the text segment\n   * @param {Function} doneFn the doneFn passed from the segment loader\n   */\n\n  const parseMp4TextSegment = (segment, codec, doneFn) => {\n    if (codec === WEB_VTT_CODEC) {\n      workerCallback({\n        action: 'getMp4WebVttText',\n        data: segment.bytes,\n        transmuxer: segment.transmuxer,\n        callback: ({\n          data,\n          mp4VttCues\n        }) => {\n          segment.bytes = data;\n          doneFn(null, segment, {\n            mp4VttCues\n          });\n        }\n      });\n    }\n  };\n  const parseInitSegment = (segment, callback) => {\n    const type = detectContainerForBytes(segment.map.bytes); // TODO: We should also handle ts init segments here, but we\n    // only know how to parse mp4 init segments at the moment\n\n    if (type !== 'mp4') {\n      const uri = segment.map.resolvedUri || segment.map.uri;\n      const mediaType = type || 'unknown';\n      return callback({\n        internal: true,\n        message: `Found unsupported ${mediaType} container for initialization segment at URL: ${uri}`,\n        code: REQUEST_ERRORS.FAILURE,\n        metadata: {\n          mediaType\n        }\n      });\n    }\n    workerCallback({\n      action: 'probeMp4Tracks',\n      data: segment.map.bytes,\n      transmuxer: segment.transmuxer,\n      callback: ({\n        tracks,\n        data\n      }) => {\n        // transfer bytes back to us\n        segment.map.bytes = data;\n        tracks.forEach(function (track) {\n          segment.map.tracks = segment.map.tracks || {}; // only support one track of each type for now\n\n          if (segment.map.tracks[track.type]) {\n            return;\n          }\n          segment.map.tracks[track.type] = track;\n          if (typeof track.id === 'number' && track.timescale) {\n            segment.map.timescales = segment.map.timescales || {};\n            segment.map.timescales[track.id] = track.timescale;\n          }\n          if (track.type === 'text') {\n            initMp4Text(segment, track.codec);\n          }\n        });\n        return callback(null);\n      }\n    });\n  };\n  /**\n   * Handle init-segment responses\n   *\n   * @param {Object} segment - a simplified copy of the segmentInfo object\n   *                           from SegmentLoader\n   * @param {Function} finishProcessingFn - a callback to execute to continue processing\n   *                                        this request\n   */\n\n  const handleInitSegmentResponse = ({\n    segment,\n    finishProcessingFn,\n    triggerSegmentEventFn\n  }) => (error, request) => {\n    const errorObj = handleErrors(error, request);\n    if (errorObj) {\n      return finishProcessingFn(errorObj, segment);\n    }\n    const bytes = new Uint8Array(request.response);\n    triggerSegmentEventFn({\n      type: 'segmentloaded',\n      segment\n    }); // init segment is encypted, we will have to wait\n    // until the key request is done to decrypt.\n\n    if (segment.map.key) {\n      segment.map.encryptedBytes = bytes;\n      return finishProcessingFn(null, segment);\n    }\n    segment.map.bytes = bytes;\n    parseInitSegment(segment, function (parseError) {\n      if (parseError) {\n        parseError.xhr = request;\n        parseError.status = request.status;\n        return finishProcessingFn(parseError, segment);\n      }\n      finishProcessingFn(null, segment);\n    });\n  };\n  /**\n   * Response handler for segment-requests being sure to set the correct\n   * property depending on whether the segment is encryped or not\n   * Also records and keeps track of stats that are used for ABR purposes\n   *\n   * @param {Object} segment - a simplified copy of the segmentInfo object\n   *                           from SegmentLoader\n   * @param {Function} finishProcessingFn - a callback to execute to continue processing\n   *                                        this request\n   */\n\n  const handleSegmentResponse = ({\n    segment,\n    finishProcessingFn,\n    responseType,\n    triggerSegmentEventFn\n  }) => (error, request) => {\n    const errorObj = handleErrors(error, request);\n    if (errorObj) {\n      return finishProcessingFn(errorObj, segment);\n    }\n    triggerSegmentEventFn({\n      type: 'segmentloaded',\n      segment\n    });\n    const newBytes =\n    // although responseText \"should\" exist, this guard serves to prevent an error being\n    // thrown for two primary cases:\n    // 1. the mime type override stops working, or is not implemented for a specific\n    //    browser\n    // 2. when using mock XHR libraries like sinon that do not allow the override behavior\n    responseType === 'arraybuffer' || !request.responseText ? request.response : stringToArrayBuffer(request.responseText.substring(segment.lastReachedChar || 0));\n    segment.stats = getRequestStats(request);\n    if (segment.key) {\n      segment.encryptedBytes = new Uint8Array(newBytes);\n    } else {\n      segment.bytes = new Uint8Array(newBytes);\n    }\n    return finishProcessingFn(null, segment);\n  };\n  const transmuxAndNotify = ({\n    segment,\n    bytes,\n    trackInfoFn,\n    timingInfoFn,\n    videoSegmentTimingInfoFn,\n    audioSegmentTimingInfoFn,\n    id3Fn,\n    captionsFn,\n    isEndOfTimeline,\n    endedTimelineFn,\n    dataFn,\n    doneFn,\n    onTransmuxerLog,\n    triggerSegmentEventFn\n  }) => {\n    const fmp4Tracks = segment.map && segment.map.tracks || {};\n    const isMuxed = Boolean(fmp4Tracks.audio && fmp4Tracks.video); // Keep references to each function so we can null them out after we're done with them.\n    // One reason for this is that in the case of full segments, we want to trust start\n    // times from the probe, rather than the transmuxer.\n\n    let audioStartFn = timingInfoFn.bind(null, segment, 'audio', 'start');\n    const audioEndFn = timingInfoFn.bind(null, segment, 'audio', 'end');\n    let videoStartFn = timingInfoFn.bind(null, segment, 'video', 'start');\n    const videoEndFn = timingInfoFn.bind(null, segment, 'video', 'end');\n    const finish = () => transmux({\n      bytes,\n      transmuxer: segment.transmuxer,\n      audioAppendStart: segment.audioAppendStart,\n      gopsToAlignWith: segment.gopsToAlignWith,\n      remux: isMuxed,\n      onData: result => {\n        result.type = result.type === 'combined' ? 'video' : result.type;\n        dataFn(segment, result);\n      },\n      onTrackInfo: trackInfo => {\n        if (trackInfoFn) {\n          if (isMuxed) {\n            trackInfo.isMuxed = true;\n          }\n          trackInfoFn(segment, trackInfo);\n        }\n      },\n      onAudioTimingInfo: audioTimingInfo => {\n        // we only want the first start value we encounter\n        if (audioStartFn && typeof audioTimingInfo.start !== 'undefined') {\n          audioStartFn(audioTimingInfo.start);\n          audioStartFn = null;\n        } // we want to continually update the end time\n\n        if (audioEndFn && typeof audioTimingInfo.end !== 'undefined') {\n          audioEndFn(audioTimingInfo.end);\n        }\n      },\n      onVideoTimingInfo: videoTimingInfo => {\n        // we only want the first start value we encounter\n        if (videoStartFn && typeof videoTimingInfo.start !== 'undefined') {\n          videoStartFn(videoTimingInfo.start);\n          videoStartFn = null;\n        } // we want to continually update the end time\n\n        if (videoEndFn && typeof videoTimingInfo.end !== 'undefined') {\n          videoEndFn(videoTimingInfo.end);\n        }\n      },\n      onVideoSegmentTimingInfo: videoSegmentTimingInfo => {\n        const timingInfo = {\n          pts: {\n            start: videoSegmentTimingInfo.start.presentation,\n            end: videoSegmentTimingInfo.end.presentation\n          },\n          dts: {\n            start: videoSegmentTimingInfo.start.decode,\n            end: videoSegmentTimingInfo.end.decode\n          }\n        };\n        triggerSegmentEventFn({\n          type: 'segmenttransmuxingtiminginfoavailable',\n          segment,\n          timingInfo\n        });\n        videoSegmentTimingInfoFn(videoSegmentTimingInfo);\n      },\n      onAudioSegmentTimingInfo: audioSegmentTimingInfo => {\n        const timingInfo = {\n          pts: {\n            start: audioSegmentTimingInfo.start.pts,\n            end: audioSegmentTimingInfo.end.pts\n          },\n          dts: {\n            start: audioSegmentTimingInfo.start.dts,\n            end: audioSegmentTimingInfo.end.dts\n          }\n        };\n        triggerSegmentEventFn({\n          type: 'segmenttransmuxingtiminginfoavailable',\n          segment,\n          timingInfo\n        });\n        audioSegmentTimingInfoFn(audioSegmentTimingInfo);\n      },\n      onId3: (id3Frames, dispatchType) => {\n        id3Fn(segment, id3Frames, dispatchType);\n      },\n      onCaptions: captions => {\n        captionsFn(segment, [captions]);\n      },\n      isEndOfTimeline,\n      onEndedTimeline: () => {\n        endedTimelineFn();\n      },\n      onTransmuxerLog,\n      onDone: (result, error) => {\n        if (!doneFn) {\n          return;\n        }\n        result.type = result.type === 'combined' ? 'video' : result.type;\n        triggerSegmentEventFn({\n          type: 'segmenttransmuxingcomplete',\n          segment\n        });\n        doneFn(error, segment, result);\n      },\n      segment,\n      triggerSegmentEventFn\n    }); // In the transmuxer, we don't yet have the ability to extract a \"proper\" start time.\n    // Meaning cached frame data may corrupt our notion of where this segment\n    // really starts. To get around this, probe for the info needed.\n\n    workerCallback({\n      action: 'probeTs',\n      transmuxer: segment.transmuxer,\n      data: bytes,\n      baseStartTime: segment.baseStartTime,\n      callback: data => {\n        segment.bytes = bytes = data.data;\n        const probeResult = data.result;\n        if (probeResult) {\n          trackInfoFn(segment, {\n            hasAudio: probeResult.hasAudio,\n            hasVideo: probeResult.hasVideo,\n            isMuxed\n          });\n          trackInfoFn = null;\n        }\n        finish();\n      }\n    });\n  };\n  const handleSegmentBytes = ({\n    segment,\n    bytes,\n    trackInfoFn,\n    timingInfoFn,\n    videoSegmentTimingInfoFn,\n    audioSegmentTimingInfoFn,\n    id3Fn,\n    captionsFn,\n    isEndOfTimeline,\n    endedTimelineFn,\n    dataFn,\n    doneFn,\n    onTransmuxerLog,\n    triggerSegmentEventFn\n  }) => {\n    let bytesAsUint8Array = new Uint8Array(bytes); // TODO:\n    // We should have a handler that fetches the number of bytes required\n    // to check if something is fmp4. This will allow us to save bandwidth\n    // because we can only exclude a playlist and abort requests\n    // by codec after trackinfo triggers.\n\n    if (isLikelyFmp4MediaSegment(bytesAsUint8Array)) {\n      segment.isFmp4 = true;\n      const {\n        tracks\n      } = segment.map;\n      const isMp4TextSegment = tracks.text && (!tracks.audio || !tracks.video);\n      if (isMp4TextSegment) {\n        dataFn(segment, {\n          data: bytesAsUint8Array,\n          type: 'text'\n        });\n        parseMp4TextSegment(segment, tracks.text.codec, doneFn);\n        return;\n      }\n      const trackInfo = {\n        isFmp4: true,\n        hasVideo: !!tracks.video,\n        hasAudio: !!tracks.audio\n      }; // if we have a audio track, with a codec that is not set to\n      // encrypted audio\n\n      if (tracks.audio && tracks.audio.codec && tracks.audio.codec !== 'enca') {\n        trackInfo.audioCodec = tracks.audio.codec;\n      } // if we have a video track, with a codec that is not set to\n      // encrypted video\n\n      if (tracks.video && tracks.video.codec && tracks.video.codec !== 'encv') {\n        trackInfo.videoCodec = tracks.video.codec;\n      }\n      if (tracks.video && tracks.audio) {\n        trackInfo.isMuxed = true;\n      } // since we don't support appending fmp4 data on progress, we know we have the full\n      // segment here\n\n      trackInfoFn(segment, trackInfo); // The probe doesn't provide the segment end time, so only callback with the start\n      // time. The end time can be roughly calculated by the receiver using the duration.\n      //\n      // Note that the start time returned by the probe reflects the baseMediaDecodeTime, as\n      // that is the true start of the segment (where the playback engine should begin\n      // decoding).\n\n      const finishLoading = (captions, id3Frames) => {\n        // if the track still has audio at this point it is only possible\n        // for it to be audio only. See `tracks.video && tracks.audio` if statement\n        // above.\n        // we make sure to use segment.bytes here as that\n        dataFn(segment, {\n          data: bytesAsUint8Array,\n          type: trackInfo.hasAudio && !trackInfo.isMuxed ? 'audio' : 'video'\n        });\n        if (id3Frames && id3Frames.length) {\n          id3Fn(segment, id3Frames);\n        }\n        if (captions && captions.length) {\n          captionsFn(segment, captions);\n        }\n        doneFn(null, segment, {});\n      };\n      workerCallback({\n        action: 'probeMp4StartTime',\n        timescales: segment.map.timescales,\n        data: bytesAsUint8Array,\n        transmuxer: segment.transmuxer,\n        callback: ({\n          data,\n          startTime\n        }) => {\n          // transfer bytes back to us\n          bytes = data.buffer;\n          segment.bytes = bytesAsUint8Array = data;\n          if (trackInfo.hasAudio && !trackInfo.isMuxed) {\n            timingInfoFn(segment, 'audio', 'start', startTime);\n          }\n          if (trackInfo.hasVideo) {\n            timingInfoFn(segment, 'video', 'start', startTime);\n          }\n          workerCallback({\n            action: 'probeEmsgID3',\n            data: bytesAsUint8Array,\n            transmuxer: segment.transmuxer,\n            offset: startTime,\n            callback: ({\n              emsgData,\n              id3Frames\n            }) => {\n              // transfer bytes back to us\n              bytes = emsgData.buffer;\n              segment.bytes = bytesAsUint8Array = emsgData; // Run through the CaptionParser in case there are captions.\n              // Initialize CaptionParser if it hasn't been yet\n\n              if (!tracks.video || !emsgData.byteLength || !segment.transmuxer) {\n                finishLoading(undefined, id3Frames);\n                return;\n              }\n              workerCallback({\n                action: 'pushMp4Captions',\n                endAction: 'mp4Captions',\n                transmuxer: segment.transmuxer,\n                data: bytesAsUint8Array,\n                timescales: segment.map.timescales,\n                trackIds: [tracks.video.id],\n                callback: message => {\n                  // transfer bytes back to us\n                  bytes = message.data.buffer;\n                  segment.bytes = bytesAsUint8Array = message.data;\n                  message.logs.forEach(function (log) {\n                    onTransmuxerLog(merge(log, {\n                      stream: 'mp4CaptionParser'\n                    }));\n                  });\n                  finishLoading(message.captions, id3Frames);\n                }\n              });\n            }\n          });\n        }\n      });\n      return;\n    } // VTT or other segments that don't need processing\n\n    if (!segment.transmuxer) {\n      doneFn(null, segment, {});\n      return;\n    }\n    if (typeof segment.container === 'undefined') {\n      segment.container = detectContainerForBytes(bytesAsUint8Array);\n    }\n    if (segment.container !== 'ts' && segment.container !== 'aac') {\n      trackInfoFn(segment, {\n        hasAudio: false,\n        hasVideo: false\n      });\n      doneFn(null, segment, {});\n      return;\n    } // ts or aac\n\n    transmuxAndNotify({\n      segment,\n      bytes,\n      trackInfoFn,\n      timingInfoFn,\n      videoSegmentTimingInfoFn,\n      audioSegmentTimingInfoFn,\n      id3Fn,\n      captionsFn,\n      isEndOfTimeline,\n      endedTimelineFn,\n      dataFn,\n      doneFn,\n      onTransmuxerLog,\n      triggerSegmentEventFn\n    });\n  };\n  const decrypt = function ({\n    id,\n    key,\n    encryptedBytes,\n    decryptionWorker,\n    segment,\n    doneFn\n  }, callback) {\n    const decryptionHandler = event => {\n      if (event.data.source === id) {\n        decryptionWorker.removeEventListener('message', decryptionHandler);\n        const decrypted = event.data.decrypted;\n        callback(new Uint8Array(decrypted.bytes, decrypted.byteOffset, decrypted.byteLength));\n      }\n    };\n    decryptionWorker.onerror = () => {\n      const message = 'An error occurred in the decryption worker';\n      const segmentInfo = segmentInfoPayload({\n        segment\n      });\n      const decryptError = {\n        message,\n        metadata: {\n          error: new Error(message),\n          errorType: videojs.Error.StreamingFailedToDecryptSegment,\n          segmentInfo,\n          keyInfo: {\n            uri: segment.key.resolvedUri || segment.map.key.resolvedUri\n          }\n        }\n      };\n      doneFn(decryptError, segment);\n    };\n    decryptionWorker.addEventListener('message', decryptionHandler);\n    let keyBytes;\n    if (key.bytes.slice) {\n      keyBytes = key.bytes.slice();\n    } else {\n      keyBytes = new Uint32Array(Array.prototype.slice.call(key.bytes));\n    } // incrementally decrypt the bytes\n\n    decryptionWorker.postMessage(createTransferableMessage({\n      source: id,\n      encrypted: encryptedBytes,\n      key: keyBytes,\n      iv: key.iv\n    }), [encryptedBytes.buffer, keyBytes.buffer]);\n  };\n  /**\n   * Decrypt the segment via the decryption web worker\n   *\n   * @param {WebWorker} decryptionWorker - a WebWorker interface to AES-128 decryption\n   *                                       routines\n   * @param {Object} segment - a simplified copy of the segmentInfo object\n   *                           from SegmentLoader\n   * @param {Function} trackInfoFn - a callback that receives track info\n   * @param {Function} timingInfoFn - a callback that receives timing info\n   * @param {Function} videoSegmentTimingInfoFn\n   *                   a callback that receives video timing info based on media times and\n   *                   any adjustments made by the transmuxer\n   * @param {Function} audioSegmentTimingInfoFn\n   *                   a callback that receives audio timing info based on media times and\n   *                   any adjustments made by the transmuxer\n   * @param {boolean}  isEndOfTimeline\n   *                   true if this segment represents the last segment in a timeline\n   * @param {Function} endedTimelineFn\n   *                   a callback made when a timeline is ended, will only be called if\n   *                   isEndOfTimeline is true\n   * @param {Function} dataFn - a callback that is executed when segment bytes are available\n   *                            and ready to use\n   * @param {Function} doneFn - a callback that is executed after decryption has completed\n   */\n\n  const decryptSegment = ({\n    decryptionWorker,\n    segment,\n    trackInfoFn,\n    timingInfoFn,\n    videoSegmentTimingInfoFn,\n    audioSegmentTimingInfoFn,\n    id3Fn,\n    captionsFn,\n    isEndOfTimeline,\n    endedTimelineFn,\n    dataFn,\n    doneFn,\n    onTransmuxerLog,\n    triggerSegmentEventFn\n  }) => {\n    triggerSegmentEventFn({\n      type: 'segmentdecryptionstart'\n    });\n    decrypt({\n      id: segment.requestId,\n      key: segment.key,\n      encryptedBytes: segment.encryptedBytes,\n      decryptionWorker,\n      segment,\n      doneFn\n    }, decryptedBytes => {\n      segment.bytes = decryptedBytes;\n      triggerSegmentEventFn({\n        type: 'segmentdecryptioncomplete',\n        segment\n      });\n      handleSegmentBytes({\n        segment,\n        bytes: segment.bytes,\n        trackInfoFn,\n        timingInfoFn,\n        videoSegmentTimingInfoFn,\n        audioSegmentTimingInfoFn,\n        id3Fn,\n        captionsFn,\n        isEndOfTimeline,\n        endedTimelineFn,\n        dataFn,\n        doneFn,\n        onTransmuxerLog,\n        triggerSegmentEventFn\n      });\n    });\n  };\n  /**\n   * This function waits for all XHRs to finish (with either success or failure)\n   * before continueing processing via it's callback. The function gathers errors\n   * from each request into a single errors array so that the error status for\n   * each request can be examined later.\n   *\n   * @param {Object} activeXhrs - an object that tracks all XHR requests\n   * @param {WebWorker} decryptionWorker - a WebWorker interface to AES-128 decryption\n   *                                       routines\n   * @param {Function} trackInfoFn - a callback that receives track info\n   * @param {Function} timingInfoFn - a callback that receives timing info\n   * @param {Function} videoSegmentTimingInfoFn\n   *                   a callback that receives video timing info based on media times and\n   *                   any adjustments made by the transmuxer\n   * @param {Function} audioSegmentTimingInfoFn\n   *                   a callback that receives audio timing info based on media times and\n   *                   any adjustments made by the transmuxer\n   * @param {Function} id3Fn - a callback that receives ID3 metadata\n   * @param {Function} captionsFn - a callback that receives captions\n   * @param {boolean}  isEndOfTimeline\n   *                   true if this segment represents the last segment in a timeline\n   * @param {Function} endedTimelineFn\n   *                   a callback made when a timeline is ended, will only be called if\n   *                   isEndOfTimeline is true\n   * @param {Function} dataFn - a callback that is executed when segment bytes are available\n   *                            and ready to use\n   * @param {Function} doneFn - a callback that is executed after all resources have been\n   *                            downloaded and any decryption completed\n   */\n\n  const waitForCompletion = ({\n    activeXhrs,\n    decryptionWorker,\n    trackInfoFn,\n    timingInfoFn,\n    videoSegmentTimingInfoFn,\n    audioSegmentTimingInfoFn,\n    id3Fn,\n    captionsFn,\n    isEndOfTimeline,\n    endedTimelineFn,\n    dataFn,\n    doneFn,\n    onTransmuxerLog,\n    triggerSegmentEventFn\n  }) => {\n    let count = 0;\n    let didError = false;\n    return (error, segment) => {\n      if (didError) {\n        return;\n      }\n      if (error) {\n        didError = true; // If there are errors, we have to abort any outstanding requests\n\n        abortAll(activeXhrs); // Even though the requests above are aborted, and in theory we could wait until we\n        // handle the aborted events from those requests, there are some cases where we may\n        // never get an aborted event. For instance, if the network connection is lost and\n        // there were two requests, the first may have triggered an error immediately, while\n        // the second request remains unsent. In that case, the aborted algorithm will not\n        // trigger an abort: see https://xhr.spec.whatwg.org/#the-abort()-method\n        //\n        // We also can't rely on the ready state of the XHR, since the request that\n        // triggered the connection error may also show as a ready state of 0 (unsent).\n        // Therefore, we have to finish this group of requests immediately after the first\n        // seen error.\n\n        return doneFn(error, segment);\n      }\n      count += 1;\n      if (count === activeXhrs.length) {\n        const segmentFinish = function () {\n          if (segment.encryptedBytes) {\n            return decryptSegment({\n              decryptionWorker,\n              segment,\n              trackInfoFn,\n              timingInfoFn,\n              videoSegmentTimingInfoFn,\n              audioSegmentTimingInfoFn,\n              id3Fn,\n              captionsFn,\n              isEndOfTimeline,\n              endedTimelineFn,\n              dataFn,\n              doneFn,\n              onTransmuxerLog,\n              triggerSegmentEventFn\n            });\n          } // Otherwise, everything is ready just continue\n\n          handleSegmentBytes({\n            segment,\n            bytes: segment.bytes,\n            trackInfoFn,\n            timingInfoFn,\n            videoSegmentTimingInfoFn,\n            audioSegmentTimingInfoFn,\n            id3Fn,\n            captionsFn,\n            isEndOfTimeline,\n            endedTimelineFn,\n            dataFn,\n            doneFn,\n            onTransmuxerLog,\n            triggerSegmentEventFn\n          });\n        }; // Keep track of when *all* of the requests have completed\n\n        segment.endOfAllRequests = Date.now();\n        if (segment.map && segment.map.encryptedBytes && !segment.map.bytes) {\n          triggerSegmentEventFn({\n            type: 'segmentdecryptionstart',\n            segment\n          });\n          return decrypt({\n            decryptionWorker,\n            // add -init to the \"id\" to differentiate between segment\n            // and init segment decryption, just in case they happen\n            // at the same time at some point in the future.\n            id: segment.requestId + '-init',\n            encryptedBytes: segment.map.encryptedBytes,\n            key: segment.map.key,\n            segment,\n            doneFn\n          }, decryptedBytes => {\n            segment.map.bytes = decryptedBytes;\n            triggerSegmentEventFn({\n              type: 'segmentdecryptioncomplete',\n              segment\n            });\n            parseInitSegment(segment, parseError => {\n              if (parseError) {\n                abortAll(activeXhrs);\n                return doneFn(parseError, segment);\n              }\n              segmentFinish();\n            });\n          });\n        }\n        segmentFinish();\n      }\n    };\n  };\n  /**\n   * Calls the abort callback if any request within the batch was aborted. Will only call\n   * the callback once per batch of requests, even if multiple were aborted.\n   *\n   * @param {Object} loadendState - state to check to see if the abort function was called\n   * @param {Function} abortFn - callback to call for abort\n   */\n\n  const handleLoadEnd = ({\n    loadendState,\n    abortFn\n  }) => event => {\n    const request = event.target;\n    if (request.aborted && abortFn && !loadendState.calledAbortFn) {\n      abortFn();\n      loadendState.calledAbortFn = true;\n    }\n  };\n  /**\n   * Simple progress event callback handler that gathers some stats before\n   * executing a provided callback with the `segment` object\n   *\n   * @param {Object} segment - a simplified copy of the segmentInfo object\n   *                           from SegmentLoader\n   * @param {Function} progressFn - a callback that is executed each time a progress event\n   *                                is received\n   * @param {Function} trackInfoFn - a callback that receives track info\n   * @param {Function} timingInfoFn - a callback that receives timing info\n   * @param {Function} videoSegmentTimingInfoFn\n   *                   a callback that receives video timing info based on media times and\n   *                   any adjustments made by the transmuxer\n   * @param {Function} audioSegmentTimingInfoFn\n   *                   a callback that receives audio timing info based on media times and\n   *                   any adjustments made by the transmuxer\n   * @param {boolean}  isEndOfTimeline\n   *                   true if this segment represents the last segment in a timeline\n   * @param {Function} endedTimelineFn\n   *                   a callback made when a timeline is ended, will only be called if\n   *                   isEndOfTimeline is true\n   * @param {Function} dataFn - a callback that is executed when segment bytes are available\n   *                            and ready to use\n   * @param {Event} event - the progress event object from XMLHttpRequest\n   */\n\n  const handleProgress = ({\n    segment,\n    progressFn,\n    trackInfoFn,\n    timingInfoFn,\n    videoSegmentTimingInfoFn,\n    audioSegmentTimingInfoFn,\n    id3Fn,\n    captionsFn,\n    isEndOfTimeline,\n    endedTimelineFn,\n    dataFn\n  }) => event => {\n    const request = event.target;\n    if (request.aborted) {\n      return;\n    }\n    segment.stats = merge(segment.stats, getProgressStats(event)); // record the time that we receive the first byte of data\n\n    if (!segment.stats.firstBytesReceivedAt && segment.stats.bytesReceived) {\n      segment.stats.firstBytesReceivedAt = Date.now();\n    }\n    return progressFn(event, segment);\n  };\n  /**\n   * Load all resources and does any processing necessary for a media-segment\n   *\n   * Features:\n   *   decrypts the media-segment if it has a key uri and an iv\n   *   aborts *all* requests if *any* one request fails\n   *\n   * The segment object, at minimum, has the following format:\n   * {\n   *   resolvedUri: String,\n   *   [transmuxer]: Object,\n   *   [byterange]: {\n   *     offset: Number,\n   *     length: Number\n   *   },\n   *   [key]: {\n   *     resolvedUri: String\n   *     [byterange]: {\n   *       offset: Number,\n   *       length: Number\n   *     },\n   *     iv: {\n   *       bytes: Uint32Array\n   *     }\n   *   },\n   *   [map]: {\n   *     resolvedUri: String,\n   *     [byterange]: {\n   *       offset: Number,\n   *       length: Number\n   *     },\n   *     [bytes]: Uint8Array\n   *   }\n   * }\n   * ...where [name] denotes optional properties\n   *\n   * @param {Function} xhr - an instance of the xhr wrapper in xhr.js\n   * @param {Object} xhrOptions - the base options to provide to all xhr requests\n   * @param {WebWorker} decryptionWorker - a WebWorker interface to AES-128\n   *                                       decryption routines\n   * @param {Object} segment - a simplified copy of the segmentInfo object\n   *                           from SegmentLoader\n   * @param {Function} abortFn - a callback called (only once) if any piece of a request was\n   *                             aborted\n   * @param {Function} progressFn - a callback that receives progress events from the main\n   *                                segment's xhr request\n   * @param {Function} trackInfoFn - a callback that receives track info\n   * @param {Function} timingInfoFn - a callback that receives timing info\n   * @param {Function} videoSegmentTimingInfoFn\n   *                   a callback that receives video timing info based on media times and\n   *                   any adjustments made by the transmuxer\n   * @param {Function} audioSegmentTimingInfoFn\n   *                   a callback that receives audio timing info based on media times and\n   *                   any adjustments made by the transmuxer\n   * @param {Function} id3Fn - a callback that receives ID3 metadata\n   * @param {Function} captionsFn - a callback that receives captions\n   * @param {boolean}  isEndOfTimeline\n   *                   true if this segment represents the last segment in a timeline\n   * @param {Function} endedTimelineFn\n   *                   a callback made when a timeline is ended, will only be called if\n   *                   isEndOfTimeline is true\n   * @param {Function} dataFn - a callback that receives data from the main segment's xhr\n   *                            request, transmuxed if needed\n   * @param {Function} doneFn - a callback that is executed only once all requests have\n   *                            succeeded or failed\n   * @return {Function} a function that, when invoked, immediately aborts all\n   *                     outstanding requests\n   */\n\n  const mediaSegmentRequest = ({\n    xhr,\n    xhrOptions,\n    decryptionWorker,\n    segment,\n    abortFn,\n    progressFn,\n    trackInfoFn,\n    timingInfoFn,\n    videoSegmentTimingInfoFn,\n    audioSegmentTimingInfoFn,\n    id3Fn,\n    captionsFn,\n    isEndOfTimeline,\n    endedTimelineFn,\n    dataFn,\n    doneFn,\n    onTransmuxerLog,\n    triggerSegmentEventFn\n  }) => {\n    const activeXhrs = [];\n    const finishProcessingFn = waitForCompletion({\n      activeXhrs,\n      decryptionWorker,\n      trackInfoFn,\n      timingInfoFn,\n      videoSegmentTimingInfoFn,\n      audioSegmentTimingInfoFn,\n      id3Fn,\n      captionsFn,\n      isEndOfTimeline,\n      endedTimelineFn,\n      dataFn,\n      doneFn,\n      onTransmuxerLog,\n      triggerSegmentEventFn\n    }); // optionally, request the decryption key\n\n    if (segment.key && !segment.key.bytes) {\n      const objects = [segment.key];\n      if (segment.map && !segment.map.bytes && segment.map.key && segment.map.key.resolvedUri === segment.key.resolvedUri) {\n        objects.push(segment.map.key);\n      }\n      const keyRequestOptions = merge(xhrOptions, {\n        uri: segment.key.resolvedUri,\n        responseType: 'arraybuffer',\n        requestType: 'segment-key'\n      });\n      const keyRequestCallback = handleKeyResponse(segment, objects, finishProcessingFn, triggerSegmentEventFn);\n      const keyInfo = {\n        uri: segment.key.resolvedUri\n      };\n      triggerSegmentEventFn({\n        type: 'segmentkeyloadstart',\n        segment,\n        keyInfo\n      });\n      const keyXhr = xhr(keyRequestOptions, keyRequestCallback);\n      activeXhrs.push(keyXhr);\n    } // optionally, request the associated media init segment\n\n    if (segment.map && !segment.map.bytes) {\n      const differentMapKey = segment.map.key && (!segment.key || segment.key.resolvedUri !== segment.map.key.resolvedUri);\n      if (differentMapKey) {\n        const mapKeyRequestOptions = merge(xhrOptions, {\n          uri: segment.map.key.resolvedUri,\n          responseType: 'arraybuffer',\n          requestType: 'segment-key'\n        });\n        const mapKeyRequestCallback = handleKeyResponse(segment, [segment.map.key], finishProcessingFn, triggerSegmentEventFn);\n        const keyInfo = {\n          uri: segment.map.key.resolvedUri\n        };\n        triggerSegmentEventFn({\n          type: 'segmentkeyloadstart',\n          segment,\n          keyInfo\n        });\n        const mapKeyXhr = xhr(mapKeyRequestOptions, mapKeyRequestCallback);\n        activeXhrs.push(mapKeyXhr);\n      }\n      const initSegmentOptions = merge(xhrOptions, {\n        uri: segment.map.resolvedUri,\n        responseType: 'arraybuffer',\n        headers: segmentXhrHeaders(segment.map),\n        requestType: 'segment-media-initialization'\n      });\n      const initSegmentRequestCallback = handleInitSegmentResponse({\n        segment,\n        finishProcessingFn,\n        triggerSegmentEventFn\n      });\n      triggerSegmentEventFn({\n        type: 'segmentloadstart',\n        segment\n      });\n      const initSegmentXhr = xhr(initSegmentOptions, initSegmentRequestCallback);\n      activeXhrs.push(initSegmentXhr);\n    }\n    const segmentRequestOptions = merge(xhrOptions, {\n      uri: segment.part && segment.part.resolvedUri || segment.resolvedUri,\n      responseType: 'arraybuffer',\n      headers: segmentXhrHeaders(segment),\n      requestType: 'segment'\n    });\n    const segmentRequestCallback = handleSegmentResponse({\n      segment,\n      finishProcessingFn,\n      responseType: segmentRequestOptions.responseType,\n      triggerSegmentEventFn\n    });\n    triggerSegmentEventFn({\n      type: 'segmentloadstart',\n      segment\n    });\n    const segmentXhr = xhr(segmentRequestOptions, segmentRequestCallback);\n    segmentXhr.addEventListener('progress', handleProgress({\n      segment,\n      progressFn,\n      trackInfoFn,\n      timingInfoFn,\n      videoSegmentTimingInfoFn,\n      audioSegmentTimingInfoFn,\n      id3Fn,\n      captionsFn,\n      isEndOfTimeline,\n      endedTimelineFn,\n      dataFn\n    }));\n    activeXhrs.push(segmentXhr); // since all parts of the request must be considered, but should not make callbacks\n    // multiple times, provide a shared state object\n\n    const loadendState = {};\n    activeXhrs.forEach(activeXhr => {\n      activeXhr.addEventListener('loadend', handleLoadEnd({\n        loadendState,\n        abortFn\n      }));\n    });\n    return () => abortAll(activeXhrs);\n  };\n\n  /**\n   * @file - codecs.js - Handles tasks regarding codec strings such as translating them to\n   * codec strings, or translating codec strings into objects that can be examined.\n   */\n  const logFn$1 = logger('CodecUtils');\n  /**\n   * Returns a set of codec strings parsed from the playlist or the default\n   * codec strings if no codecs were specified in the playlist\n   *\n   * @param {Playlist} media the current media playlist\n   * @return {Object} an object with the video and audio codecs\n   */\n\n  const getCodecs = function (media) {\n    // if the codecs were explicitly specified, use them instead of the\n    // defaults\n    const mediaAttributes = media.attributes || {};\n    if (mediaAttributes.CODECS) {\n      return parseCodecs(mediaAttributes.CODECS);\n    }\n  };\n  const isMaat = (main, media) => {\n    const mediaAttributes = media.attributes || {};\n    return main && main.mediaGroups && main.mediaGroups.AUDIO && mediaAttributes.AUDIO && main.mediaGroups.AUDIO[mediaAttributes.AUDIO];\n  };\n  const isMuxed = (main, media) => {\n    if (!isMaat(main, media)) {\n      return true;\n    }\n    const mediaAttributes = media.attributes || {};\n    const audioGroup = main.mediaGroups.AUDIO[mediaAttributes.AUDIO];\n    for (const groupId in audioGroup) {\n      // If an audio group has a URI (the case for HLS, as HLS will use external playlists),\n      // or there are listed playlists (the case for DASH, as the manifest will have already\n      // provided all of the details necessary to generate the audio playlist, as opposed to\n      // HLS' externally requested playlists), then the content is demuxed.\n      if (!audioGroup[groupId].uri && !audioGroup[groupId].playlists) {\n        return true;\n      }\n    }\n    return false;\n  };\n  const unwrapCodecList = function (codecList) {\n    const codecs = {};\n    codecList.forEach(({\n      mediaType,\n      type,\n      details\n    }) => {\n      codecs[mediaType] = codecs[mediaType] || [];\n      codecs[mediaType].push(translateLegacyCodec(`${type}${details}`));\n    });\n    Object.keys(codecs).forEach(function (mediaType) {\n      if (codecs[mediaType].length > 1) {\n        logFn$1(`multiple ${mediaType} codecs found as attributes: ${codecs[mediaType].join(', ')}. Setting playlist codecs to null so that we wait for mux.js to probe segments for real codecs.`);\n        codecs[mediaType] = null;\n        return;\n      }\n      codecs[mediaType] = codecs[mediaType][0];\n    });\n    return codecs;\n  };\n  const codecCount = function (codecObj) {\n    let count = 0;\n    if (codecObj.audio) {\n      count++;\n    }\n    if (codecObj.video) {\n      count++;\n    }\n    return count;\n  };\n  /**\n   * Calculates the codec strings for a working configuration of\n   * SourceBuffers to play variant streams in a main playlist. If\n   * there is no possible working configuration, an empty object will be\n   * returned.\n   *\n   * @param main {Object} the m3u8 object for the main playlist\n   * @param media {Object} the m3u8 object for the variant playlist\n   * @return {Object} the codec strings.\n   *\n   * @private\n   */\n\n  const codecsForPlaylist = function (main, media) {\n    const mediaAttributes = media.attributes || {};\n    const codecInfo = unwrapCodecList(getCodecs(media) || []); // HLS with multiple-audio tracks must always get an audio codec.\n    // Put another way, there is no way to have a video-only multiple-audio HLS!\n\n    if (isMaat(main, media) && !codecInfo.audio) {\n      if (!isMuxed(main, media)) {\n        // It is possible for codecs to be specified on the audio media group playlist but\n        // not on the rendition playlist. This is mostly the case for DASH, where audio and\n        // video are always separate (and separately specified).\n        const defaultCodecs = unwrapCodecList(codecsFromDefault(main, mediaAttributes.AUDIO) || []);\n        if (defaultCodecs.audio) {\n          codecInfo.audio = defaultCodecs.audio;\n        }\n      }\n    }\n    return codecInfo;\n  };\n  const logFn = logger('PlaylistSelector');\n  const representationToString = function (representation) {\n    if (!representation || !representation.playlist) {\n      return;\n    }\n    const playlist = representation.playlist;\n    return JSON.stringify({\n      id: playlist.id,\n      bandwidth: representation.bandwidth,\n      width: representation.width,\n      height: representation.height,\n      codecs: playlist.attributes && playlist.attributes.CODECS || ''\n    });\n  }; // Utilities\n\n  /**\n   * Returns the CSS value for the specified property on an element\n   * using `getComputedStyle`. Firefox has a long-standing issue where\n   * getComputedStyle() may return null when running in an iframe with\n   * `display: none`.\n   *\n   * @see https://bugzilla.mozilla.org/show_bug.cgi?id=548397\n   * @param {HTMLElement} el the htmlelement to work on\n   * @param {string} the proprety to get the style for\n   */\n\n  const safeGetComputedStyle = function (el, property) {\n    if (!el) {\n      return '';\n    }\n    const result = window.getComputedStyle(el);\n    if (!result) {\n      return '';\n    }\n    return result[property];\n  };\n  /**\n   * Resuable stable sort function\n   *\n   * @param {Playlists} array\n   * @param {Function} sortFn Different comparators\n   * @function stableSort\n   */\n\n  const stableSort = function (array, sortFn) {\n    const newArray = array.slice();\n    array.sort(function (left, right) {\n      const cmp = sortFn(left, right);\n      if (cmp === 0) {\n        return newArray.indexOf(left) - newArray.indexOf(right);\n      }\n      return cmp;\n    });\n  };\n  /**\n   * A comparator function to sort two playlist object by bandwidth.\n   *\n   * @param {Object} left a media playlist object\n   * @param {Object} right a media playlist object\n   * @return {number} Greater than zero if the bandwidth attribute of\n   * left is greater than the corresponding attribute of right. Less\n   * than zero if the bandwidth of right is greater than left and\n   * exactly zero if the two are equal.\n   */\n\n  const comparePlaylistBandwidth = function (left, right) {\n    let leftBandwidth;\n    let rightBandwidth;\n    if (left.attributes.BANDWIDTH) {\n      leftBandwidth = left.attributes.BANDWIDTH;\n    }\n    leftBandwidth = leftBandwidth || window.Number.MAX_VALUE;\n    if (right.attributes.BANDWIDTH) {\n      rightBandwidth = right.attributes.BANDWIDTH;\n    }\n    rightBandwidth = rightBandwidth || window.Number.MAX_VALUE;\n    return leftBandwidth - rightBandwidth;\n  };\n  /**\n   * A comparator function to sort two playlist object by resolution (width).\n   *\n   * @param {Object} left a media playlist object\n   * @param {Object} right a media playlist object\n   * @return {number} Greater than zero if the resolution.width attribute of\n   * left is greater than the corresponding attribute of right. Less\n   * than zero if the resolution.width of right is greater than left and\n   * exactly zero if the two are equal.\n   */\n\n  const comparePlaylistResolution = function (left, right) {\n    let leftWidth;\n    let rightWidth;\n    if (left.attributes.RESOLUTION && left.attributes.RESOLUTION.width) {\n      leftWidth = left.attributes.RESOLUTION.width;\n    }\n    leftWidth = leftWidth || window.Number.MAX_VALUE;\n    if (right.attributes.RESOLUTION && right.attributes.RESOLUTION.width) {\n      rightWidth = right.attributes.RESOLUTION.width;\n    }\n    rightWidth = rightWidth || window.Number.MAX_VALUE; // NOTE - Fallback to bandwidth sort as appropriate in cases where multiple renditions\n    // have the same media dimensions/ resolution\n\n    if (leftWidth === rightWidth && left.attributes.BANDWIDTH && right.attributes.BANDWIDTH) {\n      return left.attributes.BANDWIDTH - right.attributes.BANDWIDTH;\n    }\n    return leftWidth - rightWidth;\n  };\n  /**\n   * Chooses the appropriate media playlist based on bandwidth and player size\n   *\n   * @param {Object} main\n   *        Object representation of the main manifest\n   * @param {number} playerBandwidth\n   *        Current calculated bandwidth of the player\n   * @param {number} playerWidth\n   *        Current width of the player element (should account for the device pixel ratio)\n   * @param {number} playerHeight\n   *        Current height of the player element (should account for the device pixel ratio)\n   * @param {boolean} limitRenditionByPlayerDimensions\n   *        True if the player width and height should be used during the selection, false otherwise\n   * @param {Object} playlistController\n   *        the current playlistController object\n   * @return {Playlist} the highest bitrate playlist less than the\n   * currently detected bandwidth, accounting for some amount of\n   * bandwidth variance\n   */\n\n  let simpleSelector = function (main, playerBandwidth, playerWidth, playerHeight, limitRenditionByPlayerDimensions, playlistController) {\n    // If we end up getting called before `main` is available, exit early\n    if (!main) {\n      return;\n    }\n    const options = {\n      bandwidth: playerBandwidth,\n      width: playerWidth,\n      height: playerHeight,\n      limitRenditionByPlayerDimensions\n    };\n    let playlists = main.playlists; // if playlist is audio only, select between currently active audio group playlists.\n\n    if (Playlist.isAudioOnly(main)) {\n      playlists = playlistController.getAudioTrackPlaylists_(); // add audioOnly to options so that we log audioOnly: true\n      // at the buttom of this function for debugging.\n\n      options.audioOnly = true;\n    } // convert the playlists to an intermediary representation to make comparisons easier\n\n    let sortedPlaylistReps = playlists.map(playlist => {\n      let bandwidth;\n      const width = playlist.attributes && playlist.attributes.RESOLUTION && playlist.attributes.RESOLUTION.width;\n      const height = playlist.attributes && playlist.attributes.RESOLUTION && playlist.attributes.RESOLUTION.height;\n      bandwidth = playlist.attributes && playlist.attributes.BANDWIDTH;\n      bandwidth = bandwidth || window.Number.MAX_VALUE;\n      return {\n        bandwidth,\n        width,\n        height,\n        playlist\n      };\n    });\n    stableSort(sortedPlaylistReps, (left, right) => left.bandwidth - right.bandwidth); // filter out any playlists that have been excluded due to\n    // incompatible configurations\n\n    sortedPlaylistReps = sortedPlaylistReps.filter(rep => !Playlist.isIncompatible(rep.playlist)); // filter out any playlists that have been disabled manually through the representations\n    // api or excluded temporarily due to playback errors.\n\n    let enabledPlaylistReps = sortedPlaylistReps.filter(rep => Playlist.isEnabled(rep.playlist));\n    if (!enabledPlaylistReps.length) {\n      // if there are no enabled playlists, then they have all been excluded or disabled\n      // by the user through the representations api. In this case, ignore exclusion and\n      // fallback to what the user wants by using playlists the user has not disabled.\n      enabledPlaylistReps = sortedPlaylistReps.filter(rep => !Playlist.isDisabled(rep.playlist));\n    } // filter out any variant that has greater effective bitrate\n    // than the current estimated bandwidth\n\n    const bandwidthPlaylistReps = enabledPlaylistReps.filter(rep => rep.bandwidth * Config.BANDWIDTH_VARIANCE < playerBandwidth);\n    let highestRemainingBandwidthRep = bandwidthPlaylistReps[bandwidthPlaylistReps.length - 1]; // get all of the renditions with the same (highest) bandwidth\n    // and then taking the very first element\n\n    const bandwidthBestRep = bandwidthPlaylistReps.filter(rep => rep.bandwidth === highestRemainingBandwidthRep.bandwidth)[0]; // if we're not going to limit renditions by player size, make an early decision.\n\n    if (limitRenditionByPlayerDimensions === false) {\n      const chosenRep = bandwidthBestRep || enabledPlaylistReps[0] || sortedPlaylistReps[0];\n      if (chosenRep && chosenRep.playlist) {\n        let type = 'sortedPlaylistReps';\n        if (bandwidthBestRep) {\n          type = 'bandwidthBestRep';\n        }\n        if (enabledPlaylistReps[0]) {\n          type = 'enabledPlaylistReps';\n        }\n        logFn(`choosing ${representationToString(chosenRep)} using ${type} with options`, options);\n        return chosenRep.playlist;\n      }\n      logFn('could not choose a playlist with options', options);\n      return null;\n    } // filter out playlists without resolution information\n\n    const haveResolution = bandwidthPlaylistReps.filter(rep => rep.width && rep.height); // sort variants by resolution\n\n    stableSort(haveResolution, (left, right) => left.width - right.width); // if we have the exact resolution as the player use it\n\n    const resolutionBestRepList = haveResolution.filter(rep => rep.width === playerWidth && rep.height === playerHeight);\n    highestRemainingBandwidthRep = resolutionBestRepList[resolutionBestRepList.length - 1]; // ensure that we pick the highest bandwidth variant that have exact resolution\n\n    const resolutionBestRep = resolutionBestRepList.filter(rep => rep.bandwidth === highestRemainingBandwidthRep.bandwidth)[0];\n    let resolutionPlusOneList;\n    let resolutionPlusOneSmallest;\n    let resolutionPlusOneRep; // find the smallest variant that is larger than the player\n    // if there is no match of exact resolution\n\n    if (!resolutionBestRep) {\n      resolutionPlusOneList = haveResolution.filter(rep => rep.width > playerWidth || rep.height > playerHeight); // find all the variants have the same smallest resolution\n\n      resolutionPlusOneSmallest = resolutionPlusOneList.filter(rep => rep.width === resolutionPlusOneList[0].width && rep.height === resolutionPlusOneList[0].height); // ensure that we also pick the highest bandwidth variant that\n      // is just-larger-than the video player\n\n      highestRemainingBandwidthRep = resolutionPlusOneSmallest[resolutionPlusOneSmallest.length - 1];\n      resolutionPlusOneRep = resolutionPlusOneSmallest.filter(rep => rep.bandwidth === highestRemainingBandwidthRep.bandwidth)[0];\n    }\n    let leastPixelDiffRep; // If this selector proves to be better than others,\n    // resolutionPlusOneRep and resolutionBestRep and all\n    // the code involving them should be removed.\n\n    if (playlistController.leastPixelDiffSelector) {\n      // find the variant that is closest to the player's pixel size\n      const leastPixelDiffList = haveResolution.map(rep => {\n        rep.pixelDiff = Math.abs(rep.width - playerWidth) + Math.abs(rep.height - playerHeight);\n        return rep;\n      }); // get the highest bandwidth, closest resolution playlist\n\n      stableSort(leastPixelDiffList, (left, right) => {\n        // sort by highest bandwidth if pixelDiff is the same\n        if (left.pixelDiff === right.pixelDiff) {\n          return right.bandwidth - left.bandwidth;\n        }\n        return left.pixelDiff - right.pixelDiff;\n      });\n      leastPixelDiffRep = leastPixelDiffList[0];\n    } // fallback chain of variants\n\n    const chosenRep = leastPixelDiffRep || resolutionPlusOneRep || resolutionBestRep || bandwidthBestRep || enabledPlaylistReps[0] || sortedPlaylistReps[0];\n    if (chosenRep && chosenRep.playlist) {\n      let type = 'sortedPlaylistReps';\n      if (leastPixelDiffRep) {\n        type = 'leastPixelDiffRep';\n      } else if (resolutionPlusOneRep) {\n        type = 'resolutionPlusOneRep';\n      } else if (resolutionBestRep) {\n        type = 'resolutionBestRep';\n      } else if (bandwidthBestRep) {\n        type = 'bandwidthBestRep';\n      } else if (enabledPlaylistReps[0]) {\n        type = 'enabledPlaylistReps';\n      }\n      logFn(`choosing ${representationToString(chosenRep)} using ${type} with options`, options);\n      return chosenRep.playlist;\n    }\n    logFn('could not choose a playlist with options', options);\n    return null;\n  };\n\n  /**\n   * Chooses the appropriate media playlist based on the most recent\n   * bandwidth estimate and the player size.\n   *\n   * Expects to be called within the context of an instance of VhsHandler\n   *\n   * @return {Playlist} the highest bitrate playlist less than the\n   * currently detected bandwidth, accounting for some amount of\n   * bandwidth variance\n   */\n\n  const lastBandwidthSelector = function () {\n    let pixelRatio = this.useDevicePixelRatio ? window.devicePixelRatio || 1 : 1;\n    if (!isNaN(this.customPixelRatio)) {\n      pixelRatio = this.customPixelRatio;\n    }\n    return simpleSelector(this.playlists.main, this.systemBandwidth, parseInt(safeGetComputedStyle(this.tech_.el(), 'width'), 10) * pixelRatio, parseInt(safeGetComputedStyle(this.tech_.el(), 'height'), 10) * pixelRatio, this.limitRenditionByPlayerDimensions, this.playlistController_);\n  };\n  /**\n   * Chooses the appropriate media playlist based on an\n   * exponential-weighted moving average of the bandwidth after\n   * filtering for player size.\n   *\n   * Expects to be called within the context of an instance of VhsHandler\n   *\n   * @param {number} decay - a number between 0 and 1. Higher values of\n   * this parameter will cause previous bandwidth estimates to lose\n   * significance more quickly.\n   * @return {Function} a function which can be invoked to create a new\n   * playlist selector function.\n   * @see https://en.wikipedia.org/wiki/Moving_average#Exponential_moving_average\n   */\n\n  const movingAverageBandwidthSelector = function (decay) {\n    let average = -1;\n    let lastSystemBandwidth = -1;\n    if (decay < 0 || decay > 1) {\n      throw new Error('Moving average bandwidth decay must be between 0 and 1.');\n    }\n    return function () {\n      let pixelRatio = this.useDevicePixelRatio ? window.devicePixelRatio || 1 : 1;\n      if (!isNaN(this.customPixelRatio)) {\n        pixelRatio = this.customPixelRatio;\n      }\n      if (average < 0) {\n        average = this.systemBandwidth;\n        lastSystemBandwidth = this.systemBandwidth;\n      } // stop the average value from decaying for every 250ms\n      // when the systemBandwidth is constant\n      // and\n      // stop average from setting to a very low value when the\n      // systemBandwidth becomes 0 in case of chunk cancellation\n\n      if (this.systemBandwidth > 0 && this.systemBandwidth !== lastSystemBandwidth) {\n        average = decay * this.systemBandwidth + (1 - decay) * average;\n        lastSystemBandwidth = this.systemBandwidth;\n      }\n      return simpleSelector(this.playlists.main, average, parseInt(safeGetComputedStyle(this.tech_.el(), 'width'), 10) * pixelRatio, parseInt(safeGetComputedStyle(this.tech_.el(), 'height'), 10) * pixelRatio, this.limitRenditionByPlayerDimensions, this.playlistController_);\n    };\n  };\n  /**\n   * Chooses the appropriate media playlist based on the potential to rebuffer\n   *\n   * @param {Object} settings\n   *        Object of information required to use this selector\n   * @param {Object} settings.main\n   *        Object representation of the main manifest\n   * @param {number} settings.currentTime\n   *        The current time of the player\n   * @param {number} settings.bandwidth\n   *        Current measured bandwidth\n   * @param {number} settings.duration\n   *        Duration of the media\n   * @param {number} settings.segmentDuration\n   *        Segment duration to be used in round trip time calculations\n   * @param {number} settings.timeUntilRebuffer\n   *        Time left in seconds until the player has to rebuffer\n   * @param {number} settings.currentTimeline\n   *        The current timeline segments are being loaded from\n   * @param {SyncController} settings.syncController\n   *        SyncController for determining if we have a sync point for a given playlist\n   * @return {Object|null}\n   *         {Object} return.playlist\n   *         The highest bandwidth playlist with the least amount of rebuffering\n   *         {Number} return.rebufferingImpact\n   *         The amount of time in seconds switching to this playlist will rebuffer. A\n   *         negative value means that switching will cause zero rebuffering.\n   */\n\n  const minRebufferMaxBandwidthSelector = function (settings) {\n    const {\n      main,\n      currentTime,\n      bandwidth,\n      duration,\n      segmentDuration,\n      timeUntilRebuffer,\n      currentTimeline,\n      syncController\n    } = settings; // filter out any playlists that have been excluded due to\n    // incompatible configurations\n\n    const compatiblePlaylists = main.playlists.filter(playlist => !Playlist.isIncompatible(playlist)); // filter out any playlists that have been disabled manually through the representations\n    // api or excluded temporarily due to playback errors.\n\n    let enabledPlaylists = compatiblePlaylists.filter(Playlist.isEnabled);\n    if (!enabledPlaylists.length) {\n      // if there are no enabled playlists, then they have all been excluded or disabled\n      // by the user through the representations api. In this case, ignore exclusion and\n      // fallback to what the user wants by using playlists the user has not disabled.\n      enabledPlaylists = compatiblePlaylists.filter(playlist => !Playlist.isDisabled(playlist));\n    }\n    const bandwidthPlaylists = enabledPlaylists.filter(Playlist.hasAttribute.bind(null, 'BANDWIDTH'));\n    const rebufferingEstimates = bandwidthPlaylists.map(playlist => {\n      const syncPoint = syncController.getSyncPoint(playlist, duration, currentTimeline, currentTime); // If there is no sync point for this playlist, switching to it will require a\n      // sync request first. This will double the request time\n\n      const numRequests = syncPoint ? 1 : 2;\n      const requestTimeEstimate = Playlist.estimateSegmentRequestTime(segmentDuration, bandwidth, playlist);\n      const rebufferingImpact = requestTimeEstimate * numRequests - timeUntilRebuffer;\n      return {\n        playlist,\n        rebufferingImpact\n      };\n    });\n    const noRebufferingPlaylists = rebufferingEstimates.filter(estimate => estimate.rebufferingImpact <= 0); // Sort by bandwidth DESC\n\n    stableSort(noRebufferingPlaylists, (a, b) => comparePlaylistBandwidth(b.playlist, a.playlist));\n    if (noRebufferingPlaylists.length) {\n      return noRebufferingPlaylists[0];\n    }\n    stableSort(rebufferingEstimates, (a, b) => a.rebufferingImpact - b.rebufferingImpact);\n    return rebufferingEstimates[0] || null;\n  };\n  /**\n   * Chooses the appropriate media playlist, which in this case is the lowest bitrate\n   * one with video.  If no renditions with video exist, return the lowest audio rendition.\n   *\n   * Expects to be called within the context of an instance of VhsHandler\n   *\n   * @return {Object|null}\n   *         {Object} return.playlist\n   *         The lowest bitrate playlist that contains a video codec.  If no such rendition\n   *         exists pick the lowest audio rendition.\n   */\n\n  const lowestBitrateCompatibleVariantSelector = function () {\n    // filter out any playlists that have been excluded due to\n    // incompatible configurations or playback errors\n    const playlists = this.playlists.main.playlists.filter(Playlist.isEnabled); // Sort ascending by bitrate\n\n    stableSort(playlists, (a, b) => comparePlaylistBandwidth(a, b)); // Parse and assume that playlists with no video codec have no video\n    // (this is not necessarily true, although it is generally true).\n    //\n    // If an entire manifest has no valid videos everything will get filtered\n    // out.\n\n    const playlistsWithVideo = playlists.filter(playlist => !!codecsForPlaylist(this.playlists.main, playlist).video);\n    return playlistsWithVideo[0] || null;\n  };\n\n  /**\n   * Combine all segments into a single Uint8Array\n   *\n   * @param {Object} segmentObj\n   * @return {Uint8Array} concatenated bytes\n   * @private\n   */\n  const concatSegments = segmentObj => {\n    let offset = 0;\n    let tempBuffer;\n    if (segmentObj.bytes) {\n      tempBuffer = new Uint8Array(segmentObj.bytes); // combine the individual segments into one large typed-array\n\n      segmentObj.segments.forEach(segment => {\n        tempBuffer.set(segment, offset);\n        offset += segment.byteLength;\n      });\n    }\n    return tempBuffer;\n  };\n  /**\n   * Example:\n   * https://host.com/path1/path2/path3/segment.ts?arg1=val1\n   * -->\n   * path3/segment.ts\n   *\n   * @param resolvedUri\n   * @return {string}\n   */\n\n  function compactSegmentUrlDescription(resolvedUri) {\n    try {\n      return new URL(resolvedUri).pathname.split('/').slice(-2).join('/');\n    } catch (e) {\n      return '';\n    }\n  }\n\n  /**\n   * @file text-tracks.js\n   */\n  /**\n   * Create captions text tracks on video.js if they do not exist\n   *\n   * @param {Object} inbandTextTracks a reference to current inbandTextTracks\n   * @param {Object} tech the video.js tech\n   * @param {Object} captionStream the caption stream to create\n   * @private\n   */\n\n  const createCaptionsTrackIfNotExists = function (inbandTextTracks, tech, captionStream) {\n    if (!inbandTextTracks[captionStream]) {\n      tech.trigger({\n        type: 'usage',\n        name: 'vhs-608'\n      });\n      let instreamId = captionStream; // we need to translate SERVICEn for 708 to how mux.js currently labels them\n\n      if (/^cc708_/.test(captionStream)) {\n        instreamId = 'SERVICE' + captionStream.split('_')[1];\n      }\n      const track = tech.textTracks().getTrackById(instreamId);\n      if (track) {\n        // Resuse an existing track with a CC# id because this was\n        // very likely created by videojs-contrib-hls from information\n        // in the m3u8 for us to use\n        inbandTextTracks[captionStream] = track;\n      } else {\n        // This section gets called when we have caption services that aren't specified in the manifest.\n        // Manifest level caption services are handled in media-groups.js under CLOSED-CAPTIONS.\n        const captionServices = tech.options_.vhs && tech.options_.vhs.captionServices || {};\n        let label = captionStream;\n        let language = captionStream;\n        let def = false;\n        const captionService = captionServices[instreamId];\n        if (captionService) {\n          label = captionService.label;\n          language = captionService.language;\n          def = captionService.default;\n        } // Otherwise, create a track with the default `CC#` label and\n        // without a language\n\n        inbandTextTracks[captionStream] = tech.addRemoteTextTrack({\n          kind: 'captions',\n          id: instreamId,\n          // TODO: investigate why this doesn't seem to turn the caption on by default\n          default: def,\n          label,\n          language\n        }, false).track;\n      }\n    }\n  };\n  /**\n   * Add caption text track data to a source handler given an array of captions\n   *\n   * @param {Object}\n   *   @param {Object} inbandTextTracks the inband text tracks\n   *   @param {number} timestampOffset the timestamp offset of the source buffer\n   *   @param {Array} captionArray an array of caption data\n   * @private\n   */\n\n  const addCaptionData = function ({\n    inbandTextTracks,\n    captionArray,\n    timestampOffset\n  }) {\n    if (!captionArray) {\n      return;\n    }\n    const Cue = window.WebKitDataCue || window.VTTCue;\n    captionArray.forEach(caption => {\n      const track = caption.stream; // in CEA 608 captions, video.js/mux.js sends a content array\n      // with positioning data\n\n      if (caption.content) {\n        caption.content.forEach(value => {\n          const cue = new Cue(caption.startTime + timestampOffset, caption.endTime + timestampOffset, value.text);\n          cue.line = value.line;\n          cue.align = 'left';\n          cue.position = value.position;\n          cue.positionAlign = 'line-left';\n          inbandTextTracks[track].addCue(cue);\n        });\n      } else {\n        // otherwise, a text value with combined captions is sent\n        inbandTextTracks[track].addCue(new Cue(caption.startTime + timestampOffset, caption.endTime + timestampOffset, caption.text));\n      }\n    });\n  };\n  /**\n   * Define properties on a cue for backwards compatability,\n   * but warn the user that the way that they are using it\n   * is depricated and will be removed at a later date.\n   *\n   * @param {Cue} cue the cue to add the properties on\n   * @private\n   */\n\n  const deprecateOldCue = function (cue) {\n    Object.defineProperties(cue.frame, {\n      id: {\n        get() {\n          videojs.log.warn('cue.frame.id is deprecated. Use cue.value.key instead.');\n          return cue.value.key;\n        }\n      },\n      value: {\n        get() {\n          videojs.log.warn('cue.frame.value is deprecated. Use cue.value.data instead.');\n          return cue.value.data;\n        }\n      },\n      privateData: {\n        get() {\n          videojs.log.warn('cue.frame.privateData is deprecated. Use cue.value.data instead.');\n          return cue.value.data;\n        }\n      }\n    });\n  };\n  /**\n   * Add metadata text track data to a source handler given an array of metadata\n   *\n   * @param {Object}\n   *   @param {Object} inbandTextTracks the inband text tracks\n   *   @param {Array} metadataArray an array of meta data\n   *   @param {number} timestampOffset the timestamp offset of the source buffer\n   *   @param {number} videoDuration the duration of the video\n   * @private\n   */\n\n  const addMetadata = ({\n    inbandTextTracks,\n    metadataArray,\n    timestampOffset,\n    videoDuration\n  }) => {\n    if (!metadataArray) {\n      return;\n    }\n    const Cue = window.WebKitDataCue || window.VTTCue;\n    const metadataTrack = inbandTextTracks.metadataTrack_;\n    if (!metadataTrack) {\n      return;\n    }\n    metadataArray.forEach(metadata => {\n      const time = metadata.cueTime + timestampOffset; // if time isn't a finite number between 0 and Infinity, like NaN,\n      // ignore this bit of metadata.\n      // This likely occurs when you have an non-timed ID3 tag like TIT2,\n      // which is the \"Title/Songname/Content description\" frame\n\n      if (typeof time !== 'number' || window.isNaN(time) || time < 0 || !(time < Infinity)) {\n        return;\n      } // If we have no frames, we can't create a cue.\n\n      if (!metadata.frames || !metadata.frames.length) {\n        return;\n      }\n      metadata.frames.forEach(frame => {\n        const cue = new Cue(time, time, frame.value || frame.url || frame.data || '');\n        cue.frame = frame;\n        cue.value = frame;\n        deprecateOldCue(cue);\n        metadataTrack.addCue(cue);\n      });\n    });\n    if (!metadataTrack.cues || !metadataTrack.cues.length) {\n      return;\n    } // Updating the metadeta cues so that\n    // the endTime of each cue is the startTime of the next cue\n    // the endTime of last cue is the duration of the video\n\n    const cues = metadataTrack.cues;\n    const cuesArray = []; // Create a copy of the TextTrackCueList...\n    // ...disregarding cues with a falsey value\n\n    for (let i = 0; i < cues.length; i++) {\n      if (cues[i]) {\n        cuesArray.push(cues[i]);\n      }\n    } // Group cues by their startTime value\n\n    const cuesGroupedByStartTime = cuesArray.reduce((obj, cue) => {\n      const timeSlot = obj[cue.startTime] || [];\n      timeSlot.push(cue);\n      obj[cue.startTime] = timeSlot;\n      return obj;\n    }, {}); // Sort startTimes by ascending order\n\n    const sortedStartTimes = Object.keys(cuesGroupedByStartTime).sort((a, b) => Number(a) - Number(b)); // Map each cue group's endTime to the next group's startTime\n\n    sortedStartTimes.forEach((startTime, idx) => {\n      const cueGroup = cuesGroupedByStartTime[startTime];\n      const finiteDuration = isFinite(videoDuration) ? videoDuration : startTime;\n      const nextTime = Number(sortedStartTimes[idx + 1]) || finiteDuration; // Map each cue's endTime the next group's startTime\n\n      cueGroup.forEach(cue => {\n        cue.endTime = nextTime;\n      });\n    });\n  }; // object for mapping daterange attributes\n\n  const dateRangeAttr = {\n    id: 'ID',\n    class: 'CLASS',\n    startDate: 'START-DATE',\n    duration: 'DURATION',\n    endDate: 'END-DATE',\n    endOnNext: 'END-ON-NEXT',\n    plannedDuration: 'PLANNED-DURATION',\n    scte35Out: 'SCTE35-OUT',\n    scte35In: 'SCTE35-IN'\n  };\n  const dateRangeKeysToOmit = new Set(['id', 'class', 'startDate', 'duration', 'endDate', 'endOnNext', 'startTime', 'endTime', 'processDateRange']);\n  /**\n   * Add DateRange metadata text track to a source handler given an array of metadata\n   *\n   * @param {Object}\n   *   @param {Object} inbandTextTracks the inband text tracks\n   *   @param {Array} dateRanges parsed media playlist\n   * @private\n   */\n\n  const addDateRangeMetadata = ({\n    inbandTextTracks,\n    dateRanges\n  }) => {\n    const metadataTrack = inbandTextTracks.metadataTrack_;\n    if (!metadataTrack) {\n      return;\n    }\n    const Cue = window.WebKitDataCue || window.VTTCue;\n    dateRanges.forEach(dateRange => {\n      // we generate multiple cues for each date range with different attributes\n      for (const key of Object.keys(dateRange)) {\n        if (dateRangeKeysToOmit.has(key)) {\n          continue;\n        }\n        const cue = new Cue(dateRange.startTime, dateRange.endTime, '');\n        cue.id = dateRange.id;\n        cue.type = 'com.apple.quicktime.HLS';\n        cue.value = {\n          key: dateRangeAttr[key],\n          data: dateRange[key]\n        };\n        if (key === 'scte35Out' || key === 'scte35In') {\n          cue.value.data = new Uint8Array(cue.value.data.match(/[\\da-f]{2}/gi)).buffer;\n        }\n        metadataTrack.addCue(cue);\n      }\n      dateRange.processDateRange();\n    });\n  };\n  /**\n   * Create metadata text track on video.js if it does not exist\n   *\n   * @param {Object} inbandTextTracks a reference to current inbandTextTracks\n   * @param {string} dispatchType the inband metadata track dispatch type\n   * @param {Object} tech the video.js tech\n   * @private\n   */\n\n  const createMetadataTrackIfNotExists = (inbandTextTracks, dispatchType, tech) => {\n    if (inbandTextTracks.metadataTrack_) {\n      return;\n    }\n    inbandTextTracks.metadataTrack_ = tech.addRemoteTextTrack({\n      kind: 'metadata',\n      label: 'Timed Metadata'\n    }, false).track;\n    if (!videojs.browser.IS_ANY_SAFARI) {\n      inbandTextTracks.metadataTrack_.inBandMetadataTrackDispatchType = dispatchType;\n    }\n  };\n  /**\n   * Remove cues from a track on video.js.\n   *\n   * @param {Double} start start of where we should remove the cue\n   * @param {Double} end end of where the we should remove the cue\n   * @param {Object} track the text track to remove the cues from\n   * @private\n   */\n\n  const removeCuesFromTrack = function (start, end, track) {\n    let i;\n    let cue;\n    if (!track) {\n      return;\n    }\n    if (!track.cues) {\n      return;\n    }\n    i = track.cues.length;\n    while (i--) {\n      cue = track.cues[i]; // Remove any cue within the provided start and end time\n\n      if (cue.startTime >= start && cue.endTime <= end) {\n        track.removeCue(cue);\n      }\n    }\n  };\n  /**\n   * Remove duplicate cues from a track on video.js (a cue is considered a\n   * duplicate if it has the same time interval and text as another)\n   *\n   * @param {Object} track the text track to remove the duplicate cues from\n   * @private\n   */\n\n  const removeDuplicateCuesFromTrack = function (track) {\n    const cues = track.cues;\n    if (!cues) {\n      return;\n    }\n    const uniqueCues = {};\n    for (let i = cues.length - 1; i >= 0; i--) {\n      const cue = cues[i];\n      const cueKey = `${cue.startTime}-${cue.endTime}-${cue.text}`;\n      if (uniqueCues[cueKey]) {\n        track.removeCue(cue);\n      } else {\n        uniqueCues[cueKey] = cue;\n      }\n    }\n  };\n\n  /**\n   * Returns a list of gops in the buffer that have a pts value of 3 seconds or more in\n   * front of current time.\n   *\n   * @param {Array} buffer\n   *        The current buffer of gop information\n   * @param {number} currentTime\n   *        The current time\n   * @param {Double} mapping\n   *        Offset to map display time to stream presentation time\n   * @return {Array}\n   *         List of gops considered safe to append over\n   */\n\n  const gopsSafeToAlignWith = (buffer, currentTime, mapping) => {\n    if (typeof currentTime === 'undefined' || currentTime === null || !buffer.length) {\n      return [];\n    } // pts value for current time + 3 seconds to give a bit more wiggle room\n\n    const currentTimePts = Math.ceil((currentTime - mapping + 3) * clock_1);\n    let i;\n    for (i = 0; i < buffer.length; i++) {\n      if (buffer[i].pts > currentTimePts) {\n        break;\n      }\n    }\n    return buffer.slice(i);\n  };\n  /**\n   * Appends gop information (timing and byteLength) received by the transmuxer for the\n   * gops appended in the last call to appendBuffer\n   *\n   * @param {Array} buffer\n   *        The current buffer of gop information\n   * @param {Array} gops\n   *        List of new gop information\n   * @param {boolean} replace\n   *        If true, replace the buffer with the new gop information. If false, append the\n   *        new gop information to the buffer in the right location of time.\n   * @return {Array}\n   *         Updated list of gop information\n   */\n\n  const updateGopBuffer = (buffer, gops, replace) => {\n    if (!gops.length) {\n      return buffer;\n    }\n    if (replace) {\n      // If we are in safe append mode, then completely overwrite the gop buffer\n      // with the most recent appeneded data. This will make sure that when appending\n      // future segments, we only try to align with gops that are both ahead of current\n      // time and in the last segment appended.\n      return gops.slice();\n    }\n    const start = gops[0].pts;\n    let i = 0;\n    for (i; i < buffer.length; i++) {\n      if (buffer[i].pts >= start) {\n        break;\n      }\n    }\n    return buffer.slice(0, i).concat(gops);\n  };\n  /**\n   * Removes gop information in buffer that overlaps with provided start and end\n   *\n   * @param {Array} buffer\n   *        The current buffer of gop information\n   * @param {Double} start\n   *        position to start the remove at\n   * @param {Double} end\n   *        position to end the remove at\n   * @param {Double} mapping\n   *        Offset to map display time to stream presentation time\n   */\n\n  const removeGopBuffer = (buffer, start, end, mapping) => {\n    const startPts = Math.ceil((start - mapping) * clock_1);\n    const endPts = Math.ceil((end - mapping) * clock_1);\n    const updatedBuffer = buffer.slice();\n    let i = buffer.length;\n    while (i--) {\n      if (buffer[i].pts <= endPts) {\n        break;\n      }\n    }\n    if (i === -1) {\n      // no removal because end of remove range is before start of buffer\n      return updatedBuffer;\n    }\n    let j = i + 1;\n    while (j--) {\n      if (buffer[j].pts <= startPts) {\n        break;\n      }\n    } // clamp remove range start to 0 index\n\n    j = Math.max(j, 0);\n    updatedBuffer.splice(j, i - j + 1);\n    return updatedBuffer;\n  };\n  const shallowEqual = function (a, b) {\n    // if both are undefined\n    // or one or the other is undefined\n    // they are not equal\n    if (!a && !b || !a && b || a && !b) {\n      return false;\n    } // they are the same object and thus, equal\n\n    if (a === b) {\n      return true;\n    } // sort keys so we can make sure they have\n    // all the same keys later.\n\n    const akeys = Object.keys(a).sort();\n    const bkeys = Object.keys(b).sort(); // different number of keys, not equal\n\n    if (akeys.length !== bkeys.length) {\n      return false;\n    }\n    for (let i = 0; i < akeys.length; i++) {\n      const key = akeys[i]; // different sorted keys, not equal\n\n      if (key !== bkeys[i]) {\n        return false;\n      } // different values, not equal\n\n      if (a[key] !== b[key]) {\n        return false;\n      }\n    }\n    return true;\n  };\n\n  /**\n   * The segment loader has no recourse except to fetch a segment in the\n   * current playlist and use the internal timestamps in that segment to\n   * generate a syncPoint. This function returns a good candidate index\n   * for that process.\n   *\n   * @param {Array} segments - the segments array from a playlist.\n   * @return {number} An index of a segment from the playlist to load\n   */\n\n  const getSyncSegmentCandidate = function (currentTimeline, segments, targetTime) {\n    segments = segments || [];\n    const timelineSegments = [];\n    let time = 0;\n    for (let i = 0; i < segments.length; i++) {\n      const segment = segments[i];\n      if (currentTimeline === segment.timeline) {\n        timelineSegments.push(i);\n        time += segment.duration;\n        if (time > targetTime) {\n          return i;\n        }\n      }\n    }\n    if (timelineSegments.length === 0) {\n      return 0;\n    } // default to the last timeline segment\n\n    return timelineSegments[timelineSegments.length - 1];\n  }; // In the event of a quota exceeded error, keep at least one second of back buffer. This\n  // number was arbitrarily chosen and may be updated in the future, but seemed reasonable\n  // as a start to prevent any potential issues with removing content too close to the\n  // playhead.\n\n  const MIN_BACK_BUFFER = 1; // in ms\n\n  const CHECK_BUFFER_DELAY = 500;\n  const finite = num => typeof num === 'number' && isFinite(num); // With most content hovering around 30fps, if a segment has a duration less than a half\n  // frame at 30fps or one frame at 60fps, the bandwidth and throughput calculations will\n  // not accurately reflect the rest of the content.\n\n  const MIN_SEGMENT_DURATION_TO_SAVE_STATS = 1 / 60;\n  const illegalMediaSwitch = (loaderType, startingMedia, trackInfo) => {\n    // Although these checks should most likely cover non 'main' types, for now it narrows\n    // the scope of our checks.\n    if (loaderType !== 'main' || !startingMedia || !trackInfo) {\n      return null;\n    }\n    if (!trackInfo.hasAudio && !trackInfo.hasVideo) {\n      return 'Neither audio nor video found in segment.';\n    }\n    if (startingMedia.hasVideo && !trackInfo.hasVideo) {\n      return 'Only audio found in segment when we expected video.' + ' We can\\'t switch to audio only from a stream that had video.' + ' To get rid of this message, please add codec information to the manifest.';\n    }\n    if (!startingMedia.hasVideo && trackInfo.hasVideo) {\n      return 'Video found in segment when we expected only audio.' + ' We can\\'t switch to a stream with video from an audio only stream.' + ' To get rid of this message, please add codec information to the manifest.';\n    }\n    return null;\n  };\n  /**\n   * Calculates a time value that is safe to remove from the back buffer without interrupting\n   * playback.\n   *\n   * @param {TimeRange} seekable\n   *        The current seekable range\n   * @param {number} currentTime\n   *        The current time of the player\n   * @param {number} targetDuration\n   *        The target duration of the current playlist\n   * @return {number}\n   *         Time that is safe to remove from the back buffer without interrupting playback\n   */\n\n  const safeBackBufferTrimTime = (seekable, currentTime, targetDuration) => {\n    // 30 seconds before the playhead provides a safe default for trimming.\n    //\n    // Choosing a reasonable default is particularly important for high bitrate content and\n    // VOD videos/live streams with large windows, as the buffer may end up overfilled and\n    // throw an APPEND_BUFFER_ERR.\n    let trimTime = currentTime - Config.BACK_BUFFER_LENGTH;\n    if (seekable.length) {\n      // Some live playlists may have a shorter window of content than the full allowed back\n      // buffer. For these playlists, don't save content that's no longer within the window.\n      trimTime = Math.max(trimTime, seekable.start(0));\n    } // Don't remove within target duration of the current time to avoid the possibility of\n    // removing the GOP currently being played, as removing it can cause playback stalls.\n\n    const maxTrimTime = currentTime - targetDuration;\n    return Math.min(maxTrimTime, trimTime);\n  };\n  const segmentInfoString = segmentInfo => {\n    const {\n      startOfSegment,\n      duration,\n      segment,\n      part,\n      playlist: {\n        mediaSequence: seq,\n        id,\n        segments = []\n      },\n      mediaIndex: index,\n      partIndex,\n      timeline\n    } = segmentInfo;\n    const segmentLen = segments.length - 1;\n    let selection = 'mediaIndex/partIndex increment';\n    if (segmentInfo.getMediaInfoForTime) {\n      selection = `getMediaInfoForTime (${segmentInfo.getMediaInfoForTime})`;\n    } else if (segmentInfo.isSyncRequest) {\n      selection = 'getSyncSegmentCandidate (isSyncRequest)';\n    }\n    if (segmentInfo.independent) {\n      selection += ` with independent ${segmentInfo.independent}`;\n    }\n    const hasPartIndex = typeof partIndex === 'number';\n    const name = segmentInfo.segment.uri ? 'segment' : 'pre-segment';\n    const zeroBasedPartCount = hasPartIndex ? getKnownPartCount({\n      preloadSegment: segment\n    }) - 1 : 0;\n    return `${name} [${seq + index}/${seq + segmentLen}]` + (hasPartIndex ? ` part [${partIndex}/${zeroBasedPartCount}]` : '') + ` segment start/end [${segment.start} => ${segment.end}]` + (hasPartIndex ? ` part start/end [${part.start} => ${part.end}]` : '') + ` startOfSegment [${startOfSegment}]` + ` duration [${duration}]` + ` timeline [${timeline}]` + ` selected by [${selection}]` + ` playlist [${id}]`;\n  };\n  const timingInfoPropertyForMedia = mediaType => `${mediaType}TimingInfo`;\n  /**\n   * Returns the timestamp offset to use for the segment.\n   *\n   * @param {number} segmentTimeline\n   *        The timeline of the segment\n   * @param {number} currentTimeline\n   *        The timeline currently being followed by the loader\n   * @param {number} startOfSegment\n   *        The estimated segment start\n   * @param {TimeRange[]} buffered\n   *        The loader's buffer\n   * @param {boolean} overrideCheck\n   *        If true, no checks are made to see if the timestamp offset value should be set,\n   *        but sets it directly to a value.\n   *\n   * @return {number|null}\n   *         Either a number representing a new timestamp offset, or null if the segment is\n   *         part of the same timeline\n   */\n\n  const timestampOffsetForSegment = ({\n    segmentTimeline,\n    currentTimeline,\n    startOfSegment,\n    buffered,\n    overrideCheck\n  }) => {\n    // Check to see if we are crossing a discontinuity to see if we need to set the\n    // timestamp offset on the transmuxer and source buffer.\n    //\n    // Previously, we changed the timestampOffset if the start of this segment was less than\n    // the currently set timestampOffset, but this isn't desirable as it can produce bad\n    // behavior, especially around long running live streams.\n    if (!overrideCheck && segmentTimeline === currentTimeline) {\n      return null;\n    } // When changing renditions, it's possible to request a segment on an older timeline. For\n    // instance, given two renditions with the following:\n    //\n    // #EXTINF:10\n    // segment1\n    // #EXT-X-DISCONTINUITY\n    // #EXTINF:10\n    // segment2\n    // #EXTINF:10\n    // segment3\n    //\n    // And the current player state:\n    //\n    // current time: 8\n    // buffer: 0 => 20\n    //\n    // The next segment on the current rendition would be segment3, filling the buffer from\n    // 20s onwards. However, if a rendition switch happens after segment2 was requested,\n    // then the next segment to be requested will be segment1 from the new rendition in\n    // order to fill time 8 and onwards. Using the buffered end would result in repeated\n    // content (since it would position segment1 of the new rendition starting at 20s). This\n    // case can be identified when the new segment's timeline is a prior value. Instead of\n    // using the buffered end, the startOfSegment can be used, which, hopefully, will be\n    // more accurate to the actual start time of the segment.\n\n    if (segmentTimeline < currentTimeline) {\n      return startOfSegment;\n    } // segmentInfo.startOfSegment used to be used as the timestamp offset, however, that\n    // value uses the end of the last segment if it is available. While this value\n    // should often be correct, it's better to rely on the buffered end, as the new\n    // content post discontinuity should line up with the buffered end as if it were\n    // time 0 for the new content.\n\n    return buffered.length ? buffered.end(buffered.length - 1) : startOfSegment;\n  };\n  /**\n   * Returns whether or not the loader should wait for a timeline change from the timeline\n   * change controller before processing the segment.\n   *\n   * Primary timing in VHS goes by video. This is different from most media players, as\n   * audio is more often used as the primary timing source. For the foreseeable future, VHS\n   * will continue to use video as the primary timing source, due to the current logic and\n   * expectations built around it.\n\n   * Since the timing follows video, in order to maintain sync, the video loader is\n   * responsible for setting both audio and video source buffer timestamp offsets.\n   *\n   * Setting different values for audio and video source buffers could lead to\n   * desyncing. The following examples demonstrate some of the situations where this\n   * distinction is important. Note that all of these cases involve demuxed content. When\n   * content is muxed, the audio and video are packaged together, therefore syncing\n   * separate media playlists is not an issue.\n   *\n   * CASE 1: Audio prepares to load a new timeline before video:\n   *\n   * Timeline:       0                 1\n   * Audio Segments: 0 1 2 3 4 5 DISCO 6 7 8 9\n   * Audio Loader:                     ^\n   * Video Segments: 0 1 2 3 4 5 DISCO 6 7 8 9\n   * Video Loader              ^\n   *\n   * In the above example, the audio loader is preparing to load the 6th segment, the first\n   * after a discontinuity, while the video loader is still loading the 5th segment, before\n   * the discontinuity.\n   *\n   * If the audio loader goes ahead and loads and appends the 6th segment before the video\n   * loader crosses the discontinuity, then when appended, the 6th audio segment will use\n   * the timestamp offset from timeline 0. This will likely lead to desyncing. In addition,\n   * the audio loader must provide the audioAppendStart value to trim the content in the\n   * transmuxer, and that value relies on the audio timestamp offset. Since the audio\n   * timestamp offset is set by the video (main) loader, the audio loader shouldn't load the\n   * segment until that value is provided.\n   *\n   * CASE 2: Video prepares to load a new timeline before audio:\n   *\n   * Timeline:       0                 1\n   * Audio Segments: 0 1 2 3 4 5 DISCO 6 7 8 9\n   * Audio Loader:             ^\n   * Video Segments: 0 1 2 3 4 5 DISCO 6 7 8 9\n   * Video Loader                      ^\n   *\n   * In the above example, the video loader is preparing to load the 6th segment, the first\n   * after a discontinuity, while the audio loader is still loading the 5th segment, before\n   * the discontinuity.\n   *\n   * If the video loader goes ahead and loads and appends the 6th segment, then once the\n   * segment is loaded and processed, both the video and audio timestamp offsets will be\n   * set, since video is used as the primary timing source. This is to ensure content lines\n   * up appropriately, as any modifications to the video timing are reflected by audio when\n   * the video loader sets the audio and video timestamp offsets to the same value. However,\n   * setting the timestamp offset for audio before audio has had a chance to change\n   * timelines will likely lead to desyncing, as the audio loader will append segment 5 with\n   * a timestamp intended to apply to segments from timeline 1 rather than timeline 0.\n   *\n   * CASE 3: When seeking, audio prepares to load a new timeline before video\n   *\n   * Timeline:       0                 1\n   * Audio Segments: 0 1 2 3 4 5 DISCO 6 7 8 9\n   * Audio Loader:           ^\n   * Video Segments: 0 1 2 3 4 5 DISCO 6 7 8 9\n   * Video Loader            ^\n   *\n   * In the above example, both audio and video loaders are loading segments from timeline\n   * 0, but imagine that the seek originated from timeline 1.\n   *\n   * When seeking to a new timeline, the timestamp offset will be set based on the expected\n   * segment start of the loaded video segment. In order to maintain sync, the audio loader\n   * must wait for the video loader to load its segment and update both the audio and video\n   * timestamp offsets before it may load and append its own segment. This is the case\n   * whether the seek results in a mismatched segment request (e.g., the audio loader\n   * chooses to load segment 3 and the video loader chooses to load segment 4) or the\n   * loaders choose to load the same segment index from each playlist, as the segments may\n   * not be aligned perfectly, even for matching segment indexes.\n   *\n   * @param {Object} timelinechangeController\n   * @param {number} currentTimeline\n   *        The timeline currently being followed by the loader\n   * @param {number} segmentTimeline\n   *        The timeline of the segment being loaded\n   * @param {('main'|'audio')} loaderType\n   *        The loader type\n   * @param {boolean} audioDisabled\n   *        Whether the audio is disabled for the loader. This should only be true when the\n   *        loader may have muxed audio in its segment, but should not append it, e.g., for\n   *        the main loader when an alternate audio playlist is active.\n   *\n   * @return {boolean}\n   *         Whether the loader should wait for a timeline change from the timeline change\n   *         controller before processing the segment\n   */\n\n  const shouldWaitForTimelineChange = ({\n    timelineChangeController,\n    currentTimeline,\n    segmentTimeline,\n    loaderType,\n    audioDisabled\n  }) => {\n    if (currentTimeline === segmentTimeline) {\n      return false;\n    }\n    if (loaderType === 'audio') {\n      const lastMainTimelineChange = timelineChangeController.lastTimelineChange({\n        type: 'main'\n      }); // Audio loader should wait if:\n      //\n      // * main hasn't had a timeline change yet (thus has not loaded its first segment)\n      // * main hasn't yet changed to the timeline audio is looking to load\n\n      return !lastMainTimelineChange || lastMainTimelineChange.to !== segmentTimeline;\n    } // The main loader only needs to wait for timeline changes if there's demuxed audio.\n    // Otherwise, there's nothing to wait for, since audio would be muxed into the main\n    // loader's segments (or the content is audio/video only and handled by the main\n    // loader).\n\n    if (loaderType === 'main' && audioDisabled) {\n      const pendingAudioTimelineChange = timelineChangeController.pendingTimelineChange({\n        type: 'audio'\n      }); // Main loader should wait for the audio loader if audio is not pending a timeline\n      // change to the current timeline.\n      //\n      // Since the main loader is responsible for setting the timestamp offset for both\n      // audio and video, the main loader must wait for audio to be about to change to its\n      // timeline before setting the offset, otherwise, if audio is behind in loading,\n      // segments from the previous timeline would be adjusted by the new timestamp offset.\n      //\n      // This requirement means that video will not cross a timeline until the audio is\n      // about to cross to it, so that way audio and video will always cross the timeline\n      // together.\n      //\n      // In addition to normal timeline changes, these rules also apply to the start of a\n      // stream (going from a non-existent timeline, -1, to timeline 0). It's important\n      // that these rules apply to the first timeline change because if they did not, it's\n      // possible that the main loader will cross two timelines before the audio loader has\n      // crossed one. Logic may be implemented to handle the startup as a special case, but\n      // it's easier to simply treat all timeline changes the same.\n\n      if (pendingAudioTimelineChange && pendingAudioTimelineChange.to === segmentTimeline) {\n        return false;\n      }\n      return true;\n    }\n    return false;\n  };\n  const shouldFixBadTimelineChanges = timelineChangeController => {\n    if (!timelineChangeController) {\n      return false;\n    }\n    const pendingAudioTimelineChange = timelineChangeController.pendingTimelineChange({\n      type: 'audio'\n    });\n    const pendingMainTimelineChange = timelineChangeController.pendingTimelineChange({\n      type: 'main'\n    });\n    const hasPendingTimelineChanges = pendingAudioTimelineChange && pendingMainTimelineChange;\n    const differentPendingChanges = hasPendingTimelineChanges && pendingAudioTimelineChange.to !== pendingMainTimelineChange.to;\n    const isNotInitialPendingTimelineChange = hasPendingTimelineChanges && pendingAudioTimelineChange.from !== -1 && pendingMainTimelineChange.from !== -1;\n    if (isNotInitialPendingTimelineChange && differentPendingChanges) {\n      return true;\n    }\n    return false;\n  };\n  /**\n   * Check if the pending audio timeline change is behind the\n   * pending main timeline change.\n   *\n   * @param {SegmentLoader} segmentLoader\n   * @return {boolean}\n   */\n\n  const isAudioTimelineBehind = segmentLoader => {\n    const pendingAudioTimelineChange = segmentLoader.timelineChangeController_.pendingTimelineChange({\n      type: 'audio'\n    });\n    const pendingMainTimelineChange = segmentLoader.timelineChangeController_.pendingTimelineChange({\n      type: 'main'\n    });\n    const hasPendingTimelineChanges = pendingAudioTimelineChange && pendingMainTimelineChange;\n    return hasPendingTimelineChanges && pendingAudioTimelineChange.to < pendingMainTimelineChange.to;\n  };\n  /**\n   * A method to check if the player is waiting for a timeline change, and fixes\n   * certain scenarios where the timelines need to be updated.\n   *\n   * @param {SegmentLoader} segmentLoader\n   */\n\n  const checkAndFixTimelines = segmentLoader => {\n    const segmentInfo = segmentLoader.pendingSegment_;\n    if (!segmentInfo) {\n      return;\n    }\n    const waitingForTimelineChange = shouldWaitForTimelineChange({\n      timelineChangeController: segmentLoader.timelineChangeController_,\n      currentTimeline: segmentLoader.currentTimeline_,\n      segmentTimeline: segmentInfo.timeline,\n      loaderType: segmentLoader.loaderType_,\n      audioDisabled: segmentLoader.audioDisabled_\n    });\n    if (waitingForTimelineChange && shouldFixBadTimelineChanges(segmentLoader.timelineChangeController_)) {\n      if (isAudioTimelineBehind(segmentLoader)) {\n        segmentLoader.timelineChangeController_.trigger('audioTimelineBehind');\n        return;\n      }\n      segmentLoader.timelineChangeController_.trigger('fixBadTimelineChange');\n    }\n  };\n  const mediaDuration = timingInfos => {\n    let maxDuration = 0;\n    ['video', 'audio'].forEach(function (type) {\n      const typeTimingInfo = timingInfos[`${type}TimingInfo`];\n      if (!typeTimingInfo) {\n        return;\n      }\n      const {\n        start,\n        end\n      } = typeTimingInfo;\n      let duration;\n      if (typeof start === 'bigint' || typeof end === 'bigint') {\n        duration = window.BigInt(end) - window.BigInt(start);\n      } else if (typeof start === 'number' && typeof end === 'number') {\n        duration = end - start;\n      }\n      if (typeof duration !== 'undefined' && duration > maxDuration) {\n        maxDuration = duration;\n      }\n    }); // convert back to a number if it is lower than MAX_SAFE_INTEGER\n    // as we only need BigInt when we are above that.\n\n    if (typeof maxDuration === 'bigint' && maxDuration < Number.MAX_SAFE_INTEGER) {\n      maxDuration = Number(maxDuration);\n    }\n    return maxDuration;\n  };\n  const segmentTooLong = ({\n    segmentDuration,\n    maxDuration\n  }) => {\n    // 0 duration segments are most likely due to metadata only segments or a lack of\n    // information.\n    if (!segmentDuration) {\n      return false;\n    } // For HLS:\n    //\n    // https://tools.ietf.org/html/draft-pantos-http-live-streaming-23#section-4.3.3.1\n    // The EXTINF duration of each Media Segment in the Playlist\n    // file, when rounded to the nearest integer, MUST be less than or equal\n    // to the target duration; longer segments can trigger playback stalls\n    // or other errors.\n    //\n    // For DASH, the mpd-parser uses the largest reported segment duration as the target\n    // duration. Although that reported duration is occasionally approximate (i.e., not\n    // exact), a strict check may report that a segment is too long more often in DASH.\n\n    return Math.round(segmentDuration) > maxDuration + TIME_FUDGE_FACTOR;\n  };\n  const getTroublesomeSegmentDurationMessage = (segmentInfo, sourceType) => {\n    // Right now we aren't following DASH's timing model exactly, so only perform\n    // this check for HLS content.\n    if (sourceType !== 'hls') {\n      return null;\n    }\n    const segmentDuration = mediaDuration({\n      audioTimingInfo: segmentInfo.audioTimingInfo,\n      videoTimingInfo: segmentInfo.videoTimingInfo\n    }); // Don't report if we lack information.\n    //\n    // If the segment has a duration of 0 it is either a lack of information or a\n    // metadata only segment and shouldn't be reported here.\n\n    if (!segmentDuration) {\n      return null;\n    }\n    const targetDuration = segmentInfo.playlist.targetDuration;\n    const isSegmentWayTooLong = segmentTooLong({\n      segmentDuration,\n      maxDuration: targetDuration * 2\n    });\n    const isSegmentSlightlyTooLong = segmentTooLong({\n      segmentDuration,\n      maxDuration: targetDuration\n    });\n    const segmentTooLongMessage = `Segment with index ${segmentInfo.mediaIndex} ` + `from playlist ${segmentInfo.playlist.id} ` + `has a duration of ${segmentDuration} ` + `when the reported duration is ${segmentInfo.duration} ` + `and the target duration is ${targetDuration}. ` + 'For HLS content, a duration in excess of the target duration may result in ' + 'playback issues. See the HLS specification section on EXT-X-TARGETDURATION for ' + 'more details: ' + 'https://tools.ietf.org/html/draft-pantos-http-live-streaming-23#section-4.3.3.1';\n    if (isSegmentWayTooLong || isSegmentSlightlyTooLong) {\n      return {\n        severity: isSegmentWayTooLong ? 'warn' : 'info',\n        message: segmentTooLongMessage\n      };\n    }\n    return null;\n  };\n  /**\n   *\n   * @param {Object} options type of segment loader and segment either segmentInfo or simple segment\n   * @return a segmentInfo payload for events or errors.\n   */\n\n  const segmentInfoPayload = ({\n    type,\n    segment\n  }) => {\n    if (!segment) {\n      return;\n    }\n    const isEncrypted = Boolean(segment.key || segment.map && segment.map.ke);\n    const isMediaInitialization = Boolean(segment.map && !segment.map.bytes);\n    const start = segment.startOfSegment === undefined ? segment.start : segment.startOfSegment;\n    return {\n      type: type || segment.type,\n      uri: segment.resolvedUri || segment.uri,\n      start,\n      duration: segment.duration,\n      isEncrypted,\n      isMediaInitialization\n    };\n  };\n  /**\n   * An object that manages segment loading and appending.\n   *\n   * @class SegmentLoader\n   * @param {Object} options required and optional options\n   * @extends videojs.EventTarget\n   */\n\n  class SegmentLoader extends videojs.EventTarget {\n    constructor(settings, options = {}) {\n      super(); // check pre-conditions\n\n      if (!settings) {\n        throw new TypeError('Initialization settings are required');\n      }\n      if (typeof settings.currentTime !== 'function') {\n        throw new TypeError('No currentTime getter specified');\n      }\n      if (!settings.mediaSource) {\n        throw new TypeError('No MediaSource specified');\n      } // public properties\n\n      this.bandwidth = settings.bandwidth;\n      this.throughput = {\n        rate: 0,\n        count: 0\n      };\n      this.roundTrip = NaN;\n      this.resetStats_();\n      this.mediaIndex = null;\n      this.partIndex = null; // private settings\n\n      this.hasPlayed_ = settings.hasPlayed;\n      this.currentTime_ = settings.currentTime;\n      this.seekable_ = settings.seekable;\n      this.seeking_ = settings.seeking;\n      this.duration_ = settings.duration;\n      this.mediaSource_ = settings.mediaSource;\n      this.vhs_ = settings.vhs;\n      this.loaderType_ = settings.loaderType;\n      this.currentMediaInfo_ = void 0;\n      this.startingMediaInfo_ = void 0;\n      this.segmentMetadataTrack_ = settings.segmentMetadataTrack;\n      this.goalBufferLength_ = settings.goalBufferLength;\n      this.sourceType_ = settings.sourceType;\n      this.sourceUpdater_ = settings.sourceUpdater;\n      this.inbandTextTracks_ = settings.inbandTextTracks;\n      this.state_ = 'INIT';\n      this.timelineChangeController_ = settings.timelineChangeController;\n      this.shouldSaveSegmentTimingInfo_ = true;\n      this.parse708captions_ = settings.parse708captions;\n      this.useDtsForTimestampOffset_ = settings.useDtsForTimestampOffset;\n      this.captionServices_ = settings.captionServices;\n      this.exactManifestTimings = settings.exactManifestTimings;\n      this.addMetadataToTextTrack = settings.addMetadataToTextTrack; // private instance variables\n\n      this.checkBufferTimeout_ = null;\n      this.error_ = void 0;\n      this.currentTimeline_ = -1;\n      this.shouldForceTimestampOffsetAfterResync_ = false;\n      this.pendingSegment_ = null;\n      this.xhrOptions_ = null;\n      this.pendingSegments_ = [];\n      this.audioDisabled_ = false;\n      this.isPendingTimestampOffset_ = false; // TODO possibly move gopBuffer and timeMapping info to a separate controller\n\n      this.gopBuffer_ = [];\n      this.timeMapping_ = 0;\n      this.safeAppend_ = false;\n      this.appendInitSegment_ = {\n        audio: true,\n        video: true\n      };\n      this.playlistOfLastInitSegment_ = {\n        audio: null,\n        video: null\n      };\n      this.callQueue_ = []; // If the segment loader prepares to load a segment, but does not have enough\n      // information yet to start the loading process (e.g., if the audio loader wants to\n      // load a segment from the next timeline but the main loader hasn't yet crossed that\n      // timeline), then the load call will be added to the queue until it is ready to be\n      // processed.\n\n      this.loadQueue_ = [];\n      this.metadataQueue_ = {\n        id3: [],\n        caption: []\n      };\n      this.waitingOnRemove_ = false;\n      this.quotaExceededErrorRetryTimeout_ = null; // Fragmented mp4 playback\n\n      this.activeInitSegmentId_ = null;\n      this.initSegments_ = {}; // HLSe playback\n\n      this.cacheEncryptionKeys_ = settings.cacheEncryptionKeys;\n      this.keyCache_ = {};\n      this.decrypter_ = settings.decrypter; // Manages the tracking and generation of sync-points, mappings\n      // between a time in the display time and a segment index within\n      // a playlist\n\n      this.syncController_ = settings.syncController;\n      this.syncPoint_ = {\n        segmentIndex: 0,\n        time: 0\n      };\n      this.transmuxer_ = this.createTransmuxer_();\n      this.triggerSyncInfoUpdate_ = () => this.trigger('syncinfoupdate');\n      this.syncController_.on('syncinfoupdate', this.triggerSyncInfoUpdate_);\n      this.mediaSource_.addEventListener('sourceopen', () => {\n        if (!this.isEndOfStream_()) {\n          this.ended_ = false;\n        }\n      }); // ...for determining the fetch location\n\n      this.fetchAtBuffer_ = false;\n      this.logger_ = logger(`SegmentLoader[${this.loaderType_}]`);\n      Object.defineProperty(this, 'state', {\n        get() {\n          return this.state_;\n        },\n        set(newState) {\n          if (newState !== this.state_) {\n            this.logger_(`${this.state_} -> ${newState}`);\n            this.state_ = newState;\n            this.trigger('statechange');\n          }\n        }\n      });\n      this.sourceUpdater_.on('ready', () => {\n        if (this.hasEnoughInfoToAppend_()) {\n          this.processCallQueue_();\n        } else {\n          checkAndFixTimelines(this);\n        }\n      });\n      this.sourceUpdater_.on('codecschange', metadata => {\n        this.trigger(_extends$1({\n          type: 'codecschange'\n        }, metadata));\n      }); // Only the main loader needs to listen for pending timeline changes, as the main\n      // loader should wait for audio to be ready to change its timeline so that both main\n      // and audio timelines change together. For more details, see the\n      // shouldWaitForTimelineChange function.\n\n      if (this.loaderType_ === 'main') {\n        this.timelineChangeController_.on('pendingtimelinechange', () => {\n          if (this.hasEnoughInfoToAppend_()) {\n            this.processCallQueue_();\n          } else {\n            checkAndFixTimelines(this);\n          }\n        });\n      } // The main loader only listens on pending timeline changes, but the audio loader,\n      // since its loads follow main, needs to listen on timeline changes. For more details,\n      // see the shouldWaitForTimelineChange function.\n\n      if (this.loaderType_ === 'audio') {\n        this.timelineChangeController_.on('timelinechange', metadata => {\n          this.trigger(_extends$1({\n            type: 'timelinechange'\n          }, metadata));\n          if (this.hasEnoughInfoToLoad_()) {\n            this.processLoadQueue_();\n          } else {\n            checkAndFixTimelines(this);\n          }\n          if (this.hasEnoughInfoToAppend_()) {\n            this.processCallQueue_();\n          } else {\n            checkAndFixTimelines(this);\n          }\n        });\n      }\n    }\n    /**\n     * TODO: Current sync controller consists of many hls-specific strategies\n     * media sequence sync is also hls-specific, and we would like to be protocol-agnostic on this level\n     * this should be a part of the sync-controller and sync controller should expect different strategy list based on the protocol.\n     *\n     * @return {MediaSequenceSync|null}\n     * @private\n     */\n\n    get mediaSequenceSync_() {\n      return this.syncController_.getMediaSequenceSync(this.loaderType_);\n    }\n    createTransmuxer_() {\n      return segmentTransmuxer.createTransmuxer({\n        remux: false,\n        alignGopsAtEnd: this.safeAppend_,\n        keepOriginalTimestamps: true,\n        parse708captions: this.parse708captions_,\n        captionServices: this.captionServices_\n      });\n    }\n    /**\n     * reset all of our media stats\n     *\n     * @private\n     */\n\n    resetStats_() {\n      this.mediaBytesTransferred = 0;\n      this.mediaRequests = 0;\n      this.mediaRequestsAborted = 0;\n      this.mediaRequestsTimedout = 0;\n      this.mediaRequestsErrored = 0;\n      this.mediaTransferDuration = 0;\n      this.mediaSecondsLoaded = 0;\n      this.mediaAppends = 0;\n    }\n    /**\n     * dispose of the SegmentLoader and reset to the default state\n     */\n\n    dispose() {\n      this.trigger('dispose');\n      this.state = 'DISPOSED';\n      this.pause();\n      this.abort_();\n      if (this.transmuxer_) {\n        this.transmuxer_.terminate();\n      }\n      this.resetStats_();\n      if (this.checkBufferTimeout_) {\n        window.clearTimeout(this.checkBufferTimeout_);\n      }\n      if (this.syncController_ && this.triggerSyncInfoUpdate_) {\n        this.syncController_.off('syncinfoupdate', this.triggerSyncInfoUpdate_);\n      }\n      this.off();\n    }\n    setAudio(enable) {\n      this.audioDisabled_ = !enable;\n      if (enable) {\n        this.appendInitSegment_.audio = true;\n      } else {\n        // remove current track audio if it gets disabled\n        this.sourceUpdater_.removeAudio(0, this.duration_());\n      }\n    }\n    /**\n     * abort anything that is currently doing on with the SegmentLoader\n     * and reset to a default state\n     */\n\n    abort() {\n      if (this.state !== 'WAITING') {\n        if (this.pendingSegment_) {\n          this.pendingSegment_ = null;\n        }\n        this.timelineChangeController_.clearPendingTimelineChange(this.loaderType_);\n        return;\n      }\n      this.abort_(); // We aborted the requests we were waiting on, so reset the loader's state to READY\n      // since we are no longer \"waiting\" on any requests. XHR callback is not always run\n      // when the request is aborted. This will prevent the loader from being stuck in the\n      // WAITING state indefinitely.\n\n      this.state = 'READY'; // don't wait for buffer check timeouts to begin fetching the\n      // next segment\n\n      if (!this.paused()) {\n        this.monitorBuffer_();\n      }\n    }\n    /**\n     * abort all pending xhr requests and null any pending segements\n     *\n     * @private\n     */\n\n    abort_() {\n      if (this.pendingSegment_ && this.pendingSegment_.abortRequests) {\n        this.pendingSegment_.abortRequests();\n      } // clear out the segment being processed\n\n      this.pendingSegment_ = null;\n      this.callQueue_ = [];\n      this.loadQueue_ = [];\n      this.metadataQueue_.id3 = [];\n      this.metadataQueue_.caption = [];\n      this.timelineChangeController_.clearPendingTimelineChange(this.loaderType_);\n      this.waitingOnRemove_ = false;\n      window.clearTimeout(this.quotaExceededErrorRetryTimeout_);\n      this.quotaExceededErrorRetryTimeout_ = null;\n    }\n    checkForAbort_(requestId) {\n      // If the state is APPENDING, then aborts will not modify the state, meaning the first\n      // callback that happens should reset the state to READY so that loading can continue.\n      if (this.state === 'APPENDING' && !this.pendingSegment_) {\n        this.state = 'READY';\n        return true;\n      }\n      if (!this.pendingSegment_ || this.pendingSegment_.requestId !== requestId) {\n        return true;\n      }\n      return false;\n    }\n    /**\n     * set an error on the segment loader and null out any pending segements\n     *\n     * @param {Error} error the error to set on the SegmentLoader\n     * @return {Error} the error that was set or that is currently set\n     */\n\n    error(error) {\n      if (typeof error !== 'undefined') {\n        this.logger_('error occurred:', error);\n        this.error_ = error;\n      }\n      this.pendingSegment_ = null;\n      return this.error_;\n    }\n    endOfStream() {\n      this.ended_ = true;\n      if (this.transmuxer_) {\n        // need to clear out any cached data to prepare for the new segment\n        segmentTransmuxer.reset(this.transmuxer_);\n      }\n      this.gopBuffer_.length = 0;\n      this.pause();\n      this.trigger('ended');\n    }\n    /**\n     * Indicates which time ranges are buffered\n     *\n     * @return {TimeRange}\n     *         TimeRange object representing the current buffered ranges\n     */\n\n    buffered_() {\n      const trackInfo = this.getMediaInfo_();\n      if (!this.sourceUpdater_ || !trackInfo) {\n        return createTimeRanges();\n      }\n      if (this.loaderType_ === 'main') {\n        const {\n          hasAudio,\n          hasVideo,\n          isMuxed\n        } = trackInfo;\n        if (hasVideo && hasAudio && !this.audioDisabled_ && !isMuxed) {\n          return this.sourceUpdater_.buffered();\n        }\n        if (hasVideo) {\n          return this.sourceUpdater_.videoBuffered();\n        }\n      } // One case that can be ignored for now is audio only with alt audio,\n      // as we don't yet have proper support for that.\n\n      return this.sourceUpdater_.audioBuffered();\n    }\n    /**\n     * Gets and sets init segment for the provided map\n     *\n     * @param {Object} map\n     *        The map object representing the init segment to get or set\n     * @param {boolean=} set\n     *        If true, the init segment for the provided map should be saved\n     * @return {Object}\n     *         map object for desired init segment\n     */\n\n    initSegmentForMap(map, set = false) {\n      if (!map) {\n        return null;\n      }\n      const id = initSegmentId(map);\n      let storedMap = this.initSegments_[id];\n      if (set && !storedMap && map.bytes) {\n        this.initSegments_[id] = storedMap = {\n          resolvedUri: map.resolvedUri,\n          byterange: map.byterange,\n          bytes: map.bytes,\n          tracks: map.tracks,\n          timescales: map.timescales\n        };\n      }\n      return storedMap || map;\n    }\n    /**\n     * Gets and sets key for the provided key\n     *\n     * @param {Object} key\n     *        The key object representing the key to get or set\n     * @param {boolean=} set\n     *        If true, the key for the provided key should be saved\n     * @return {Object}\n     *         Key object for desired key\n     */\n\n    segmentKey(key, set = false) {\n      if (!key) {\n        return null;\n      }\n      const id = segmentKeyId(key);\n      let storedKey = this.keyCache_[id]; // TODO: We should use the HTTP Expires header to invalidate our cache per\n      // https://tools.ietf.org/html/draft-pantos-http-live-streaming-23#section-6.2.3\n\n      if (this.cacheEncryptionKeys_ && set && !storedKey && key.bytes) {\n        this.keyCache_[id] = storedKey = {\n          resolvedUri: key.resolvedUri,\n          bytes: key.bytes\n        };\n      }\n      const result = {\n        resolvedUri: (storedKey || key).resolvedUri\n      };\n      if (storedKey) {\n        result.bytes = storedKey.bytes;\n      }\n      return result;\n    }\n    /**\n     * Returns true if all configuration required for loading is present, otherwise false.\n     *\n     * @return {boolean} True if the all configuration is ready for loading\n     * @private\n     */\n\n    couldBeginLoading_() {\n      return this.playlist_ && !this.paused();\n    }\n    /**\n     * load a playlist and start to fill the buffer\n     */\n\n    load() {\n      // un-pause\n      this.monitorBuffer_(); // if we don't have a playlist yet, keep waiting for one to be\n      // specified\n\n      if (!this.playlist_) {\n        return;\n      } // if all the configuration is ready, initialize and begin loading\n\n      if (this.state === 'INIT' && this.couldBeginLoading_()) {\n        return this.init_();\n      } // if we're in the middle of processing a segment already, don't\n      // kick off an additional segment request\n\n      if (!this.couldBeginLoading_() || this.state !== 'READY' && this.state !== 'INIT') {\n        return;\n      }\n      this.state = 'READY';\n    }\n    /**\n     * Once all the starting parameters have been specified, begin\n     * operation. This method should only be invoked from the INIT\n     * state.\n     *\n     * @private\n     */\n\n    init_() {\n      this.state = 'READY'; // if this is the audio segment loader, and it hasn't been inited before, then any old\n      // audio data from the muxed content should be removed\n\n      this.resetEverything();\n      return this.monitorBuffer_();\n    }\n    /**\n     * set a playlist on the segment loader\n     *\n     * @param {PlaylistLoader} media the playlist to set on the segment loader\n     */\n\n    playlist(newPlaylist, options = {}) {\n      if (!newPlaylist) {\n        return;\n      }\n      if (this.playlist_ && this.playlist_.endList && newPlaylist.endList && this.playlist_.uri === newPlaylist.uri) {\n        // skip update if both prev and new are vod and have the same URI\n        return;\n      }\n      const oldPlaylist = this.playlist_;\n      const segmentInfo = this.pendingSegment_;\n      this.playlist_ = newPlaylist;\n      this.xhrOptions_ = options; // when we haven't started playing yet, the start of a live playlist\n      // is always our zero-time so force a sync update each time the playlist\n      // is refreshed from the server\n      //\n      // Use the INIT state to determine if playback has started, as the playlist sync info\n      // should be fixed once requests begin (as sync points are generated based on sync\n      // info), but not before then.\n\n      if (this.state === 'INIT') {\n        newPlaylist.syncInfo = {\n          mediaSequence: newPlaylist.mediaSequence,\n          time: 0\n        }; // Setting the date time mapping means mapping the program date time (if available)\n        // to time 0 on the player's timeline. The playlist's syncInfo serves a similar\n        // purpose, mapping the initial mediaSequence to time zero. Since the syncInfo can\n        // be updated as the playlist is refreshed before the loader starts loading, the\n        // program date time mapping needs to be updated as well.\n        //\n        // This mapping is only done for the main loader because a program date time should\n        // map equivalently between playlists.\n\n        if (this.loaderType_ === 'main') {\n          this.syncController_.setDateTimeMappingForStart(newPlaylist);\n        }\n      }\n      let oldId = null;\n      if (oldPlaylist) {\n        if (oldPlaylist.id) {\n          oldId = oldPlaylist.id;\n        } else if (oldPlaylist.uri) {\n          oldId = oldPlaylist.uri;\n        }\n      }\n      this.logger_(`playlist update [${oldId} => ${newPlaylist.id || newPlaylist.uri}]`);\n      if (this.mediaSequenceSync_) {\n        this.mediaSequenceSync_.update(newPlaylist, this.currentTime_());\n        this.logger_(`Playlist update:\ncurrentTime: ${this.currentTime_()}\nbufferedEnd: ${lastBufferedEnd(this.buffered_())}\n`, this.mediaSequenceSync_.diagnostics);\n      } // in VOD, this is always a rendition switch (or we updated our syncInfo above)\n      // in LIVE, we always want to update with new playlists (including refreshes)\n\n      this.trigger('syncinfoupdate'); // if we were unpaused but waiting for a playlist, start\n      // buffering now\n\n      if (this.state === 'INIT' && this.couldBeginLoading_()) {\n        return this.init_();\n      }\n      if (!oldPlaylist || oldPlaylist.uri !== newPlaylist.uri) {\n        if (this.mediaIndex !== null) {\n          // we must reset/resync the segment loader when we switch renditions and\n          // the segment loader is already synced to the previous rendition\n          // We only want to reset the loader here for LLHLS playback, as resetLoader sets fetchAtBuffer_\n          // to false, resulting in fetching segments at currentTime and causing repeated\n          // same-segment requests on playlist change. This erroneously drives up the playback watcher\n          // stalled segment count, as re-requesting segments at the currentTime or browser cached segments\n          // will not change the buffer.\n          // Reference for LLHLS fixes: https://github.com/videojs/http-streaming/pull/1201\n          const isLLHLS = !newPlaylist.endList && typeof newPlaylist.partTargetDuration === 'number';\n          if (isLLHLS) {\n            this.resetLoader();\n          } else {\n            this.resyncLoader();\n          }\n        }\n        this.currentMediaInfo_ = void 0;\n        this.trigger('playlistupdate'); // the rest of this function depends on `oldPlaylist` being defined\n\n        return;\n      } // we reloaded the same playlist so we are in a live scenario\n      // and we will likely need to adjust the mediaIndex\n\n      const mediaSequenceDiff = newPlaylist.mediaSequence - oldPlaylist.mediaSequence;\n      this.logger_(`live window shift [${mediaSequenceDiff}]`); // update the mediaIndex on the SegmentLoader\n      // this is important because we can abort a request and this value must be\n      // equal to the last appended mediaIndex\n\n      if (this.mediaIndex !== null) {\n        this.mediaIndex -= mediaSequenceDiff; // this can happen if we are going to load the first segment, but get a playlist\n        // update during that. mediaIndex would go from 0 to -1 if mediaSequence in the\n        // new playlist was incremented by 1.\n\n        if (this.mediaIndex < 0) {\n          this.mediaIndex = null;\n          this.partIndex = null;\n        } else {\n          const segment = this.playlist_.segments[this.mediaIndex]; // partIndex should remain the same for the same segment\n          // unless parts fell off of the playlist for this segment.\n          // In that case we need to reset partIndex and resync\n\n          if (this.partIndex && (!segment.parts || !segment.parts.length || !segment.parts[this.partIndex])) {\n            const mediaIndex = this.mediaIndex;\n            this.logger_(`currently processing part (index ${this.partIndex}) no longer exists.`);\n            this.resetLoader(); // We want to throw away the partIndex and the data associated with it,\n            // as the part was dropped from our current playlists segment.\n            // The mediaIndex will still be valid so keep that around.\n\n            this.mediaIndex = mediaIndex;\n          }\n        }\n      } // update the mediaIndex on the SegmentInfo object\n      // this is important because we will update this.mediaIndex with this value\n      // in `handleAppendsDone_` after the segment has been successfully appended\n\n      if (segmentInfo) {\n        segmentInfo.mediaIndex -= mediaSequenceDiff;\n        if (segmentInfo.mediaIndex < 0) {\n          segmentInfo.mediaIndex = null;\n          segmentInfo.partIndex = null;\n        } else {\n          // we need to update the referenced segment so that timing information is\n          // saved for the new playlist's segment, however, if the segment fell off the\n          // playlist, we can leave the old reference and just lose the timing info\n          if (segmentInfo.mediaIndex >= 0) {\n            segmentInfo.segment = newPlaylist.segments[segmentInfo.mediaIndex];\n          }\n          if (segmentInfo.partIndex >= 0 && segmentInfo.segment.parts) {\n            segmentInfo.part = segmentInfo.segment.parts[segmentInfo.partIndex];\n          }\n        }\n      }\n      this.syncController_.saveExpiredSegmentInfo(oldPlaylist, newPlaylist);\n    }\n    /**\n     * Prevent the loader from fetching additional segments. If there\n     * is a segment request outstanding, it will finish processing\n     * before the loader halts. A segment loader can be unpaused by\n     * calling load().\n     */\n\n    pause() {\n      if (this.checkBufferTimeout_) {\n        window.clearTimeout(this.checkBufferTimeout_);\n        this.checkBufferTimeout_ = null;\n      }\n    }\n    /**\n     * Returns whether the segment loader is fetching additional\n     * segments when given the opportunity. This property can be\n     * modified through calls to pause() and load().\n     */\n\n    paused() {\n      return this.checkBufferTimeout_ === null;\n    }\n    /**\n     * Delete all the buffered data and reset the SegmentLoader\n     *\n     * @param {Function} [done] an optional callback to be executed when the remove\n     * operation is complete\n     */\n\n    resetEverything(done) {\n      this.ended_ = false;\n      this.activeInitSegmentId_ = null;\n      this.appendInitSegment_ = {\n        audio: true,\n        video: true\n      };\n      this.resetLoader(); // remove from 0, the earliest point, to Infinity, to signify removal of everything.\n      // VTT Segment Loader doesn't need to do anything but in the regular SegmentLoader,\n      // we then clamp the value to duration if necessary.\n\n      this.remove(0, Infinity, done); // clears fmp4 captions\n\n      if (this.transmuxer_) {\n        this.transmuxer_.postMessage({\n          action: 'clearAllMp4Captions'\n        }); // reset the cache in the transmuxer\n\n        this.transmuxer_.postMessage({\n          action: 'reset'\n        });\n      }\n    }\n    /**\n     * Force the SegmentLoader to resync and start loading around the currentTime instead\n     * of starting at the end of the buffer\n     *\n     * Useful for fast quality changes\n     */\n\n    resetLoader() {\n      this.fetchAtBuffer_ = false;\n      if (this.mediaSequenceSync_) {\n        this.mediaSequenceSync_.resetAppendedStatus();\n      }\n      this.resyncLoader();\n    }\n    /**\n     * Force the SegmentLoader to restart synchronization and make a conservative guess\n     * before returning to the simple walk-forward method\n     */\n\n    resyncLoader() {\n      if (this.transmuxer_) {\n        // need to clear out any cached data to prepare for the new segment\n        segmentTransmuxer.reset(this.transmuxer_);\n      }\n      this.mediaIndex = null;\n      this.partIndex = null;\n      this.syncPoint_ = null;\n      this.isPendingTimestampOffset_ = false; // this is mainly to sync timing-info when switching between renditions with and without timestamp-rollover,\n      // so we don't want it for DASH or fragmented mp4 segments.\n\n      const isFmp4 = this.currentMediaInfo_ && this.currentMediaInfo_.isFmp4;\n      const isHlsTs = this.sourceType_ === 'hls' && !isFmp4;\n      if (isHlsTs) {\n        this.shouldForceTimestampOffsetAfterResync_ = true;\n      }\n      this.callQueue_ = [];\n      this.loadQueue_ = [];\n      this.metadataQueue_.id3 = [];\n      this.metadataQueue_.caption = [];\n      this.abort();\n      if (this.transmuxer_) {\n        this.transmuxer_.postMessage({\n          action: 'clearParsedMp4Captions'\n        });\n      }\n    }\n    /**\n     * Remove any data in the source buffer between start and end times\n     *\n     * @param {number} start - the start time of the region to remove from the buffer\n     * @param {number} end - the end time of the region to remove from the buffer\n     * @param {Function} [done] - an optional callback to be executed when the remove\n     * @param {boolean} force - force all remove operations to happen\n     * operation is complete\n     */\n\n    remove(start, end, done = () => {}, force = false) {\n      // clamp end to duration if we need to remove everything.\n      // This is due to a browser bug that causes issues if we remove to Infinity.\n      // videojs/videojs-contrib-hls#1225\n      if (end === Infinity) {\n        end = this.duration_();\n      } // skip removes that would throw an error\n      // commonly happens during a rendition switch at the start of a video\n      // from start 0 to end 0\n\n      if (end <= start) {\n        this.logger_('skipping remove because end ${end} is <= start ${start}');\n        return;\n      }\n      if (!this.sourceUpdater_ || !this.getMediaInfo_()) {\n        this.logger_('skipping remove because no source updater or starting media info'); // nothing to remove if we haven't processed any media\n\n        return;\n      } // set it to one to complete this function's removes\n\n      let removesRemaining = 1;\n      const removeFinished = () => {\n        removesRemaining--;\n        if (removesRemaining === 0) {\n          done();\n        }\n      };\n      if (force || !this.audioDisabled_) {\n        removesRemaining++;\n        this.sourceUpdater_.removeAudio(start, end, removeFinished);\n      } // While it would be better to only remove video if the main loader has video, this\n      // should be safe with audio only as removeVideo will call back even if there's no\n      // video buffer.\n      //\n      // In theory we can check to see if there's video before calling the remove, but in\n      // the event that we're switching between renditions and from video to audio only\n      // (when we add support for that), we may need to clear the video contents despite\n      // what the new media will contain.\n\n      if (force || this.loaderType_ === 'main') {\n        this.gopBuffer_ = removeGopBuffer(this.gopBuffer_, start, end, this.timeMapping_);\n        removesRemaining++;\n        this.sourceUpdater_.removeVideo(start, end, removeFinished);\n      } // remove any captions and ID3 tags\n\n      for (const track in this.inbandTextTracks_) {\n        removeCuesFromTrack(start, end, this.inbandTextTracks_[track]);\n      }\n      removeCuesFromTrack(start, end, this.segmentMetadataTrack_); // finished this function's removes\n\n      removeFinished();\n    }\n    /**\n     * (re-)schedule monitorBufferTick_ to run as soon as possible\n     *\n     * @private\n     */\n\n    monitorBuffer_() {\n      if (this.checkBufferTimeout_) {\n        window.clearTimeout(this.checkBufferTimeout_);\n      }\n      this.checkBufferTimeout_ = window.setTimeout(this.monitorBufferTick_.bind(this), 1);\n    }\n    /**\n     * As long as the SegmentLoader is in the READY state, periodically\n     * invoke fillBuffer_().\n     *\n     * @private\n     */\n\n    monitorBufferTick_() {\n      if (this.state === 'READY') {\n        this.fillBuffer_();\n      }\n      if (this.checkBufferTimeout_) {\n        window.clearTimeout(this.checkBufferTimeout_);\n      }\n      this.checkBufferTimeout_ = window.setTimeout(this.monitorBufferTick_.bind(this), CHECK_BUFFER_DELAY);\n    }\n    /**\n     * fill the buffer with segements unless the sourceBuffers are\n     * currently updating\n     *\n     * Note: this function should only ever be called by monitorBuffer_\n     * and never directly\n     *\n     * @private\n     */\n\n    fillBuffer_() {\n      // TODO since the source buffer maintains a queue, and we shouldn't call this function\n      // except when we're ready for the next segment, this check can most likely be removed\n      if (this.sourceUpdater_.updating()) {\n        return;\n      } // see if we need to begin loading immediately\n\n      const segmentInfo = this.chooseNextRequest_();\n      if (!segmentInfo) {\n        return;\n      }\n      const metadata = {\n        segmentInfo: segmentInfoPayload({\n          type: this.loaderType_,\n          segment: segmentInfo\n        })\n      };\n      this.trigger({\n        type: 'segmentselected',\n        metadata\n      });\n      if (typeof segmentInfo.timestampOffset === 'number') {\n        this.isPendingTimestampOffset_ = false;\n        this.timelineChangeController_.pendingTimelineChange({\n          type: this.loaderType_,\n          from: this.currentTimeline_,\n          to: segmentInfo.timeline\n        });\n      }\n      this.loadSegment_(segmentInfo);\n    }\n    /**\n     * Determines if we should call endOfStream on the media source based\n     * on the state of the buffer or if appened segment was the final\n     * segment in the playlist.\n     *\n     * @param {number} [mediaIndex] the media index of segment we last appended\n     * @param {Object} [playlist] a media playlist object\n     * @return {boolean} do we need to call endOfStream on the MediaSource\n     */\n\n    isEndOfStream_(mediaIndex = this.mediaIndex, playlist = this.playlist_, partIndex = this.partIndex) {\n      if (!playlist || !this.mediaSource_) {\n        return false;\n      }\n      const segment = typeof mediaIndex === 'number' && playlist.segments[mediaIndex]; // mediaIndex is zero based but length is 1 based\n\n      const appendedLastSegment = mediaIndex + 1 === playlist.segments.length; // true if there are no parts, or this is the last part.\n\n      const appendedLastPart = !segment || !segment.parts || partIndex + 1 === segment.parts.length; // if we've buffered to the end of the video, we need to call endOfStream\n      // so that MediaSources can trigger the `ended` event when it runs out of\n      // buffered data instead of waiting for me\n\n      return playlist.endList && this.mediaSource_.readyState === 'open' && appendedLastSegment && appendedLastPart;\n    }\n    /**\n     * Determines what request should be made given current segment loader state.\n     *\n     * @return {Object} a request object that describes the segment/part to load\n     */\n\n    chooseNextRequest_() {\n      const buffered = this.buffered_();\n      const bufferedEnd = lastBufferedEnd(buffered) || 0;\n      const bufferedTime = timeAheadOf(buffered, this.currentTime_());\n      const preloaded = !this.hasPlayed_() && bufferedTime >= 1;\n      const haveEnoughBuffer = bufferedTime >= this.goalBufferLength_();\n      const segments = this.playlist_.segments; // return no segment if:\n      // 1. we don't have segments\n      // 2. The video has not yet played and we already downloaded a segment\n      // 3. we already have enough buffered time\n\n      if (!segments.length || preloaded || haveEnoughBuffer) {\n        return null;\n      }\n      this.syncPoint_ = this.syncPoint_ || this.syncController_.getSyncPoint(this.playlist_, this.duration_(), this.currentTimeline_, this.currentTime_(), this.loaderType_);\n      const next = {\n        partIndex: null,\n        mediaIndex: null,\n        startOfSegment: null,\n        playlist: this.playlist_,\n        isSyncRequest: Boolean(!this.syncPoint_)\n      };\n      if (next.isSyncRequest) {\n        next.mediaIndex = getSyncSegmentCandidate(this.currentTimeline_, segments, bufferedEnd);\n        this.logger_(`choose next request. Can not find sync point. Fallback to media Index: ${next.mediaIndex}`);\n      } else if (this.mediaIndex !== null) {\n        const segment = segments[this.mediaIndex];\n        const partIndex = typeof this.partIndex === 'number' ? this.partIndex : -1;\n        next.startOfSegment = segment.end ? segment.end : bufferedEnd;\n        if (segment.parts && segment.parts[partIndex + 1]) {\n          next.mediaIndex = this.mediaIndex;\n          next.partIndex = partIndex + 1;\n        } else {\n          next.mediaIndex = this.mediaIndex + 1;\n        }\n      } else {\n        let segmentIndex;\n        let partIndex;\n        let startTime;\n        const targetTime = this.fetchAtBuffer_ ? bufferedEnd : this.currentTime_();\n        if (this.mediaSequenceSync_) {\n          this.logger_(`chooseNextRequest_ request after Quality Switch:\nFor TargetTime: ${targetTime}.\nCurrentTime: ${this.currentTime_()}\nBufferedEnd: ${bufferedEnd}\nFetch At Buffer: ${this.fetchAtBuffer_}\n`, this.mediaSequenceSync_.diagnostics);\n        }\n        if (this.mediaSequenceSync_ && this.mediaSequenceSync_.isReliable) {\n          const syncInfo = this.getSyncInfoFromMediaSequenceSync_(targetTime);\n          if (!syncInfo) {\n            const message = 'No sync info found while using media sequence sync';\n            this.error({\n              message,\n              metadata: {\n                errorType: videojs.Error.StreamingFailedToSelectNextSegment,\n                error: new Error(message)\n              }\n            });\n            this.logger_('chooseNextRequest_ - no sync info found using media sequence sync'); // no match\n\n            return null;\n          }\n          this.logger_(`chooseNextRequest_ mediaSequence syncInfo (${syncInfo.start} --> ${syncInfo.end})`);\n          segmentIndex = syncInfo.segmentIndex;\n          partIndex = syncInfo.partIndex;\n          startTime = syncInfo.start;\n        } else {\n          this.logger_('chooseNextRequest_ - fallback to a regular segment selection algorithm, based on a syncPoint.'); // fallback\n\n          const mediaInfoForTime = Playlist.getMediaInfoForTime({\n            exactManifestTimings: this.exactManifestTimings,\n            playlist: this.playlist_,\n            currentTime: targetTime,\n            startingPartIndex: this.syncPoint_.partIndex,\n            startingSegmentIndex: this.syncPoint_.segmentIndex,\n            startTime: this.syncPoint_.time\n          });\n          segmentIndex = mediaInfoForTime.segmentIndex;\n          partIndex = mediaInfoForTime.partIndex;\n          startTime = mediaInfoForTime.startTime;\n        }\n        next.getMediaInfoForTime = this.fetchAtBuffer_ ? `bufferedEnd ${targetTime}` : `currentTime ${targetTime}`;\n        next.mediaIndex = segmentIndex;\n        next.startOfSegment = startTime;\n        next.partIndex = partIndex;\n        this.logger_(`choose next request. Playlist switched and we have a sync point. Media Index: ${next.mediaIndex} `);\n      }\n      const nextSegment = segments[next.mediaIndex];\n      let nextPart = nextSegment && typeof next.partIndex === 'number' && nextSegment.parts && nextSegment.parts[next.partIndex]; // if the next segment index is invalid or\n      // the next partIndex is invalid do not choose a next segment.\n\n      if (!nextSegment || typeof next.partIndex === 'number' && !nextPart) {\n        return null;\n      } // if the next segment has parts, and we don't have a partIndex.\n      // Set partIndex to 0\n\n      if (typeof next.partIndex !== 'number' && nextSegment.parts) {\n        next.partIndex = 0;\n        nextPart = nextSegment.parts[0];\n      } // independentSegments applies to every segment in a playlist. If independentSegments appears in a main playlist,\n      // it applies to each segment in each media playlist.\n      // https://datatracker.ietf.org/doc/html/draft-pantos-http-live-streaming-23#section-4.3.5.1\n\n      const hasIndependentSegments = this.vhs_.playlists && this.vhs_.playlists.main && this.vhs_.playlists.main.independentSegments || this.playlist_.independentSegments; // if we have no buffered data then we need to make sure\n      // that the next part we append is \"independent\" if possible.\n      // So we check if the previous part is independent, and request\n      // it if it is.\n\n      if (!bufferedTime && nextPart && !hasIndependentSegments && !nextPart.independent) {\n        if (next.partIndex === 0) {\n          const lastSegment = segments[next.mediaIndex - 1];\n          const lastSegmentLastPart = lastSegment.parts && lastSegment.parts.length && lastSegment.parts[lastSegment.parts.length - 1];\n          if (lastSegmentLastPart && lastSegmentLastPart.independent) {\n            next.mediaIndex -= 1;\n            next.partIndex = lastSegment.parts.length - 1;\n            next.independent = 'previous segment';\n          }\n        } else if (nextSegment.parts[next.partIndex - 1].independent) {\n          next.partIndex -= 1;\n          next.independent = 'previous part';\n        }\n      }\n      const ended = this.mediaSource_ && this.mediaSource_.readyState === 'ended'; // do not choose a next segment if all of the following:\n      // 1. this is the last segment in the playlist\n      // 2. end of stream has been called on the media source already\n      // 3. the player is not seeking\n\n      if (next.mediaIndex >= segments.length - 1 && ended && !this.seeking_()) {\n        return null;\n      }\n      if (this.shouldForceTimestampOffsetAfterResync_) {\n        this.shouldForceTimestampOffsetAfterResync_ = false;\n        next.forceTimestampOffset = true;\n        this.logger_('choose next request. Force timestamp offset after loader resync');\n      }\n      return this.generateSegmentInfo_(next);\n    }\n    getSyncInfoFromMediaSequenceSync_(targetTime) {\n      if (!this.mediaSequenceSync_) {\n        return null;\n      } // we should pull the target time to the least available time if we drop out of sync for any reason\n\n      const finalTargetTime = Math.max(targetTime, this.mediaSequenceSync_.start);\n      if (targetTime !== finalTargetTime) {\n        this.logger_(`getSyncInfoFromMediaSequenceSync_. Pulled target time from ${targetTime} to ${finalTargetTime}`);\n      }\n      const mediaSequenceSyncInfo = this.mediaSequenceSync_.getSyncInfoForTime(finalTargetTime);\n      if (!mediaSequenceSyncInfo) {\n        // no match at all\n        return null;\n      }\n      if (!mediaSequenceSyncInfo.isAppended) {\n        // has a perfect match\n        return mediaSequenceSyncInfo;\n      } // has match, but segment was already appended.\n      // attempt to auto-advance to the nearest next segment:\n\n      const nextMediaSequenceSyncInfo = this.mediaSequenceSync_.getSyncInfoForTime(mediaSequenceSyncInfo.end);\n      if (!nextMediaSequenceSyncInfo) {\n        // no match at all\n        return null;\n      }\n      if (nextMediaSequenceSyncInfo.isAppended) {\n        this.logger_('getSyncInfoFromMediaSequenceSync_: We encounter unexpected scenario where next media sequence sync info is also appended!');\n      } // got match with the nearest next segment\n\n      return nextMediaSequenceSyncInfo;\n    }\n    generateSegmentInfo_(options) {\n      const {\n        independent,\n        playlist,\n        mediaIndex,\n        startOfSegment,\n        isSyncRequest,\n        partIndex,\n        forceTimestampOffset,\n        getMediaInfoForTime\n      } = options;\n      const segment = playlist.segments[mediaIndex];\n      const part = typeof partIndex === 'number' && segment.parts[partIndex];\n      const segmentInfo = {\n        requestId: 'segment-loader-' + Math.random(),\n        // resolve the segment URL relative to the playlist\n        uri: part && part.resolvedUri || segment.resolvedUri,\n        // the segment's mediaIndex at the time it was requested\n        mediaIndex,\n        partIndex: part ? partIndex : null,\n        // whether or not to update the SegmentLoader's state with this\n        // segment's mediaIndex\n        isSyncRequest,\n        startOfSegment,\n        // the segment's playlist\n        playlist,\n        // unencrypted bytes of the segment\n        bytes: null,\n        // when a key is defined for this segment, the encrypted bytes\n        encryptedBytes: null,\n        // The target timestampOffset for this segment when we append it\n        // to the source buffer\n        timestampOffset: null,\n        // The timeline that the segment is in\n        timeline: segment.timeline,\n        // The expected duration of the segment in seconds\n        duration: part && part.duration || segment.duration,\n        // retain the segment in case the playlist updates while doing an async process\n        segment,\n        part,\n        byteLength: 0,\n        transmuxer: this.transmuxer_,\n        // type of getMediaInfoForTime that was used to get this segment\n        getMediaInfoForTime,\n        independent\n      };\n      const overrideCheck = typeof forceTimestampOffset !== 'undefined' ? forceTimestampOffset : this.isPendingTimestampOffset_;\n      segmentInfo.timestampOffset = this.timestampOffsetForSegment_({\n        segmentTimeline: segment.timeline,\n        currentTimeline: this.currentTimeline_,\n        startOfSegment,\n        buffered: this.buffered_(),\n        overrideCheck\n      });\n      const audioBufferedEnd = lastBufferedEnd(this.sourceUpdater_.audioBuffered());\n      if (typeof audioBufferedEnd === 'number') {\n        // since the transmuxer is using the actual timing values, but the buffer is\n        // adjusted by the timestamp offset, we must adjust the value here\n        segmentInfo.audioAppendStart = audioBufferedEnd - this.sourceUpdater_.audioTimestampOffset();\n      }\n      if (this.sourceUpdater_.videoBuffered().length) {\n        segmentInfo.gopsToAlignWith = gopsSafeToAlignWith(this.gopBuffer_,\n        // since the transmuxer is using the actual timing values, but the time is\n        // adjusted by the timestmap offset, we must adjust the value here\n        this.currentTime_() - this.sourceUpdater_.videoTimestampOffset(), this.timeMapping_);\n      }\n      return segmentInfo;\n    } // get the timestampoffset for a segment,\n    // added so that vtt segment loader can override and prevent\n    // adding timestamp offsets.\n\n    timestampOffsetForSegment_(options) {\n      return timestampOffsetForSegment(options);\n    }\n    /**\n     * Determines if the network has enough bandwidth to complete the current segment\n     * request in a timely manner. If not, the request will be aborted early and bandwidth\n     * updated to trigger a playlist switch.\n     *\n     * @param {Object} stats\n     *        Object containing stats about the request timing and size\n     * @private\n     */\n\n    earlyAbortWhenNeeded_(stats) {\n      if (this.vhs_.tech_.paused() ||\n      // Don't abort if the current playlist is on the lowestEnabledRendition\n      // TODO: Replace using timeout with a boolean indicating whether this playlist is\n      //       the lowestEnabledRendition.\n      !this.xhrOptions_.timeout ||\n      // Don't abort if we have no bandwidth information to estimate segment sizes\n      !this.playlist_.attributes.BANDWIDTH) {\n        return;\n      } // Wait at least 1 second since the first byte of data has been received before\n      // using the calculated bandwidth from the progress event to allow the bitrate\n      // to stabilize\n\n      if (Date.now() - (stats.firstBytesReceivedAt || Date.now()) < 1000) {\n        return;\n      }\n      const currentTime = this.currentTime_();\n      const measuredBandwidth = stats.bandwidth;\n      const segmentDuration = this.pendingSegment_.duration;\n      const requestTimeRemaining = Playlist.estimateSegmentRequestTime(segmentDuration, measuredBandwidth, this.playlist_, stats.bytesReceived); // Subtract 1 from the timeUntilRebuffer so we still consider an early abort\n      // if we are only left with less than 1 second when the request completes.\n      // A negative timeUntilRebuffering indicates we are already rebuffering\n\n      const timeUntilRebuffer$1 = timeUntilRebuffer(this.buffered_(), currentTime, this.vhs_.tech_.playbackRate()) - 1; // Only consider aborting early if the estimated time to finish the download\n      // is larger than the estimated time until the player runs out of forward buffer\n\n      if (requestTimeRemaining <= timeUntilRebuffer$1) {\n        return;\n      }\n      const switchCandidate = minRebufferMaxBandwidthSelector({\n        main: this.vhs_.playlists.main,\n        currentTime,\n        bandwidth: measuredBandwidth,\n        duration: this.duration_(),\n        segmentDuration,\n        timeUntilRebuffer: timeUntilRebuffer$1,\n        currentTimeline: this.currentTimeline_,\n        syncController: this.syncController_\n      });\n      if (!switchCandidate) {\n        return;\n      }\n      const rebufferingImpact = requestTimeRemaining - timeUntilRebuffer$1;\n      const timeSavedBySwitching = rebufferingImpact - switchCandidate.rebufferingImpact;\n      let minimumTimeSaving = 0.5; // If we are already rebuffering, increase the amount of variance we add to the\n      // potential round trip time of the new request so that we are not too aggressive\n      // with switching to a playlist that might save us a fraction of a second.\n\n      if (timeUntilRebuffer$1 <= TIME_FUDGE_FACTOR) {\n        minimumTimeSaving = 1;\n      }\n      if (!switchCandidate.playlist || switchCandidate.playlist.uri === this.playlist_.uri || timeSavedBySwitching < minimumTimeSaving) {\n        return;\n      } // set the bandwidth to that of the desired playlist being sure to scale by\n      // BANDWIDTH_VARIANCE and add one so the playlist selector does not exclude it\n      // don't trigger a bandwidthupdate as the bandwidth is artifial\n\n      this.bandwidth = switchCandidate.playlist.attributes.BANDWIDTH * Config.BANDWIDTH_VARIANCE + 1;\n      this.trigger('earlyabort');\n    }\n    handleAbort_(segmentInfo) {\n      this.logger_(`Aborting ${segmentInfoString(segmentInfo)}`);\n      this.mediaRequestsAborted += 1;\n    }\n    /**\n     * XHR `progress` event handler\n     *\n     * @param {Event}\n     *        The XHR `progress` event\n     * @param {Object} simpleSegment\n     *        A simplified segment object copy\n     * @private\n     */\n\n    handleProgress_(event, simpleSegment) {\n      this.earlyAbortWhenNeeded_(simpleSegment.stats);\n      if (this.checkForAbort_(simpleSegment.requestId)) {\n        return;\n      }\n      this.trigger('progress');\n    }\n    handleTrackInfo_(simpleSegment, trackInfo) {\n      const {\n        hasAudio,\n        hasVideo\n      } = trackInfo;\n      const metadata = {\n        segmentInfo: segmentInfoPayload({\n          type: this.loaderType_,\n          segment: simpleSegment\n        }),\n        trackInfo: {\n          hasAudio,\n          hasVideo\n        }\n      };\n      this.trigger({\n        type: 'segmenttransmuxingtrackinfoavailable',\n        metadata\n      });\n      this.earlyAbortWhenNeeded_(simpleSegment.stats);\n      if (this.checkForAbort_(simpleSegment.requestId)) {\n        return;\n      }\n      if (this.checkForIllegalMediaSwitch(trackInfo)) {\n        return;\n      }\n      trackInfo = trackInfo || {}; // When we have track info, determine what media types this loader is dealing with.\n      // Guard against cases where we're not getting track info at all until we are\n      // certain that all streams will provide it.\n\n      if (!shallowEqual(this.currentMediaInfo_, trackInfo)) {\n        this.appendInitSegment_ = {\n          audio: true,\n          video: true\n        };\n        this.startingMediaInfo_ = trackInfo;\n        this.currentMediaInfo_ = trackInfo;\n        this.logger_('trackinfo update', trackInfo);\n        this.trigger('trackinfo');\n      } // trackinfo may cause an abort if the trackinfo\n      // causes a codec change to an unsupported codec.\n\n      if (this.checkForAbort_(simpleSegment.requestId)) {\n        return;\n      } // set trackinfo on the pending segment so that\n      // it can append.\n\n      this.pendingSegment_.trackInfo = trackInfo; // check if any calls were waiting on the track info\n\n      if (this.hasEnoughInfoToAppend_()) {\n        this.processCallQueue_();\n      } else {\n        checkAndFixTimelines(this);\n      }\n    }\n    handleTimingInfo_(simpleSegment, mediaType, timeType, time) {\n      this.earlyAbortWhenNeeded_(simpleSegment.stats);\n      if (this.checkForAbort_(simpleSegment.requestId)) {\n        return;\n      }\n      const segmentInfo = this.pendingSegment_;\n      const timingInfoProperty = timingInfoPropertyForMedia(mediaType);\n      segmentInfo[timingInfoProperty] = segmentInfo[timingInfoProperty] || {};\n      segmentInfo[timingInfoProperty][timeType] = time;\n      this.logger_(`timinginfo: ${mediaType} - ${timeType} - ${time}`); // check if any calls were waiting on the timing info\n\n      if (this.hasEnoughInfoToAppend_()) {\n        this.processCallQueue_();\n      } else {\n        checkAndFixTimelines(this);\n      }\n    }\n    handleCaptions_(simpleSegment, captionData) {\n      this.earlyAbortWhenNeeded_(simpleSegment.stats);\n      if (this.checkForAbort_(simpleSegment.requestId)) {\n        return;\n      } // This could only happen with fmp4 segments, but\n      // should still not happen in general\n\n      if (captionData.length === 0) {\n        this.logger_('SegmentLoader received no captions from a caption event');\n        return;\n      }\n      const segmentInfo = this.pendingSegment_; // Wait until we have some video data so that caption timing\n      // can be adjusted by the timestamp offset\n\n      if (!segmentInfo.hasAppendedData_) {\n        this.metadataQueue_.caption.push(this.handleCaptions_.bind(this, simpleSegment, captionData));\n        return;\n      }\n      const timestampOffset = this.sourceUpdater_.videoTimestampOffset() === null ? this.sourceUpdater_.audioTimestampOffset() : this.sourceUpdater_.videoTimestampOffset();\n      const captionTracks = {}; // get total start/end and captions for each track/stream\n\n      captionData.forEach(caption => {\n        // caption.stream is actually a track name...\n        // set to the existing values in tracks or default values\n        captionTracks[caption.stream] = captionTracks[caption.stream] || {\n          // Infinity, as any other value will be less than this\n          startTime: Infinity,\n          captions: [],\n          // 0 as an other value will be more than this\n          endTime: 0\n        };\n        const captionTrack = captionTracks[caption.stream];\n        captionTrack.startTime = Math.min(captionTrack.startTime, caption.startTime + timestampOffset);\n        captionTrack.endTime = Math.max(captionTrack.endTime, caption.endTime + timestampOffset);\n        captionTrack.captions.push(caption);\n      });\n      Object.keys(captionTracks).forEach(trackName => {\n        const {\n          startTime,\n          endTime,\n          captions\n        } = captionTracks[trackName];\n        const inbandTextTracks = this.inbandTextTracks_;\n        this.logger_(`adding cues from ${startTime} -> ${endTime} for ${trackName}`);\n        createCaptionsTrackIfNotExists(inbandTextTracks, this.vhs_.tech_, trackName); // clear out any cues that start and end at the same time period for the same track.\n        // We do this because a rendition change that also changes the timescale for captions\n        // will result in captions being re-parsed for certain segments. If we add them again\n        // without clearing we will have two of the same captions visible.\n\n        removeCuesFromTrack(startTime, endTime, inbandTextTracks[trackName]);\n        addCaptionData({\n          captionArray: captions,\n          inbandTextTracks,\n          timestampOffset\n        });\n      }); // Reset stored captions since we added parsed\n      // captions to a text track at this point\n\n      if (this.transmuxer_) {\n        this.transmuxer_.postMessage({\n          action: 'clearParsedMp4Captions'\n        });\n      }\n    }\n    handleId3_(simpleSegment, id3Frames, dispatchType) {\n      this.earlyAbortWhenNeeded_(simpleSegment.stats);\n      if (this.checkForAbort_(simpleSegment.requestId)) {\n        return;\n      }\n      const segmentInfo = this.pendingSegment_; // we need to have appended data in order for the timestamp offset to be set\n\n      if (!segmentInfo.hasAppendedData_) {\n        this.metadataQueue_.id3.push(this.handleId3_.bind(this, simpleSegment, id3Frames, dispatchType));\n        return;\n      }\n      this.addMetadataToTextTrack(dispatchType, id3Frames, this.duration_());\n    }\n    processMetadataQueue_() {\n      this.metadataQueue_.id3.forEach(fn => fn());\n      this.metadataQueue_.caption.forEach(fn => fn());\n      this.metadataQueue_.id3 = [];\n      this.metadataQueue_.caption = [];\n    }\n    processCallQueue_() {\n      const callQueue = this.callQueue_; // Clear out the queue before the queued functions are run, since some of the\n      // functions may check the length of the load queue and default to pushing themselves\n      // back onto the queue.\n\n      this.callQueue_ = [];\n      callQueue.forEach(fun => fun());\n    }\n    processLoadQueue_() {\n      const loadQueue = this.loadQueue_; // Clear out the queue before the queued functions are run, since some of the\n      // functions may check the length of the load queue and default to pushing themselves\n      // back onto the queue.\n\n      this.loadQueue_ = [];\n      loadQueue.forEach(fun => fun());\n    }\n    /**\n     * Determines whether the loader has enough info to load the next segment.\n     *\n     * @return {boolean}\n     *         Whether or not the loader has enough info to load the next segment\n     */\n\n    hasEnoughInfoToLoad_() {\n      // Since primary timing goes by video, only the audio loader potentially needs to wait\n      // to load.\n      if (this.loaderType_ !== 'audio') {\n        return true;\n      }\n      const segmentInfo = this.pendingSegment_; // A fill buffer must have already run to establish a pending segment before there's\n      // enough info to load.\n\n      if (!segmentInfo) {\n        return false;\n      } // The first segment can and should be loaded immediately so that source buffers are\n      // created together (before appending). Source buffer creation uses the presence of\n      // audio and video data to determine whether to create audio/video source buffers, and\n      // uses processed (transmuxed or parsed) media to determine the types required.\n\n      if (!this.getCurrentMediaInfo_()) {\n        return true;\n      }\n      if (\n      // Technically, instead of waiting to load a segment on timeline changes, a segment\n      // can be requested and downloaded and only wait before it is transmuxed or parsed.\n      // But in practice, there are a few reasons why it is better to wait until a loader\n      // is ready to append that segment before requesting and downloading:\n      //\n      // 1. Because audio and main loaders cross discontinuities together, if this loader\n      //    is waiting for the other to catch up, then instead of requesting another\n      //    segment and using up more bandwidth, by not yet loading, more bandwidth is\n      //    allotted to the loader currently behind.\n      // 2. media-segment-request doesn't have to have logic to consider whether a segment\n      // is ready to be processed or not, isolating the queueing behavior to the loader.\n      // 3. The audio loader bases some of its segment properties on timing information\n      //    provided by the main loader, meaning that, if the logic for waiting on\n      //    processing was in media-segment-request, then it would also need to know how\n      //    to re-generate the segment information after the main loader caught up.\n      shouldWaitForTimelineChange({\n        timelineChangeController: this.timelineChangeController_,\n        currentTimeline: this.currentTimeline_,\n        segmentTimeline: segmentInfo.timeline,\n        loaderType: this.loaderType_,\n        audioDisabled: this.audioDisabled_\n      })) {\n        return false;\n      }\n      return true;\n    }\n    getCurrentMediaInfo_(segmentInfo = this.pendingSegment_) {\n      return segmentInfo && segmentInfo.trackInfo || this.currentMediaInfo_;\n    }\n    getMediaInfo_(segmentInfo = this.pendingSegment_) {\n      return this.getCurrentMediaInfo_(segmentInfo) || this.startingMediaInfo_;\n    }\n    getPendingSegmentPlaylist() {\n      return this.pendingSegment_ ? this.pendingSegment_.playlist : null;\n    }\n    hasEnoughInfoToAppend_() {\n      if (!this.sourceUpdater_.ready()) {\n        return false;\n      } // If content needs to be removed or the loader is waiting on an append reattempt,\n      // then no additional content should be appended until the prior append is resolved.\n\n      if (this.waitingOnRemove_ || this.quotaExceededErrorRetryTimeout_) {\n        return false;\n      }\n      const segmentInfo = this.pendingSegment_;\n      const trackInfo = this.getCurrentMediaInfo_(); // no segment to append any data for or\n      // we do not have information on this specific\n      // segment yet\n\n      if (!segmentInfo || !trackInfo) {\n        return false;\n      }\n      const {\n        hasAudio,\n        hasVideo,\n        isMuxed\n      } = trackInfo;\n      if (hasVideo && !segmentInfo.videoTimingInfo) {\n        return false;\n      } // muxed content only relies on video timing information for now.\n\n      if (hasAudio && !this.audioDisabled_ && !isMuxed && !segmentInfo.audioTimingInfo) {\n        return false;\n      } // we need to allow an append here even if we're moving to different timelines.\n\n      if (shouldWaitForTimelineChange({\n        timelineChangeController: this.timelineChangeController_,\n        currentTimeline: this.currentTimeline_,\n        segmentTimeline: segmentInfo.timeline,\n        loaderType: this.loaderType_,\n        audioDisabled: this.audioDisabled_\n      })) {\n        return false;\n      }\n      return true;\n    }\n    handleData_(simpleSegment, result) {\n      this.earlyAbortWhenNeeded_(simpleSegment.stats);\n      if (this.checkForAbort_(simpleSegment.requestId)) {\n        return;\n      } // If there's anything in the call queue, then this data came later and should be\n      // executed after the calls currently queued.\n\n      if (this.callQueue_.length || !this.hasEnoughInfoToAppend_()) {\n        checkAndFixTimelines(this);\n        this.callQueue_.push(this.handleData_.bind(this, simpleSegment, result));\n        return;\n      }\n      const segmentInfo = this.pendingSegment_; // update the time mapping so we can translate from display time to media time\n\n      this.setTimeMapping_(segmentInfo.timeline); // for tracking overall stats\n\n      this.updateMediaSecondsLoaded_(segmentInfo.part || segmentInfo.segment); // Note that the state isn't changed from loading to appending. This is because abort\n      // logic may change behavior depending on the state, and changing state too early may\n      // inflate our estimates of bandwidth. In the future this should be re-examined to\n      // note more granular states.\n      // don't process and append data if the mediaSource is closed\n\n      if (this.mediaSource_.readyState === 'closed') {\n        return;\n      } // if this request included an initialization segment, save that data\n      // to the initSegment cache\n\n      if (simpleSegment.map) {\n        simpleSegment.map = this.initSegmentForMap(simpleSegment.map, true); // move over init segment properties to media request\n\n        segmentInfo.segment.map = simpleSegment.map;\n      } // if this request included a segment key, save that data in the cache\n\n      if (simpleSegment.key) {\n        this.segmentKey(simpleSegment.key, true);\n      }\n      segmentInfo.isFmp4 = simpleSegment.isFmp4;\n      segmentInfo.timingInfo = segmentInfo.timingInfo || {};\n      if (segmentInfo.isFmp4) {\n        this.trigger('fmp4');\n        segmentInfo.timingInfo.start = segmentInfo[timingInfoPropertyForMedia(result.type)].start;\n      } else {\n        const trackInfo = this.getCurrentMediaInfo_();\n        const useVideoTimingInfo = this.loaderType_ === 'main' && trackInfo && trackInfo.hasVideo;\n        let firstVideoFrameTimeForData;\n        if (useVideoTimingInfo) {\n          firstVideoFrameTimeForData = segmentInfo.videoTimingInfo.start;\n        } // Segment loader knows more about segment timing than the transmuxer (in certain\n        // aspects), so make any changes required for a more accurate start time.\n        // Don't set the end time yet, as the segment may not be finished processing.\n\n        segmentInfo.timingInfo.start = this.trueSegmentStart_({\n          currentStart: segmentInfo.timingInfo.start,\n          playlist: segmentInfo.playlist,\n          mediaIndex: segmentInfo.mediaIndex,\n          currentVideoTimestampOffset: this.sourceUpdater_.videoTimestampOffset(),\n          useVideoTimingInfo,\n          firstVideoFrameTimeForData,\n          videoTimingInfo: segmentInfo.videoTimingInfo,\n          audioTimingInfo: segmentInfo.audioTimingInfo\n        });\n      } // Init segments for audio and video only need to be appended in certain cases. Now\n      // that data is about to be appended, we can check the final cases to determine\n      // whether we should append an init segment.\n\n      this.updateAppendInitSegmentStatus(segmentInfo, result.type); // Timestamp offset should be updated once we get new data and have its timing info,\n      // as we use the start of the segment to offset the best guess (playlist provided)\n      // timestamp offset.\n\n      this.updateSourceBufferTimestampOffset_(segmentInfo); // if this is a sync request we need to determine whether it should\n      // be appended or not.\n\n      if (segmentInfo.isSyncRequest) {\n        // first save/update our timing info for this segment.\n        // this is what allows us to choose an accurate segment\n        // and the main reason we make a sync request.\n        this.updateTimingInfoEnd_(segmentInfo);\n        this.syncController_.saveSegmentTimingInfo({\n          segmentInfo,\n          shouldSaveTimelineMapping: this.loaderType_ === 'main'\n        });\n        const next = this.chooseNextRequest_(); // If the sync request isn't the segment that would be requested next\n        // after taking into account its timing info, do not append it.\n\n        if (next.mediaIndex !== segmentInfo.mediaIndex || next.partIndex !== segmentInfo.partIndex) {\n          this.logger_('sync segment was incorrect, not appending');\n          return;\n        } // otherwise append it like any other segment as our guess was correct.\n\n        this.logger_('sync segment was correct, appending');\n      } // Save some state so that in the future anything waiting on first append (and/or\n      // timestamp offset(s)) can process immediately. While the extra state isn't optimal,\n      // we need some notion of whether the timestamp offset or other relevant information\n      // has had a chance to be set.\n\n      segmentInfo.hasAppendedData_ = true; // Now that the timestamp offset should be set, we can append any waiting ID3 tags.\n\n      this.processMetadataQueue_();\n      this.appendData_(segmentInfo, result);\n    }\n    updateAppendInitSegmentStatus(segmentInfo, type) {\n      // alt audio doesn't manage timestamp offset\n      if (this.loaderType_ === 'main' && typeof segmentInfo.timestampOffset === 'number' &&\n      // in the case that we're handling partial data, we don't want to append an init\n      // segment for each chunk\n      !segmentInfo.changedTimestampOffset) {\n        // if the timestamp offset changed, the timeline may have changed, so we have to re-\n        // append init segments\n        this.appendInitSegment_ = {\n          audio: true,\n          video: true\n        };\n      }\n      if (this.playlistOfLastInitSegment_[type] !== segmentInfo.playlist) {\n        // make sure we append init segment on playlist changes, in case the media config\n        // changed\n        this.appendInitSegment_[type] = true;\n      }\n    }\n    getInitSegmentAndUpdateState_({\n      type,\n      initSegment,\n      map,\n      playlist\n    }) {\n      // \"The EXT-X-MAP tag specifies how to obtain the Media Initialization Section\n      // (Section 3) required to parse the applicable Media Segments.  It applies to every\n      // Media Segment that appears after it in the Playlist until the next EXT-X-MAP tag\n      // or until the end of the playlist.\"\n      // https://tools.ietf.org/html/draft-pantos-http-live-streaming-23#section-4.3.2.5\n      if (map) {\n        const id = initSegmentId(map);\n        if (this.activeInitSegmentId_ === id) {\n          // don't need to re-append the init segment if the ID matches\n          return null;\n        } // a map-specified init segment takes priority over any transmuxed (or otherwise\n        // obtained) init segment\n        //\n        // this also caches the init segment for later use\n\n        initSegment = this.initSegmentForMap(map, true).bytes;\n        this.activeInitSegmentId_ = id;\n      } // We used to always prepend init segments for video, however, that shouldn't be\n      // necessary. Instead, we should only append on changes, similar to what we've always\n      // done for audio. This is more important (though may not be that important) for\n      // frame-by-frame appending for LHLS, simply because of the increased quantity of\n      // appends.\n\n      if (initSegment && this.appendInitSegment_[type]) {\n        // Make sure we track the playlist that we last used for the init segment, so that\n        // we can re-append the init segment in the event that we get data from a new\n        // playlist. Discontinuities and track changes are handled in other sections.\n        this.playlistOfLastInitSegment_[type] = playlist; // Disable future init segment appends for this type. Until a change is necessary.\n\n        this.appendInitSegment_[type] = false; // we need to clear out the fmp4 active init segment id, since\n        // we are appending the muxer init segment\n\n        this.activeInitSegmentId_ = null;\n        return initSegment;\n      }\n      return null;\n    }\n    handleQuotaExceededError_({\n      segmentInfo,\n      type,\n      bytes\n    }, error) {\n      const audioBuffered = this.sourceUpdater_.audioBuffered();\n      const videoBuffered = this.sourceUpdater_.videoBuffered(); // For now we're ignoring any notion of gaps in the buffer, but they, in theory,\n      // should be cleared out during the buffer removals. However, log in case it helps\n      // debug.\n\n      if (audioBuffered.length > 1) {\n        this.logger_('On QUOTA_EXCEEDED_ERR, found gaps in the audio buffer: ' + timeRangesToArray(audioBuffered).join(', '));\n      }\n      if (videoBuffered.length > 1) {\n        this.logger_('On QUOTA_EXCEEDED_ERR, found gaps in the video buffer: ' + timeRangesToArray(videoBuffered).join(', '));\n      }\n      const audioBufferStart = audioBuffered.length ? audioBuffered.start(0) : 0;\n      const audioBufferEnd = audioBuffered.length ? audioBuffered.end(audioBuffered.length - 1) : 0;\n      const videoBufferStart = videoBuffered.length ? videoBuffered.start(0) : 0;\n      const videoBufferEnd = videoBuffered.length ? videoBuffered.end(videoBuffered.length - 1) : 0;\n      if (audioBufferEnd - audioBufferStart <= MIN_BACK_BUFFER && videoBufferEnd - videoBufferStart <= MIN_BACK_BUFFER) {\n        // Can't remove enough buffer to make room for new segment (or the browser doesn't\n        // allow for appends of segments this size). In the future, it may be possible to\n        // split up the segment and append in pieces, but for now, error out this playlist\n        // in an attempt to switch to a more manageable rendition.\n        this.logger_('On QUOTA_EXCEEDED_ERR, single segment too large to append to ' + 'buffer, triggering an error. ' + `Appended byte length: ${bytes.byteLength}, ` + `audio buffer: ${timeRangesToArray(audioBuffered).join(', ')}, ` + `video buffer: ${timeRangesToArray(videoBuffered).join(', ')}, `);\n        this.error({\n          message: 'Quota exceeded error with append of a single segment of content',\n          excludeUntil: Infinity\n        });\n        this.trigger('error');\n        return;\n      } // To try to resolve the quota exceeded error, clear back buffer and retry. This means\n      // that the segment-loader should block on future events until this one is handled, so\n      // that it doesn't keep moving onto further segments. Adding the call to the call\n      // queue will prevent further appends until waitingOnRemove_ and\n      // quotaExceededErrorRetryTimeout_ are cleared.\n      //\n      // Note that this will only block the current loader. In the case of demuxed content,\n      // the other load may keep filling as fast as possible. In practice, this should be\n      // OK, as it is a rare case when either audio has a high enough bitrate to fill up a\n      // source buffer, or video fills without enough room for audio to append (and without\n      // the availability of clearing out seconds of back buffer to make room for audio).\n      // But it might still be good to handle this case in the future as a TODO.\n\n      this.waitingOnRemove_ = true;\n      this.callQueue_.push(this.appendToSourceBuffer_.bind(this, {\n        segmentInfo,\n        type,\n        bytes\n      }));\n      const currentTime = this.currentTime_(); // Try to remove as much audio and video as possible to make room for new content\n      // before retrying.\n\n      const timeToRemoveUntil = currentTime - MIN_BACK_BUFFER;\n      this.logger_(`On QUOTA_EXCEEDED_ERR, removing audio/video from 0 to ${timeToRemoveUntil}`);\n      this.remove(0, timeToRemoveUntil, () => {\n        this.logger_(`On QUOTA_EXCEEDED_ERR, retrying append in ${MIN_BACK_BUFFER}s`);\n        this.waitingOnRemove_ = false; // wait the length of time alotted in the back buffer to prevent wasted\n        // attempts (since we can't clear less than the minimum)\n\n        this.quotaExceededErrorRetryTimeout_ = window.setTimeout(() => {\n          this.logger_('On QUOTA_EXCEEDED_ERR, re-processing call queue');\n          this.quotaExceededErrorRetryTimeout_ = null;\n          this.processCallQueue_();\n        }, MIN_BACK_BUFFER * 1000);\n      }, true);\n    }\n    handleAppendError_({\n      segmentInfo,\n      type,\n      bytes\n    }, error) {\n      // if there's no error, nothing to do\n      if (!error) {\n        return;\n      }\n      if (error.code === QUOTA_EXCEEDED_ERR) {\n        this.handleQuotaExceededError_({\n          segmentInfo,\n          type,\n          bytes\n        }); // A quota exceeded error should be recoverable with a future re-append, so no need\n        // to trigger an append error.\n\n        return;\n      }\n      this.logger_('Received non QUOTA_EXCEEDED_ERR on append', error); // If an append errors, we often can't recover.\n      // (see https://w3c.github.io/media-source/#sourcebuffer-append-error).\n      //\n      // Trigger a special error so that it can be handled separately from normal,\n      // recoverable errors.\n\n      this.error({\n        message: `${type} append of ${bytes.length}b failed for segment ` + `#${segmentInfo.mediaIndex} in playlist ${segmentInfo.playlist.id}`,\n        metadata: {\n          errorType: videojs.Error.StreamingFailedToAppendSegment\n        }\n      });\n      this.trigger('appenderror');\n    }\n    appendToSourceBuffer_({\n      segmentInfo,\n      type,\n      initSegment,\n      data,\n      bytes\n    }) {\n      // If this is a re-append, bytes were already created and don't need to be recreated\n      if (!bytes) {\n        const segments = [data];\n        let byteLength = data.byteLength;\n        if (initSegment) {\n          // if the media initialization segment is changing, append it before the content\n          // segment\n          segments.unshift(initSegment);\n          byteLength += initSegment.byteLength;\n        } // Technically we should be OK appending the init segment separately, however, we\n        // haven't yet tested that, and prepending is how we have always done things.\n\n        bytes = concatSegments({\n          bytes: byteLength,\n          segments\n        });\n      }\n      const metadata = {\n        segmentInfo: segmentInfoPayload({\n          type: this.loaderType_,\n          segment: segmentInfo\n        })\n      };\n      this.trigger({\n        type: 'segmentappendstart',\n        metadata\n      });\n      this.sourceUpdater_.appendBuffer({\n        segmentInfo,\n        type,\n        bytes\n      }, this.handleAppendError_.bind(this, {\n        segmentInfo,\n        type,\n        bytes\n      }));\n    }\n    handleSegmentTimingInfo_(type, requestId, segmentTimingInfo) {\n      if (!this.pendingSegment_ || requestId !== this.pendingSegment_.requestId) {\n        return;\n      }\n      const segment = this.pendingSegment_.segment;\n      const timingInfoProperty = `${type}TimingInfo`;\n      if (!segment[timingInfoProperty]) {\n        segment[timingInfoProperty] = {};\n      }\n      segment[timingInfoProperty].transmuxerPrependedSeconds = segmentTimingInfo.prependedContentDuration || 0;\n      segment[timingInfoProperty].transmuxedPresentationStart = segmentTimingInfo.start.presentation;\n      segment[timingInfoProperty].transmuxedDecodeStart = segmentTimingInfo.start.decode;\n      segment[timingInfoProperty].transmuxedPresentationEnd = segmentTimingInfo.end.presentation;\n      segment[timingInfoProperty].transmuxedDecodeEnd = segmentTimingInfo.end.decode; // mainly used as a reference for debugging\n\n      segment[timingInfoProperty].baseMediaDecodeTime = segmentTimingInfo.baseMediaDecodeTime;\n    }\n    appendData_(segmentInfo, result) {\n      const {\n        type,\n        data\n      } = result;\n      if (!data || !data.byteLength) {\n        return;\n      }\n      if (type === 'audio' && this.audioDisabled_) {\n        return;\n      }\n      const initSegment = this.getInitSegmentAndUpdateState_({\n        type,\n        initSegment: result.initSegment,\n        playlist: segmentInfo.playlist,\n        map: segmentInfo.isFmp4 ? segmentInfo.segment.map : null\n      });\n      this.appendToSourceBuffer_({\n        segmentInfo,\n        type,\n        initSegment,\n        data\n      });\n    }\n    /**\n     * load a specific segment from a request into the buffer\n     *\n     * @private\n     */\n\n    loadSegment_(segmentInfo) {\n      this.state = 'WAITING';\n      this.pendingSegment_ = segmentInfo;\n      this.trimBackBuffer_(segmentInfo);\n      if (typeof segmentInfo.timestampOffset === 'number') {\n        if (this.transmuxer_) {\n          this.transmuxer_.postMessage({\n            action: 'clearAllMp4Captions'\n          });\n        }\n      }\n      if (!this.hasEnoughInfoToLoad_()) {\n        checkAndFixTimelines(this);\n        this.loadQueue_.push(() => {\n          // regenerate the audioAppendStart, timestampOffset, etc as they\n          // may have changed since this function was added to the queue.\n          const options = _extends$1({}, segmentInfo, {\n            forceTimestampOffset: true\n          });\n          _extends$1(segmentInfo, this.generateSegmentInfo_(options));\n          this.isPendingTimestampOffset_ = false;\n          this.updateTransmuxerAndRequestSegment_(segmentInfo);\n        });\n        return;\n      }\n      this.updateTransmuxerAndRequestSegment_(segmentInfo);\n    }\n    updateTransmuxerAndRequestSegment_(segmentInfo) {\n      // We'll update the source buffer's timestamp offset once we have transmuxed data, but\n      // the transmuxer still needs to be updated before then.\n      //\n      // Even though keepOriginalTimestamps is set to true for the transmuxer, timestamp\n      // offset must be passed to the transmuxer for stream correcting adjustments.\n      if (this.shouldUpdateTransmuxerTimestampOffset_(segmentInfo.timestampOffset)) {\n        this.gopBuffer_.length = 0; // gopsToAlignWith was set before the GOP buffer was cleared\n\n        segmentInfo.gopsToAlignWith = [];\n        this.timeMapping_ = 0; // reset values in the transmuxer since a discontinuity should start fresh\n\n        this.transmuxer_.postMessage({\n          action: 'reset'\n        });\n        this.transmuxer_.postMessage({\n          action: 'setTimestampOffset',\n          timestampOffset: segmentInfo.timestampOffset\n        });\n      }\n      const simpleSegment = this.createSimplifiedSegmentObj_(segmentInfo);\n      const isEndOfStream = this.isEndOfStream_(segmentInfo.mediaIndex, segmentInfo.playlist, segmentInfo.partIndex);\n      const isWalkingForward = this.mediaIndex !== null;\n      const isDiscontinuity = segmentInfo.timeline !== this.currentTimeline_ &&\n      // currentTimeline starts at -1, so we shouldn't end the timeline switching to 0,\n      // the first timeline\n      segmentInfo.timeline > 0;\n      const isEndOfTimeline = isEndOfStream || isWalkingForward && isDiscontinuity;\n      this.logger_(`Requesting\n${compactSegmentUrlDescription(segmentInfo.uri)}\n${segmentInfoString(segmentInfo)}`); // If there's an init segment associated with this segment, but it is not cached (identified by a lack of bytes),\n      // then this init segment has never been seen before and should be appended.\n      //\n      // At this point the content type (audio/video or both) is not yet known, but it should be safe to set\n      // both to true and leave the decision of whether to append the init segment to append time.\n\n      if (simpleSegment.map && !simpleSegment.map.bytes) {\n        this.logger_('going to request init segment.');\n        this.appendInitSegment_ = {\n          video: true,\n          audio: true\n        };\n      }\n      segmentInfo.abortRequests = mediaSegmentRequest({\n        xhr: this.vhs_.xhr,\n        xhrOptions: this.xhrOptions_,\n        decryptionWorker: this.decrypter_,\n        segment: simpleSegment,\n        abortFn: this.handleAbort_.bind(this, segmentInfo),\n        progressFn: this.handleProgress_.bind(this),\n        trackInfoFn: this.handleTrackInfo_.bind(this),\n        timingInfoFn: this.handleTimingInfo_.bind(this),\n        videoSegmentTimingInfoFn: this.handleSegmentTimingInfo_.bind(this, 'video', segmentInfo.requestId),\n        audioSegmentTimingInfoFn: this.handleSegmentTimingInfo_.bind(this, 'audio', segmentInfo.requestId),\n        captionsFn: this.handleCaptions_.bind(this),\n        isEndOfTimeline,\n        endedTimelineFn: () => {\n          this.logger_('received endedtimeline callback');\n        },\n        id3Fn: this.handleId3_.bind(this),\n        dataFn: this.handleData_.bind(this),\n        doneFn: this.segmentRequestFinished_.bind(this),\n        onTransmuxerLog: ({\n          message,\n          level,\n          stream\n        }) => {\n          this.logger_(`${segmentInfoString(segmentInfo)} logged from transmuxer stream ${stream} as a ${level}: ${message}`);\n        },\n        triggerSegmentEventFn: ({\n          type,\n          segment,\n          keyInfo,\n          trackInfo,\n          timingInfo\n        }) => {\n          const segInfo = segmentInfoPayload({\n            segment\n          });\n          const metadata = {\n            segmentInfo: segInfo\n          }; // add other properties if necessary.\n\n          if (keyInfo) {\n            metadata.keyInfo = keyInfo;\n          }\n          if (trackInfo) {\n            metadata.trackInfo = trackInfo;\n          }\n          if (timingInfo) {\n            metadata.timingInfo = timingInfo;\n          }\n          this.trigger({\n            type,\n            metadata\n          });\n        }\n      });\n    }\n    /**\n     * trim the back buffer so that we don't have too much data\n     * in the source buffer\n     *\n     * @private\n     *\n     * @param {Object} segmentInfo - the current segment\n     */\n\n    trimBackBuffer_(segmentInfo) {\n      const removeToTime = safeBackBufferTrimTime(this.seekable_(), this.currentTime_(), this.playlist_.targetDuration || 10); // Chrome has a hard limit of 150MB of\n      // buffer and a very conservative \"garbage collector\"\n      // We manually clear out the old buffer to ensure\n      // we don't trigger the QuotaExceeded error\n      // on the source buffer during subsequent appends\n\n      if (removeToTime > 0) {\n        this.remove(0, removeToTime);\n      }\n    }\n    /**\n     * created a simplified copy of the segment object with just the\n     * information necessary to perform the XHR and decryption\n     *\n     * @private\n     *\n     * @param {Object} segmentInfo - the current segment\n     * @return {Object} a simplified segment object copy\n     */\n\n    createSimplifiedSegmentObj_(segmentInfo) {\n      const segment = segmentInfo.segment;\n      const part = segmentInfo.part;\n      const isEncrypted = segmentInfo.segment.key || segmentInfo.segment.map && segmentInfo.segment.map.key;\n      const isMediaInitialization = segmentInfo.segment.map && !segmentInfo.segment.map.bytes;\n      const simpleSegment = {\n        resolvedUri: part ? part.resolvedUri : segment.resolvedUri,\n        byterange: part ? part.byterange : segment.byterange,\n        requestId: segmentInfo.requestId,\n        transmuxer: segmentInfo.transmuxer,\n        audioAppendStart: segmentInfo.audioAppendStart,\n        gopsToAlignWith: segmentInfo.gopsToAlignWith,\n        part: segmentInfo.part,\n        type: this.loaderType_,\n        start: segmentInfo.startOfSegment,\n        duration: segmentInfo.duration,\n        isEncrypted,\n        isMediaInitialization\n      };\n      const previousSegment = segmentInfo.playlist.segments[segmentInfo.mediaIndex - 1];\n      if (previousSegment && previousSegment.timeline === segment.timeline) {\n        // The baseStartTime of a segment is used to handle rollover when probing the TS\n        // segment to retrieve timing information. Since the probe only looks at the media's\n        // times (e.g., PTS and DTS values of the segment), and doesn't consider the\n        // player's time (e.g., player.currentTime()), baseStartTime should reflect the\n        // media time as well. transmuxedDecodeEnd represents the end time of a segment, in\n        // seconds of media time, so should be used here. The previous segment is used since\n        // the end of the previous segment should represent the beginning of the current\n        // segment, so long as they are on the same timeline.\n        if (previousSegment.videoTimingInfo) {\n          simpleSegment.baseStartTime = previousSegment.videoTimingInfo.transmuxedDecodeEnd;\n        } else if (previousSegment.audioTimingInfo) {\n          simpleSegment.baseStartTime = previousSegment.audioTimingInfo.transmuxedDecodeEnd;\n        }\n      }\n      if (segment.key) {\n        // if the media sequence is greater than 2^32, the IV will be incorrect\n        // assuming 10s segments, that would be about 1300 years\n        const iv = segment.key.iv || new Uint32Array([0, 0, 0, segmentInfo.mediaIndex + segmentInfo.playlist.mediaSequence]);\n        simpleSegment.key = this.segmentKey(segment.key);\n        simpleSegment.key.iv = iv;\n      }\n      if (segment.map) {\n        simpleSegment.map = this.initSegmentForMap(segment.map);\n      }\n      return simpleSegment;\n    }\n    saveTransferStats_(stats) {\n      // every request counts as a media request even if it has been aborted\n      // or canceled due to a timeout\n      this.mediaRequests += 1;\n      if (stats) {\n        this.mediaBytesTransferred += stats.bytesReceived;\n        this.mediaTransferDuration += stats.roundTripTime;\n      }\n    }\n    saveBandwidthRelatedStats_(duration, stats) {\n      // byteLength will be used for throughput, and should be based on bytes receieved,\n      // which we only know at the end of the request and should reflect total bytes\n      // downloaded rather than just bytes processed from components of the segment\n      this.pendingSegment_.byteLength = stats.bytesReceived;\n      if (duration < MIN_SEGMENT_DURATION_TO_SAVE_STATS) {\n        this.logger_(`Ignoring segment's bandwidth because its duration of ${duration}` + ` is less than the min to record ${MIN_SEGMENT_DURATION_TO_SAVE_STATS}`);\n        return;\n      }\n      const metadata = {\n        bandwidthInfo: {\n          from: this.bandwidth,\n          to: stats.bandwidth\n        }\n      }; // player event with payload\n\n      this.trigger({\n        type: 'bandwidthupdated',\n        metadata\n      });\n      this.bandwidth = stats.bandwidth;\n      this.roundTrip = stats.roundTripTime;\n    }\n    handleTimeout_() {\n      // although the VTT segment loader bandwidth isn't really used, it's good to\n      // maintain functinality between segment loaders\n      this.mediaRequestsTimedout += 1;\n      this.bandwidth = 1;\n      this.roundTrip = NaN;\n      this.trigger('bandwidthupdate');\n      this.trigger('timeout');\n    }\n    /**\n     * Handle the callback from the segmentRequest function and set the\n     * associated SegmentLoader state and errors if necessary\n     *\n     * @private\n     */\n\n    segmentRequestFinished_(error, simpleSegment, result) {\n      // TODO handle special cases, e.g., muxed audio/video but only audio in the segment\n      // check the call queue directly since this function doesn't need to deal with any\n      // data, and can continue even if the source buffers are not set up and we didn't get\n      // any data from the segment\n      if (this.callQueue_.length) {\n        this.callQueue_.push(this.segmentRequestFinished_.bind(this, error, simpleSegment, result));\n        return;\n      }\n      this.saveTransferStats_(simpleSegment.stats); // The request was aborted and the SegmentLoader has already been reset\n\n      if (!this.pendingSegment_) {\n        return;\n      } // the request was aborted and the SegmentLoader has already started\n      // another request. this can happen when the timeout for an aborted\n      // request triggers due to a limitation in the XHR library\n      // do not count this as any sort of request or we risk double-counting\n\n      if (simpleSegment.requestId !== this.pendingSegment_.requestId) {\n        return;\n      } // an error occurred from the active pendingSegment_ so reset everything\n\n      if (error) {\n        this.pendingSegment_ = null;\n        this.state = 'READY'; // aborts are not a true error condition and nothing corrective needs to be done\n\n        if (error.code === REQUEST_ERRORS.ABORTED) {\n          return;\n        }\n        this.pause(); // the error is really just that at least one of the requests timed-out\n        // set the bandwidth to a very low value and trigger an ABR switch to\n        // take emergency action\n\n        if (error.code === REQUEST_ERRORS.TIMEOUT) {\n          this.handleTimeout_();\n          return;\n        } // if control-flow has arrived here, then the error is real\n        // emit an error event to exclude the current playlist\n\n        this.mediaRequestsErrored += 1;\n        this.error(error);\n        this.trigger('error');\n        return;\n      }\n      const segmentInfo = this.pendingSegment_; // the response was a success so set any bandwidth stats the request\n      // generated for ABR purposes\n\n      this.saveBandwidthRelatedStats_(segmentInfo.duration, simpleSegment.stats);\n      segmentInfo.endOfAllRequests = simpleSegment.endOfAllRequests;\n      if (result.gopInfo) {\n        this.gopBuffer_ = updateGopBuffer(this.gopBuffer_, result.gopInfo, this.safeAppend_);\n      } // Although we may have already started appending on progress, we shouldn't switch the\n      // state away from loading until we are officially done loading the segment data.\n\n      this.state = 'APPENDING'; // used for testing\n\n      this.trigger('appending');\n      this.waitForAppendsToComplete_(segmentInfo);\n    }\n    setTimeMapping_(timeline) {\n      const timelineMapping = this.syncController_.mappingForTimeline(timeline);\n      if (timelineMapping !== null) {\n        this.timeMapping_ = timelineMapping;\n      }\n    }\n    updateMediaSecondsLoaded_(segment) {\n      if (typeof segment.start === 'number' && typeof segment.end === 'number') {\n        this.mediaSecondsLoaded += segment.end - segment.start;\n      } else {\n        this.mediaSecondsLoaded += segment.duration;\n      }\n    }\n    shouldUpdateTransmuxerTimestampOffset_(timestampOffset) {\n      if (timestampOffset === null) {\n        return false;\n      } // note that we're potentially using the same timestamp offset for both video and\n      // audio\n\n      if (this.loaderType_ === 'main' && timestampOffset !== this.sourceUpdater_.videoTimestampOffset()) {\n        return true;\n      }\n      if (!this.audioDisabled_ && timestampOffset !== this.sourceUpdater_.audioTimestampOffset()) {\n        return true;\n      }\n      return false;\n    }\n    trueSegmentStart_({\n      currentStart,\n      playlist,\n      mediaIndex,\n      firstVideoFrameTimeForData,\n      currentVideoTimestampOffset,\n      useVideoTimingInfo,\n      videoTimingInfo,\n      audioTimingInfo\n    }) {\n      if (typeof currentStart !== 'undefined') {\n        // if start was set once, keep using it\n        return currentStart;\n      }\n      if (!useVideoTimingInfo) {\n        return audioTimingInfo.start;\n      }\n      const previousSegment = playlist.segments[mediaIndex - 1]; // The start of a segment should be the start of the first full frame contained\n      // within that segment. Since the transmuxer maintains a cache of incomplete data\n      // from and/or the last frame seen, the start time may reflect a frame that starts\n      // in the previous segment. Check for that case and ensure the start time is\n      // accurate for the segment.\n\n      if (mediaIndex === 0 || !previousSegment || typeof previousSegment.start === 'undefined' || previousSegment.end !== firstVideoFrameTimeForData + currentVideoTimestampOffset) {\n        return firstVideoFrameTimeForData;\n      }\n      return videoTimingInfo.start;\n    }\n    waitForAppendsToComplete_(segmentInfo) {\n      const trackInfo = this.getCurrentMediaInfo_(segmentInfo);\n      if (!trackInfo) {\n        this.error({\n          message: 'No starting media returned, likely due to an unsupported media format.',\n          playlistExclusionDuration: Infinity\n        });\n        this.trigger('error');\n        return;\n      } // Although transmuxing is done, appends may not yet be finished. Throw a marker\n      // on each queue this loader is responsible for to ensure that the appends are\n      // complete.\n\n      const {\n        hasAudio,\n        hasVideo,\n        isMuxed\n      } = trackInfo;\n      const waitForVideo = this.loaderType_ === 'main' && hasVideo;\n      const waitForAudio = !this.audioDisabled_ && hasAudio && !isMuxed;\n      segmentInfo.waitingOnAppends = 0; // segments with no data\n\n      if (!segmentInfo.hasAppendedData_) {\n        if (!segmentInfo.timingInfo && typeof segmentInfo.timestampOffset === 'number') {\n          // When there's no audio or video data in the segment, there's no audio or video\n          // timing information.\n          //\n          // If there's no audio or video timing information, then the timestamp offset\n          // can't be adjusted to the appropriate value for the transmuxer and source\n          // buffers.\n          //\n          // Therefore, the next segment should be used to set the timestamp offset.\n          this.isPendingTimestampOffset_ = true;\n        } // override settings for metadata only segments\n\n        segmentInfo.timingInfo = {\n          start: 0\n        };\n        segmentInfo.waitingOnAppends++;\n        if (!this.isPendingTimestampOffset_) {\n          // update the timestampoffset\n          this.updateSourceBufferTimestampOffset_(segmentInfo); // make sure the metadata queue is processed even though we have\n          // no video/audio data.\n\n          this.processMetadataQueue_();\n        } // append is \"done\" instantly with no data.\n\n        this.checkAppendsDone_(segmentInfo);\n        return;\n      } // Since source updater could call back synchronously, do the increments first.\n\n      if (waitForVideo) {\n        segmentInfo.waitingOnAppends++;\n      }\n      if (waitForAudio) {\n        segmentInfo.waitingOnAppends++;\n      }\n      if (waitForVideo) {\n        this.sourceUpdater_.videoQueueCallback(this.checkAppendsDone_.bind(this, segmentInfo));\n      }\n      if (waitForAudio) {\n        this.sourceUpdater_.audioQueueCallback(this.checkAppendsDone_.bind(this, segmentInfo));\n      }\n    }\n    checkAppendsDone_(segmentInfo) {\n      if (this.checkForAbort_(segmentInfo.requestId)) {\n        return;\n      }\n      segmentInfo.waitingOnAppends--;\n      if (segmentInfo.waitingOnAppends === 0) {\n        this.handleAppendsDone_();\n      }\n    }\n    checkForIllegalMediaSwitch(trackInfo) {\n      const illegalMediaSwitchError = illegalMediaSwitch(this.loaderType_, this.getCurrentMediaInfo_(), trackInfo);\n      if (illegalMediaSwitchError) {\n        this.error({\n          message: illegalMediaSwitchError,\n          playlistExclusionDuration: Infinity\n        });\n        this.trigger('error');\n        return true;\n      }\n      return false;\n    }\n    updateSourceBufferTimestampOffset_(segmentInfo) {\n      if (segmentInfo.timestampOffset === null ||\n      // we don't yet have the start for whatever media type (video or audio) has\n      // priority, timing-wise, so we must wait\n      typeof segmentInfo.timingInfo.start !== 'number' ||\n      // already updated the timestamp offset for this segment\n      segmentInfo.changedTimestampOffset ||\n      // the alt audio loader should not be responsible for setting the timestamp offset\n      this.loaderType_ !== 'main') {\n        return;\n      }\n      let didChange = false; // Primary timing goes by video, and audio is trimmed in the transmuxer, meaning that\n      // the timing info here comes from video. In the event that the audio is longer than\n      // the video, this will trim the start of the audio.\n      // This also trims any offset from 0 at the beginning of the media\n\n      segmentInfo.timestampOffset -= this.getSegmentStartTimeForTimestampOffsetCalculation_({\n        videoTimingInfo: segmentInfo.segment.videoTimingInfo,\n        audioTimingInfo: segmentInfo.segment.audioTimingInfo,\n        timingInfo: segmentInfo.timingInfo\n      }); // In the event that there are part segment downloads, each will try to update the\n      // timestamp offset. Retaining this bit of state prevents us from updating in the\n      // future (within the same segment), however, there may be a better way to handle it.\n\n      segmentInfo.changedTimestampOffset = true;\n      if (segmentInfo.timestampOffset !== this.sourceUpdater_.videoTimestampOffset()) {\n        this.sourceUpdater_.videoTimestampOffset(segmentInfo.timestampOffset);\n        didChange = true;\n      }\n      if (segmentInfo.timestampOffset !== this.sourceUpdater_.audioTimestampOffset()) {\n        this.sourceUpdater_.audioTimestampOffset(segmentInfo.timestampOffset);\n        didChange = true;\n      }\n      if (didChange) {\n        this.trigger('timestampoffset');\n      }\n    }\n    getSegmentStartTimeForTimestampOffsetCalculation_({\n      videoTimingInfo,\n      audioTimingInfo,\n      timingInfo\n    }) {\n      if (!this.useDtsForTimestampOffset_) {\n        return timingInfo.start;\n      }\n      if (videoTimingInfo && typeof videoTimingInfo.transmuxedDecodeStart === 'number') {\n        return videoTimingInfo.transmuxedDecodeStart;\n      } // handle audio only\n\n      if (audioTimingInfo && typeof audioTimingInfo.transmuxedDecodeStart === 'number') {\n        return audioTimingInfo.transmuxedDecodeStart;\n      } // handle content not transmuxed (e.g., MP4)\n\n      return timingInfo.start;\n    }\n    updateTimingInfoEnd_(segmentInfo) {\n      segmentInfo.timingInfo = segmentInfo.timingInfo || {};\n      const trackInfo = this.getMediaInfo_();\n      const useVideoTimingInfo = this.loaderType_ === 'main' && trackInfo && trackInfo.hasVideo;\n      const prioritizedTimingInfo = useVideoTimingInfo && segmentInfo.videoTimingInfo ? segmentInfo.videoTimingInfo : segmentInfo.audioTimingInfo;\n      if (!prioritizedTimingInfo) {\n        return;\n      }\n      segmentInfo.timingInfo.end = typeof prioritizedTimingInfo.end === 'number' ?\n      // End time may not exist in a case where we aren't parsing the full segment (one\n      // current example is the case of fmp4), so use the rough duration to calculate an\n      // end time.\n      prioritizedTimingInfo.end : prioritizedTimingInfo.start + segmentInfo.duration;\n    }\n    /**\n     * callback to run when appendBuffer is finished. detects if we are\n     * in a good state to do things with the data we got, or if we need\n     * to wait for more\n     *\n     * @private\n     */\n\n    handleAppendsDone_() {\n      // appendsdone can cause an abort\n      if (this.pendingSegment_) {\n        const metadata = {\n          segmentInfo: segmentInfoPayload({\n            type: this.loaderType_,\n            segment: this.pendingSegment_\n          })\n        };\n        this.trigger({\n          type: 'appendsdone',\n          metadata\n        });\n      }\n      if (!this.pendingSegment_) {\n        this.state = 'READY'; // TODO should this move into this.checkForAbort to speed up requests post abort in\n        // all appending cases?\n\n        if (!this.paused()) {\n          this.monitorBuffer_();\n        }\n        return;\n      }\n      const segmentInfo = this.pendingSegment_;\n      if (segmentInfo.part && segmentInfo.part.syncInfo) {\n        // low-latency flow\n        segmentInfo.part.syncInfo.markAppended();\n      } else if (segmentInfo.segment.syncInfo) {\n        // normal flow\n        segmentInfo.segment.syncInfo.markAppended();\n      } // Now that the end of the segment has been reached, we can set the end time. It's\n      // best to wait until all appends are done so we're sure that the primary media is\n      // finished (and we have its end time).\n\n      this.updateTimingInfoEnd_(segmentInfo);\n      if (this.shouldSaveSegmentTimingInfo_) {\n        // Timeline mappings should only be saved for the main loader. This is for multiple\n        // reasons:\n        //\n        // 1) Only one mapping is saved per timeline, meaning that if both the audio loader\n        //    and the main loader try to save the timeline mapping, whichever comes later\n        //    will overwrite the first. In theory this is OK, as the mappings should be the\n        //    same, however, it breaks for (2)\n        // 2) In the event of a live stream, the initial live point will make for a somewhat\n        //    arbitrary mapping. If audio and video streams are not perfectly in-sync, then\n        //    the mapping will be off for one of the streams, dependent on which one was\n        //    first saved (see (1)).\n        // 3) Primary timing goes by video in VHS, so the mapping should be video.\n        //\n        // Since the audio loader will wait for the main loader to load the first segment,\n        // the main loader will save the first timeline mapping, and ensure that there won't\n        // be a case where audio loads two segments without saving a mapping (thus leading\n        // to missing segment timing info).\n        this.syncController_.saveSegmentTimingInfo({\n          segmentInfo,\n          shouldSaveTimelineMapping: this.loaderType_ === 'main'\n        });\n      }\n      const segmentDurationMessage = getTroublesomeSegmentDurationMessage(segmentInfo, this.sourceType_);\n      if (segmentDurationMessage) {\n        if (segmentDurationMessage.severity === 'warn') {\n          videojs.log.warn(segmentDurationMessage.message);\n        } else {\n          this.logger_(segmentDurationMessage.message);\n        }\n      }\n      this.recordThroughput_(segmentInfo);\n      this.pendingSegment_ = null;\n      this.state = 'READY';\n      if (segmentInfo.isSyncRequest) {\n        this.trigger('syncinfoupdate'); // if the sync request was not appended\n        // then it was not the correct segment.\n        // throw it away and use the data it gave us\n        // to get the correct one.\n\n        if (!segmentInfo.hasAppendedData_) {\n          this.logger_(`Throwing away un-appended sync request ${segmentInfoString(segmentInfo)}`);\n          return;\n        }\n      }\n      this.logger_(`Appended ${segmentInfoString(segmentInfo)}`);\n      this.addSegmentMetadataCue_(segmentInfo);\n      this.fetchAtBuffer_ = true;\n      if (this.currentTimeline_ !== segmentInfo.timeline) {\n        this.timelineChangeController_.lastTimelineChange({\n          type: this.loaderType_,\n          from: this.currentTimeline_,\n          to: segmentInfo.timeline\n        }); // If audio is not disabled, the main segment loader is responsible for updating\n        // the audio timeline as well. If the content is video only, this won't have any\n        // impact.\n\n        if (this.loaderType_ === 'main' && !this.audioDisabled_) {\n          this.timelineChangeController_.lastTimelineChange({\n            type: 'audio',\n            from: this.currentTimeline_,\n            to: segmentInfo.timeline\n          });\n        }\n      }\n      this.currentTimeline_ = segmentInfo.timeline; // We must update the syncinfo to recalculate the seekable range before\n      // the following conditional otherwise it may consider this a bad \"guess\"\n      // and attempt to resync when the post-update seekable window and live\n      // point would mean that this was the perfect segment to fetch\n\n      this.trigger('syncinfoupdate');\n      const segment = segmentInfo.segment;\n      const part = segmentInfo.part;\n      const badSegmentGuess = segment.end && this.currentTime_() - segment.end > segmentInfo.playlist.targetDuration * 3;\n      const badPartGuess = part && part.end && this.currentTime_() - part.end > segmentInfo.playlist.partTargetDuration * 3; // If we previously appended a segment/part that ends more than 3 part/targetDurations before\n      // the currentTime_ that means that our conservative guess was too conservative.\n      // In that case, reset the loader state so that we try to use any information gained\n      // from the previous request to create a new, more accurate, sync-point.\n\n      if (badSegmentGuess || badPartGuess) {\n        this.logger_(`bad ${badSegmentGuess ? 'segment' : 'part'} ${segmentInfoString(segmentInfo)}`);\n        this.resetEverything();\n        return;\n      }\n      const isWalkingForward = this.mediaIndex !== null; // Don't do a rendition switch unless we have enough time to get a sync segment\n      // and conservatively guess\n\n      if (isWalkingForward) {\n        this.trigger('bandwidthupdate');\n      }\n      this.trigger('progress');\n      this.mediaIndex = segmentInfo.mediaIndex;\n      this.partIndex = segmentInfo.partIndex; // any time an update finishes and the last segment is in the\n      // buffer, end the stream. this ensures the \"ended\" event will\n      // fire if playback reaches that point.\n\n      if (this.isEndOfStream_(segmentInfo.mediaIndex, segmentInfo.playlist, segmentInfo.partIndex)) {\n        this.endOfStream();\n      } // used for testing\n\n      this.trigger('appended');\n      if (segmentInfo.hasAppendedData_) {\n        this.mediaAppends++;\n      }\n      if (!this.paused()) {\n        this.monitorBuffer_();\n      }\n    }\n    /**\n     * Records the current throughput of the decrypt, transmux, and append\n     * portion of the semgment pipeline. `throughput.rate` is a the cumulative\n     * moving average of the throughput. `throughput.count` is the number of\n     * data points in the average.\n     *\n     * @private\n     * @param {Object} segmentInfo the object returned by loadSegment\n     */\n\n    recordThroughput_(segmentInfo) {\n      if (segmentInfo.duration < MIN_SEGMENT_DURATION_TO_SAVE_STATS) {\n        this.logger_(`Ignoring segment's throughput because its duration of ${segmentInfo.duration}` + ` is less than the min to record ${MIN_SEGMENT_DURATION_TO_SAVE_STATS}`);\n        return;\n      }\n      const rate = this.throughput.rate; // Add one to the time to ensure that we don't accidentally attempt to divide\n      // by zero in the case where the throughput is ridiculously high\n\n      const segmentProcessingTime = Date.now() - segmentInfo.endOfAllRequests + 1; // Multiply by 8000 to convert from bytes/millisecond to bits/second\n\n      const segmentProcessingThroughput = Math.floor(segmentInfo.byteLength / segmentProcessingTime * 8 * 1000); // This is just a cumulative moving average calculation:\n      //   newAvg = oldAvg + (sample - oldAvg) / (sampleCount + 1)\n\n      this.throughput.rate += (segmentProcessingThroughput - rate) / ++this.throughput.count;\n    }\n    /**\n     * Adds a cue to the segment-metadata track with some metadata information about the\n     * segment\n     *\n     * @private\n     * @param {Object} segmentInfo\n     *        the object returned by loadSegment\n     * @method addSegmentMetadataCue_\n     */\n\n    addSegmentMetadataCue_(segmentInfo) {\n      if (!this.segmentMetadataTrack_) {\n        return;\n      }\n      const segment = segmentInfo.segment;\n      const start = segment.start;\n      const end = segment.end; // Do not try adding the cue if the start and end times are invalid.\n\n      if (!finite(start) || !finite(end)) {\n        return;\n      }\n      removeCuesFromTrack(start, end, this.segmentMetadataTrack_);\n      const Cue = window.WebKitDataCue || window.VTTCue;\n      const value = {\n        custom: segment.custom,\n        dateTimeObject: segment.dateTimeObject,\n        dateTimeString: segment.dateTimeString,\n        programDateTime: segment.programDateTime,\n        bandwidth: segmentInfo.playlist.attributes.BANDWIDTH,\n        resolution: segmentInfo.playlist.attributes.RESOLUTION,\n        codecs: segmentInfo.playlist.attributes.CODECS,\n        byteLength: segmentInfo.byteLength,\n        uri: segmentInfo.uri,\n        timeline: segmentInfo.timeline,\n        playlist: segmentInfo.playlist.id,\n        start,\n        end\n      };\n      const data = JSON.stringify(value);\n      const cue = new Cue(start, end, data); // Attach the metadata to the value property of the cue to keep consistency between\n      // the differences of WebKitDataCue in safari and VTTCue in other browsers\n\n      cue.value = value;\n      this.segmentMetadataTrack_.addCue(cue);\n    }\n  }\n  function noop() {}\n  const toTitleCase = function (string) {\n    if (typeof string !== 'string') {\n      return string;\n    }\n    return string.replace(/./, w => w.toUpperCase());\n  };\n\n  /**\n   * @file source-updater.js\n   */\n  const bufferTypes = ['video', 'audio'];\n  const updating = (type, sourceUpdater) => {\n    const sourceBuffer = sourceUpdater[`${type}Buffer`];\n    return sourceBuffer && sourceBuffer.updating || sourceUpdater.queuePending[type];\n  };\n  const nextQueueIndexOfType = (type, queue) => {\n    for (let i = 0; i < queue.length; i++) {\n      const queueEntry = queue[i];\n      if (queueEntry.type === 'mediaSource') {\n        // If the next entry is a media source entry (uses multiple source buffers), block\n        // processing to allow it to go through first.\n        return null;\n      }\n      if (queueEntry.type === type) {\n        return i;\n      }\n    }\n    return null;\n  };\n  const shiftQueue = (type, sourceUpdater) => {\n    if (sourceUpdater.queue.length === 0) {\n      return;\n    }\n    let queueIndex = 0;\n    let queueEntry = sourceUpdater.queue[queueIndex];\n    if (queueEntry.type === 'mediaSource') {\n      if (!sourceUpdater.updating() && sourceUpdater.mediaSource.readyState !== 'closed') {\n        sourceUpdater.queue.shift();\n        queueEntry.action(sourceUpdater);\n        if (queueEntry.doneFn) {\n          queueEntry.doneFn();\n        } // Only specific source buffer actions must wait for async updateend events. Media\n        // Source actions process synchronously. Therefore, both audio and video source\n        // buffers are now clear to process the next queue entries.\n\n        shiftQueue('audio', sourceUpdater);\n        shiftQueue('video', sourceUpdater);\n      } // Media Source actions require both source buffers, so if the media source action\n      // couldn't process yet (because one or both source buffers are busy), block other\n      // queue actions until both are available and the media source action can process.\n\n      return;\n    }\n    if (type === 'mediaSource') {\n      // If the queue was shifted by a media source action (this happens when pushing a\n      // media source action onto the queue), then it wasn't from an updateend event from an\n      // audio or video source buffer, so there's no change from previous state, and no\n      // processing should be done.\n      return;\n    } // Media source queue entries don't need to consider whether the source updater is\n    // started (i.e., source buffers are created) as they don't need the source buffers, but\n    // source buffer queue entries do.\n\n    if (!sourceUpdater.ready() || sourceUpdater.mediaSource.readyState === 'closed' || updating(type, sourceUpdater)) {\n      return;\n    }\n    if (queueEntry.type !== type) {\n      queueIndex = nextQueueIndexOfType(type, sourceUpdater.queue);\n      if (queueIndex === null) {\n        // Either there's no queue entry that uses this source buffer type in the queue, or\n        // there's a media source queue entry before the next entry of this type, in which\n        // case wait for that action to process first.\n        return;\n      }\n      queueEntry = sourceUpdater.queue[queueIndex];\n    }\n    sourceUpdater.queue.splice(queueIndex, 1); // Keep a record that this source buffer type is in use.\n    //\n    // The queue pending operation must be set before the action is performed in the event\n    // that the action results in a synchronous event that is acted upon. For instance, if\n    // an exception is thrown that can be handled, it's possible that new actions will be\n    // appended to an empty queue and immediately executed, but would not have the correct\n    // pending information if this property was set after the action was performed.\n\n    sourceUpdater.queuePending[type] = queueEntry;\n    queueEntry.action(type, sourceUpdater);\n    if (!queueEntry.doneFn) {\n      // synchronous operation, process next entry\n      sourceUpdater.queuePending[type] = null;\n      shiftQueue(type, sourceUpdater);\n      return;\n    }\n  };\n  const cleanupBuffer = (type, sourceUpdater) => {\n    const buffer = sourceUpdater[`${type}Buffer`];\n    const titleType = toTitleCase(type);\n    if (!buffer) {\n      return;\n    }\n    buffer.removeEventListener('updateend', sourceUpdater[`on${titleType}UpdateEnd_`]);\n    buffer.removeEventListener('error', sourceUpdater[`on${titleType}Error_`]);\n    sourceUpdater.codecs[type] = null;\n    sourceUpdater[`${type}Buffer`] = null;\n  };\n  const inSourceBuffers = (mediaSource, sourceBuffer) => mediaSource && sourceBuffer && Array.prototype.indexOf.call(mediaSource.sourceBuffers, sourceBuffer) !== -1;\n  const actions = {\n    appendBuffer: (bytes, segmentInfo, onError) => (type, sourceUpdater) => {\n      const sourceBuffer = sourceUpdater[`${type}Buffer`]; // can't do anything if the media source / source buffer is null\n      // or the media source does not contain this source buffer.\n\n      if (!inSourceBuffers(sourceUpdater.mediaSource, sourceBuffer)) {\n        return;\n      }\n      sourceUpdater.logger_(`Appending segment ${segmentInfo.mediaIndex}'s ${bytes.length} bytes to ${type}Buffer`);\n      try {\n        sourceBuffer.appendBuffer(bytes);\n      } catch (e) {\n        sourceUpdater.logger_(`Error with code ${e.code} ` + (e.code === QUOTA_EXCEEDED_ERR ? '(QUOTA_EXCEEDED_ERR) ' : '') + `when appending segment ${segmentInfo.mediaIndex} to ${type}Buffer`);\n        sourceUpdater.queuePending[type] = null;\n        onError(e);\n      }\n    },\n    remove: (start, end) => (type, sourceUpdater) => {\n      const sourceBuffer = sourceUpdater[`${type}Buffer`]; // can't do anything if the media source / source buffer is null\n      // or the media source does not contain this source buffer.\n\n      if (!inSourceBuffers(sourceUpdater.mediaSource, sourceBuffer)) {\n        return;\n      }\n      sourceUpdater.logger_(`Removing ${start} to ${end} from ${type}Buffer`);\n      try {\n        sourceBuffer.remove(start, end);\n      } catch (e) {\n        sourceUpdater.logger_(`Remove ${start} to ${end} from ${type}Buffer failed`);\n      }\n    },\n    timestampOffset: offset => (type, sourceUpdater) => {\n      const sourceBuffer = sourceUpdater[`${type}Buffer`]; // can't do anything if the media source / source buffer is null\n      // or the media source does not contain this source buffer.\n\n      if (!inSourceBuffers(sourceUpdater.mediaSource, sourceBuffer)) {\n        return;\n      }\n      sourceUpdater.logger_(`Setting ${type}timestampOffset to ${offset}`);\n      sourceBuffer.timestampOffset = offset;\n    },\n    callback: callback => (type, sourceUpdater) => {\n      callback();\n    },\n    endOfStream: error => sourceUpdater => {\n      if (sourceUpdater.mediaSource.readyState !== 'open') {\n        return;\n      }\n      sourceUpdater.logger_(`Calling mediaSource endOfStream(${error || ''})`);\n      try {\n        sourceUpdater.mediaSource.endOfStream(error);\n      } catch (e) {\n        videojs.log.warn('Failed to call media source endOfStream', e);\n      }\n    },\n    duration: duration => sourceUpdater => {\n      sourceUpdater.logger_(`Setting mediaSource duration to ${duration}`);\n      try {\n        sourceUpdater.mediaSource.duration = duration;\n      } catch (e) {\n        videojs.log.warn('Failed to set media source duration', e);\n      }\n    },\n    abort: () => (type, sourceUpdater) => {\n      if (sourceUpdater.mediaSource.readyState !== 'open') {\n        return;\n      }\n      const sourceBuffer = sourceUpdater[`${type}Buffer`]; // can't do anything if the media source / source buffer is null\n      // or the media source does not contain this source buffer.\n\n      if (!inSourceBuffers(sourceUpdater.mediaSource, sourceBuffer)) {\n        return;\n      }\n      sourceUpdater.logger_(`calling abort on ${type}Buffer`);\n      try {\n        sourceBuffer.abort();\n      } catch (e) {\n        videojs.log.warn(`Failed to abort on ${type}Buffer`, e);\n      }\n    },\n    addSourceBuffer: (type, codec) => sourceUpdater => {\n      const titleType = toTitleCase(type);\n      const mime = getMimeForCodec(codec);\n      sourceUpdater.logger_(`Adding ${type}Buffer with codec ${codec} to mediaSource`);\n      const sourceBuffer = sourceUpdater.mediaSource.addSourceBuffer(mime);\n      sourceBuffer.addEventListener('updateend', sourceUpdater[`on${titleType}UpdateEnd_`]);\n      sourceBuffer.addEventListener('error', sourceUpdater[`on${titleType}Error_`]);\n      sourceUpdater.codecs[type] = codec;\n      sourceUpdater[`${type}Buffer`] = sourceBuffer;\n    },\n    removeSourceBuffer: type => sourceUpdater => {\n      const sourceBuffer = sourceUpdater[`${type}Buffer`];\n      cleanupBuffer(type, sourceUpdater); // can't do anything if the media source / source buffer is null\n      // or the media source does not contain this source buffer.\n\n      if (!inSourceBuffers(sourceUpdater.mediaSource, sourceBuffer)) {\n        return;\n      }\n      sourceUpdater.logger_(`Removing ${type}Buffer with codec ${sourceUpdater.codecs[type]} from mediaSource`);\n      try {\n        sourceUpdater.mediaSource.removeSourceBuffer(sourceBuffer);\n      } catch (e) {\n        videojs.log.warn(`Failed to removeSourceBuffer ${type}Buffer`, e);\n      }\n    },\n    changeType: codec => (type, sourceUpdater) => {\n      const sourceBuffer = sourceUpdater[`${type}Buffer`];\n      const mime = getMimeForCodec(codec); // can't do anything if the media source / source buffer is null\n      // or the media source does not contain this source buffer.\n\n      if (!inSourceBuffers(sourceUpdater.mediaSource, sourceBuffer)) {\n        return;\n      } // do not update codec if we don't need to.\n      // Only update if we change the codec base.\n      // For example, going from avc1.640028 to avc1.64001f does not require a changeType call.\n\n      const newCodecBase = codec.substring(0, codec.indexOf('.'));\n      const oldCodec = sourceUpdater.codecs[type];\n      const oldCodecBase = oldCodec.substring(0, oldCodec.indexOf('.'));\n      if (oldCodecBase === newCodecBase) {\n        return;\n      }\n      const metadata = {\n        codecsChangeInfo: {\n          from: oldCodec,\n          to: codec\n        }\n      };\n      sourceUpdater.trigger({\n        type: 'codecschange',\n        metadata\n      });\n      sourceUpdater.logger_(`changing ${type}Buffer codec from ${oldCodec} to ${codec}`); // check if change to the provided type is supported\n\n      try {\n        sourceBuffer.changeType(mime);\n        sourceUpdater.codecs[type] = codec;\n      } catch (e) {\n        metadata.errorType = videojs.Error.StreamingCodecsChangeError;\n        metadata.error = e;\n        e.metadata = metadata;\n        sourceUpdater.error_ = e;\n        sourceUpdater.trigger('error');\n        videojs.log.warn(`Failed to changeType on ${type}Buffer`, e);\n      }\n    }\n  };\n  const pushQueue = ({\n    type,\n    sourceUpdater,\n    action,\n    doneFn,\n    name\n  }) => {\n    sourceUpdater.queue.push({\n      type,\n      action,\n      doneFn,\n      name\n    });\n    shiftQueue(type, sourceUpdater);\n  };\n  const onUpdateend = (type, sourceUpdater) => e => {\n    // Although there should, in theory, be a pending action for any updateend receieved,\n    // there are some actions that may trigger updateend events without set definitions in\n    // the w3c spec. For instance, setting the duration on the media source may trigger\n    // updateend events on source buffers. This does not appear to be in the spec. As such,\n    // if we encounter an updateend without a corresponding pending action from our queue\n    // for that source buffer type, process the next action.\n    const bufferedRangesForType = sourceUpdater[`${type}Buffered`]();\n    const descriptiveString = bufferedRangesToString(bufferedRangesForType);\n    sourceUpdater.logger_(`received \"updateend\" event for ${type} Source Buffer: `, descriptiveString);\n    if (sourceUpdater.queuePending[type]) {\n      const doneFn = sourceUpdater.queuePending[type].doneFn;\n      sourceUpdater.queuePending[type] = null;\n      if (doneFn) {\n        // if there's an error, report it\n        doneFn(sourceUpdater[`${type}Error_`]);\n      }\n    }\n    shiftQueue(type, sourceUpdater);\n  };\n  /**\n   * A queue of callbacks to be serialized and applied when a\n   * MediaSource and its associated SourceBuffers are not in the\n   * updating state. It is used by the segment loader to update the\n   * underlying SourceBuffers when new data is loaded, for instance.\n   *\n   * @class SourceUpdater\n   * @param {MediaSource} mediaSource the MediaSource to create the SourceBuffer from\n   * @param {string} mimeType the desired MIME type of the underlying SourceBuffer\n   */\n\n  class SourceUpdater extends videojs.EventTarget {\n    constructor(mediaSource) {\n      super();\n      this.mediaSource = mediaSource;\n      this.sourceopenListener_ = () => shiftQueue('mediaSource', this);\n      this.mediaSource.addEventListener('sourceopen', this.sourceopenListener_);\n      this.logger_ = logger('SourceUpdater'); // initial timestamp offset is 0\n\n      this.audioTimestampOffset_ = 0;\n      this.videoTimestampOffset_ = 0;\n      this.queue = [];\n      this.queuePending = {\n        audio: null,\n        video: null\n      };\n      this.delayedAudioAppendQueue_ = [];\n      this.videoAppendQueued_ = false;\n      this.codecs = {};\n      this.onVideoUpdateEnd_ = onUpdateend('video', this);\n      this.onAudioUpdateEnd_ = onUpdateend('audio', this);\n      this.onVideoError_ = e => {\n        // used for debugging\n        this.videoError_ = e;\n      };\n      this.onAudioError_ = e => {\n        // used for debugging\n        this.audioError_ = e;\n      };\n      this.createdSourceBuffers_ = false;\n      this.initializedEme_ = false;\n      this.triggeredReady_ = false;\n    }\n    initializedEme() {\n      this.initializedEme_ = true;\n      this.triggerReady();\n    }\n    hasCreatedSourceBuffers() {\n      // if false, likely waiting on one of the segment loaders to get enough data to create\n      // source buffers\n      return this.createdSourceBuffers_;\n    }\n    hasInitializedAnyEme() {\n      return this.initializedEme_;\n    }\n    ready() {\n      return this.hasCreatedSourceBuffers() && this.hasInitializedAnyEme();\n    }\n    createSourceBuffers(codecs) {\n      if (this.hasCreatedSourceBuffers()) {\n        // already created them before\n        return;\n      } // the intial addOrChangeSourceBuffers will always be\n      // two add buffers.\n\n      this.addOrChangeSourceBuffers(codecs);\n      this.createdSourceBuffers_ = true;\n      this.trigger('createdsourcebuffers');\n      this.triggerReady();\n    }\n    triggerReady() {\n      // only allow ready to be triggered once, this prevents the case\n      // where:\n      // 1. we trigger createdsourcebuffers\n      // 2. ie 11 synchronously initializates eme\n      // 3. the synchronous initialization causes us to trigger ready\n      // 4. We go back to the ready check in createSourceBuffers and ready is triggered again.\n      if (this.ready() && !this.triggeredReady_) {\n        this.triggeredReady_ = true;\n        this.trigger('ready');\n      }\n    }\n    /**\n     * Add a type of source buffer to the media source.\n     *\n     * @param {string} type\n     *        The type of source buffer to add.\n     *\n     * @param {string} codec\n     *        The codec to add the source buffer with.\n     */\n\n    addSourceBuffer(type, codec) {\n      pushQueue({\n        type: 'mediaSource',\n        sourceUpdater: this,\n        action: actions.addSourceBuffer(type, codec),\n        name: 'addSourceBuffer'\n      });\n    }\n    /**\n     * call abort on a source buffer.\n     *\n     * @param {string} type\n     *        The type of source buffer to call abort on.\n     */\n\n    abort(type) {\n      pushQueue({\n        type,\n        sourceUpdater: this,\n        action: actions.abort(type),\n        name: 'abort'\n      });\n    }\n    /**\n     * Call removeSourceBuffer and remove a specific type\n     * of source buffer on the mediaSource.\n     *\n     * @param {string} type\n     *        The type of source buffer to remove.\n     */\n\n    removeSourceBuffer(type) {\n      if (!this.canRemoveSourceBuffer()) {\n        videojs.log.error('removeSourceBuffer is not supported!');\n        return;\n      }\n      pushQueue({\n        type: 'mediaSource',\n        sourceUpdater: this,\n        action: actions.removeSourceBuffer(type),\n        name: 'removeSourceBuffer'\n      });\n    }\n    /**\n     * Whether or not the removeSourceBuffer function is supported\n     * on the mediaSource.\n     *\n     * @return {boolean}\n     *          if removeSourceBuffer can be called.\n     */\n\n    canRemoveSourceBuffer() {\n      // As of Firefox 83 removeSourceBuffer\n      // throws errors, so we report that it does not support this.\n      return !videojs.browser.IS_FIREFOX && window.MediaSource && window.MediaSource.prototype && typeof window.MediaSource.prototype.removeSourceBuffer === 'function';\n    }\n    /**\n     * Whether or not the changeType function is supported\n     * on our SourceBuffers.\n     *\n     * @return {boolean}\n     *         if changeType can be called.\n     */\n\n    static canChangeType() {\n      return window.SourceBuffer && window.SourceBuffer.prototype && typeof window.SourceBuffer.prototype.changeType === 'function';\n    }\n    /**\n     * Whether or not the changeType function is supported\n     * on our SourceBuffers.\n     *\n     * @return {boolean}\n     *         if changeType can be called.\n     */\n\n    canChangeType() {\n      return this.constructor.canChangeType();\n    }\n    /**\n     * Call the changeType function on a source buffer, given the code and type.\n     *\n     * @param {string} type\n     *        The type of source buffer to call changeType on.\n     *\n     * @param {string} codec\n     *        The codec string to change type with on the source buffer.\n     */\n\n    changeType(type, codec) {\n      if (!this.canChangeType()) {\n        videojs.log.error('changeType is not supported!');\n        return;\n      }\n      pushQueue({\n        type,\n        sourceUpdater: this,\n        action: actions.changeType(codec),\n        name: 'changeType'\n      });\n    }\n    /**\n     * Add source buffers with a codec or, if they are already created,\n     * call changeType on source buffers using changeType.\n     *\n     * @param {Object} codecs\n     *        Codecs to switch to\n     */\n\n    addOrChangeSourceBuffers(codecs) {\n      if (!codecs || typeof codecs !== 'object' || Object.keys(codecs).length === 0) {\n        throw new Error('Cannot addOrChangeSourceBuffers to undefined codecs');\n      }\n      Object.keys(codecs).forEach(type => {\n        const codec = codecs[type];\n        if (!this.hasCreatedSourceBuffers()) {\n          return this.addSourceBuffer(type, codec);\n        }\n        if (this.canChangeType()) {\n          this.changeType(type, codec);\n        }\n      });\n    }\n    /**\n     * Queue an update to append an ArrayBuffer.\n     *\n     * @param {MediaObject} object containing audioBytes and/or videoBytes\n     * @param {Function} done the function to call when done\n     * @see http://www.w3.org/TR/media-source/#widl-SourceBuffer-appendBuffer-void-ArrayBuffer-data\n     */\n\n    appendBuffer(options, doneFn) {\n      const {\n        segmentInfo,\n        type,\n        bytes\n      } = options;\n      this.processedAppend_ = true;\n      if (type === 'audio' && this.videoBuffer && !this.videoAppendQueued_) {\n        this.delayedAudioAppendQueue_.push([options, doneFn]);\n        this.logger_(`delayed audio append of ${bytes.length} until video append`);\n        return;\n      } // In the case of certain errors, for instance, QUOTA_EXCEEDED_ERR, updateend will\n      // not be fired. This means that the queue will be blocked until the next action\n      // taken by the segment-loader. Provide a mechanism for segment-loader to handle\n      // these errors by calling the doneFn with the specific error.\n\n      const onError = doneFn;\n      pushQueue({\n        type,\n        sourceUpdater: this,\n        action: actions.appendBuffer(bytes, segmentInfo || {\n          mediaIndex: -1\n        }, onError),\n        doneFn,\n        name: 'appendBuffer'\n      });\n      if (type === 'video') {\n        this.videoAppendQueued_ = true;\n        if (!this.delayedAudioAppendQueue_.length) {\n          return;\n        }\n        const queue = this.delayedAudioAppendQueue_.slice();\n        this.logger_(`queuing delayed audio ${queue.length} appendBuffers`);\n        this.delayedAudioAppendQueue_.length = 0;\n        queue.forEach(que => {\n          this.appendBuffer.apply(this, que);\n        });\n      }\n    }\n    /**\n     * Get the audio buffer's buffered timerange.\n     *\n     * @return {TimeRange}\n     *         The audio buffer's buffered time range\n     */\n\n    audioBuffered() {\n      // no media source/source buffer or it isn't in the media sources\n      // source buffer list\n      if (!inSourceBuffers(this.mediaSource, this.audioBuffer)) {\n        return createTimeRanges();\n      }\n      return this.audioBuffer.buffered ? this.audioBuffer.buffered : createTimeRanges();\n    }\n    /**\n     * Get the video buffer's buffered timerange.\n     *\n     * @return {TimeRange}\n     *         The video buffer's buffered time range\n     */\n\n    videoBuffered() {\n      // no media source/source buffer or it isn't in the media sources\n      // source buffer list\n      if (!inSourceBuffers(this.mediaSource, this.videoBuffer)) {\n        return createTimeRanges();\n      }\n      return this.videoBuffer.buffered ? this.videoBuffer.buffered : createTimeRanges();\n    }\n    /**\n     * Get a combined video/audio buffer's buffered timerange.\n     *\n     * @return {TimeRange}\n     *         the combined time range\n     */\n\n    buffered() {\n      const video = inSourceBuffers(this.mediaSource, this.videoBuffer) ? this.videoBuffer : null;\n      const audio = inSourceBuffers(this.mediaSource, this.audioBuffer) ? this.audioBuffer : null;\n      if (audio && !video) {\n        return this.audioBuffered();\n      }\n      if (video && !audio) {\n        return this.videoBuffered();\n      }\n      return bufferIntersection(this.audioBuffered(), this.videoBuffered());\n    }\n    /**\n     * Add a callback to the queue that will set duration on the mediaSource.\n     *\n     * @param {number} duration\n     *        The duration to set\n     *\n     * @param {Function} [doneFn]\n     *        function to run after duration has been set.\n     */\n\n    setDuration(duration, doneFn = noop) {\n      // In order to set the duration on the media source, it's necessary to wait for all\n      // source buffers to no longer be updating. \"If the updating attribute equals true on\n      // any SourceBuffer in sourceBuffers, then throw an InvalidStateError exception and\n      // abort these steps.\" (source: https://www.w3.org/TR/media-source/#attributes).\n      pushQueue({\n        type: 'mediaSource',\n        sourceUpdater: this,\n        action: actions.duration(duration),\n        name: 'duration',\n        doneFn\n      });\n    }\n    /**\n     * Add a mediaSource endOfStream call to the queue\n     *\n     * @param {Error} [error]\n     *        Call endOfStream with an error\n     *\n     * @param {Function} [doneFn]\n     *        A function that should be called when the\n     *        endOfStream call has finished.\n     */\n\n    endOfStream(error = null, doneFn = noop) {\n      if (typeof error !== 'string') {\n        error = undefined;\n      } // In order to set the duration on the media source, it's necessary to wait for all\n      // source buffers to no longer be updating. \"If the updating attribute equals true on\n      // any SourceBuffer in sourceBuffers, then throw an InvalidStateError exception and\n      // abort these steps.\" (source: https://www.w3.org/TR/media-source/#attributes).\n\n      pushQueue({\n        type: 'mediaSource',\n        sourceUpdater: this,\n        action: actions.endOfStream(error),\n        name: 'endOfStream',\n        doneFn\n      });\n    }\n    /**\n     * Queue an update to remove a time range from the buffer.\n     *\n     * @param {number} start where to start the removal\n     * @param {number} end where to end the removal\n     * @param {Function} [done=noop] optional callback to be executed when the remove\n     * operation is complete\n     * @see http://www.w3.org/TR/media-source/#widl-SourceBuffer-remove-void-double-start-unrestricted-double-end\n     */\n\n    removeAudio(start, end, done = noop) {\n      if (!this.audioBuffered().length || this.audioBuffered().end(0) === 0) {\n        done();\n        return;\n      }\n      pushQueue({\n        type: 'audio',\n        sourceUpdater: this,\n        action: actions.remove(start, end),\n        doneFn: done,\n        name: 'remove'\n      });\n    }\n    /**\n     * Queue an update to remove a time range from the buffer.\n     *\n     * @param {number} start where to start the removal\n     * @param {number} end where to end the removal\n     * @param {Function} [done=noop] optional callback to be executed when the remove\n     * operation is complete\n     * @see http://www.w3.org/TR/media-source/#widl-SourceBuffer-remove-void-double-start-unrestricted-double-end\n     */\n\n    removeVideo(start, end, done = noop) {\n      if (!this.videoBuffered().length || this.videoBuffered().end(0) === 0) {\n        done();\n        return;\n      }\n      pushQueue({\n        type: 'video',\n        sourceUpdater: this,\n        action: actions.remove(start, end),\n        doneFn: done,\n        name: 'remove'\n      });\n    }\n    /**\n     * Whether the underlying sourceBuffer is updating or not\n     *\n     * @return {boolean} the updating status of the SourceBuffer\n     */\n\n    updating() {\n      // the audio/video source buffer is updating\n      if (updating('audio', this) || updating('video', this)) {\n        return true;\n      }\n      return false;\n    }\n    /**\n     * Set/get the timestampoffset on the audio SourceBuffer\n     *\n     * @return {number} the timestamp offset\n     */\n\n    audioTimestampOffset(offset) {\n      if (typeof offset !== 'undefined' && this.audioBuffer &&\n      // no point in updating if it's the same\n      this.audioTimestampOffset_ !== offset) {\n        pushQueue({\n          type: 'audio',\n          sourceUpdater: this,\n          action: actions.timestampOffset(offset),\n          name: 'timestampOffset'\n        });\n        this.audioTimestampOffset_ = offset;\n      }\n      return this.audioTimestampOffset_;\n    }\n    /**\n     * Set/get the timestampoffset on the video SourceBuffer\n     *\n     * @return {number} the timestamp offset\n     */\n\n    videoTimestampOffset(offset) {\n      if (typeof offset !== 'undefined' && this.videoBuffer &&\n      // no point in updating if it's the same\n      this.videoTimestampOffset_ !== offset) {\n        pushQueue({\n          type: 'video',\n          sourceUpdater: this,\n          action: actions.timestampOffset(offset),\n          name: 'timestampOffset'\n        });\n        this.videoTimestampOffset_ = offset;\n      }\n      return this.videoTimestampOffset_;\n    }\n    /**\n     * Add a function to the queue that will be called\n     * when it is its turn to run in the audio queue.\n     *\n     * @param {Function} callback\n     *        The callback to queue.\n     */\n\n    audioQueueCallback(callback) {\n      if (!this.audioBuffer) {\n        return;\n      }\n      pushQueue({\n        type: 'audio',\n        sourceUpdater: this,\n        action: actions.callback(callback),\n        name: 'callback'\n      });\n    }\n    /**\n     * Add a function to the queue that will be called\n     * when it is its turn to run in the video queue.\n     *\n     * @param {Function} callback\n     *        The callback to queue.\n     */\n\n    videoQueueCallback(callback) {\n      if (!this.videoBuffer) {\n        return;\n      }\n      pushQueue({\n        type: 'video',\n        sourceUpdater: this,\n        action: actions.callback(callback),\n        name: 'callback'\n      });\n    }\n    /**\n     * dispose of the source updater and the underlying sourceBuffer\n     */\n\n    dispose() {\n      this.trigger('dispose');\n      bufferTypes.forEach(type => {\n        this.abort(type);\n        if (this.canRemoveSourceBuffer()) {\n          this.removeSourceBuffer(type);\n        } else {\n          this[`${type}QueueCallback`](() => cleanupBuffer(type, this));\n        }\n      });\n      this.videoAppendQueued_ = false;\n      this.delayedAudioAppendQueue_.length = 0;\n      if (this.sourceopenListener_) {\n        this.mediaSource.removeEventListener('sourceopen', this.sourceopenListener_);\n      }\n      this.off();\n    }\n  }\n  const uint8ToUtf8 = uintArray => decodeURIComponent(escape(String.fromCharCode.apply(null, uintArray)));\n  const bufferToHexString = buffer => {\n    const uInt8Buffer = new Uint8Array(buffer);\n    return Array.from(uInt8Buffer).map(byte => byte.toString(16).padStart(2, '0')).join('');\n  };\n\n  /**\n   * @file vtt-segment-loader.js\n   */\n  const VTT_LINE_TERMINATORS = new Uint8Array('\\n\\n'.split('').map(char => char.charCodeAt(0)));\n  class NoVttJsError extends Error {\n    constructor() {\n      super('Trying to parse received VTT cues, but there is no WebVTT. Make sure vtt.js is loaded.');\n    }\n  }\n  /**\n   * An object that manages segment loading and appending.\n   *\n   * @class VTTSegmentLoader\n   * @param {Object} options required and optional options\n   * @extends videojs.EventTarget\n   */\n\n  class VTTSegmentLoader extends SegmentLoader {\n    constructor(settings, options = {}) {\n      super(settings, options); // SegmentLoader requires a MediaSource be specified or it will throw an error;\n      // however, VTTSegmentLoader has no need of a media source, so delete the reference\n\n      this.mediaSource_ = null;\n      this.subtitlesTrack_ = null;\n      this.featuresNativeTextTracks_ = settings.featuresNativeTextTracks;\n      this.loadVttJs = settings.loadVttJs; // The VTT segment will have its own time mappings. Saving VTT segment timing info in\n      // the sync controller leads to improper behavior.\n\n      this.shouldSaveSegmentTimingInfo_ = false;\n    }\n    /**\n     * Indicates which time ranges are buffered\n     *\n     * @return {TimeRange}\n     *         TimeRange object representing the current buffered ranges\n     */\n\n    buffered_() {\n      if (!this.subtitlesTrack_ || !this.subtitlesTrack_.cues || !this.subtitlesTrack_.cues.length) {\n        return createTimeRanges();\n      }\n      const cues = this.subtitlesTrack_.cues;\n      const start = cues[0].startTime;\n      const end = cues[cues.length - 1].startTime;\n      return createTimeRanges([[start, end]]);\n    }\n    /**\n     * Gets and sets init segment for the provided map\n     *\n     * @param {Object} map\n     *        The map object representing the init segment to get or set\n     * @param {boolean=} set\n     *        If true, the init segment for the provided map should be saved\n     * @return {Object}\n     *         map object for desired init segment\n     */\n\n    initSegmentForMap(map, set = false) {\n      if (!map) {\n        return null;\n      }\n      const id = initSegmentId(map);\n      let storedMap = this.initSegments_[id];\n      if (set && !storedMap && map.bytes) {\n        // append WebVTT line terminators to the media initialization segment if it exists\n        // to follow the WebVTT spec (https://w3c.github.io/webvtt/#file-structure) that\n        // requires two or more WebVTT line terminators between the WebVTT header and the\n        // rest of the file\n        const combinedByteLength = VTT_LINE_TERMINATORS.byteLength + map.bytes.byteLength;\n        const combinedSegment = new Uint8Array(combinedByteLength);\n        combinedSegment.set(map.bytes);\n        combinedSegment.set(VTT_LINE_TERMINATORS, map.bytes.byteLength);\n        this.initSegments_[id] = storedMap = {\n          resolvedUri: map.resolvedUri,\n          byterange: map.byterange,\n          bytes: combinedSegment\n        };\n      }\n      return storedMap || map;\n    }\n    /**\n     * Returns true if all configuration required for loading is present, otherwise false.\n     *\n     * @return {boolean} True if the all configuration is ready for loading\n     * @private\n     */\n\n    couldBeginLoading_() {\n      return this.playlist_ && this.subtitlesTrack_ && !this.paused();\n    }\n    /**\n     * Once all the starting parameters have been specified, begin\n     * operation. This method should only be invoked from the INIT\n     * state.\n     *\n     * @private\n     */\n\n    init_() {\n      this.state = 'READY';\n      this.resetEverything();\n      return this.monitorBuffer_();\n    }\n    /**\n     * Set a subtitle track on the segment loader to add subtitles to\n     *\n     * @param {TextTrack=} track\n     *        The text track to add loaded subtitles to\n     * @return {TextTrack}\n     *        Returns the subtitles track\n     */\n\n    track(track) {\n      if (typeof track === 'undefined') {\n        return this.subtitlesTrack_;\n      }\n      this.subtitlesTrack_ = track; // if we were unpaused but waiting for a sourceUpdater, start\n      // buffering now\n\n      if (this.state === 'INIT' && this.couldBeginLoading_()) {\n        this.init_();\n      }\n      return this.subtitlesTrack_;\n    }\n    /**\n     * Remove any data in the source buffer between start and end times\n     *\n     * @param {number} start - the start time of the region to remove from the buffer\n     * @param {number} end - the end time of the region to remove from the buffer\n     */\n\n    remove(start, end) {\n      removeCuesFromTrack(start, end, this.subtitlesTrack_);\n    }\n    /**\n     * fill the buffer with segements unless the sourceBuffers are\n     * currently updating\n     *\n     * Note: this function should only ever be called by monitorBuffer_\n     * and never directly\n     *\n     * @private\n     */\n\n    fillBuffer_() {\n      // see if we need to begin loading immediately\n      const segmentInfo = this.chooseNextRequest_();\n      if (!segmentInfo) {\n        return;\n      }\n      if (this.syncController_.timestampOffsetForTimeline(segmentInfo.timeline) === null) {\n        // We don't have the timestamp offset that we need to sync subtitles.\n        // Rerun on a timestamp offset or user interaction.\n        const checkTimestampOffset = () => {\n          this.state = 'READY';\n          if (!this.paused()) {\n            // if not paused, queue a buffer check as soon as possible\n            this.monitorBuffer_();\n          }\n        };\n        this.syncController_.one('timestampoffset', checkTimestampOffset);\n        this.state = 'WAITING_ON_TIMELINE';\n        return;\n      }\n      this.loadSegment_(segmentInfo);\n    } // never set a timestamp offset for vtt segments.\n\n    timestampOffsetForSegment_() {\n      return null;\n    }\n    chooseNextRequest_() {\n      return this.skipEmptySegments_(super.chooseNextRequest_());\n    }\n    /**\n     * Prevents the segment loader from requesting segments we know contain no subtitles\n     * by walking forward until we find the next segment that we don't know whether it is\n     * empty or not.\n     *\n     * @param {Object} segmentInfo\n     *        a segment info object that describes the current segment\n     * @return {Object}\n     *         a segment info object that describes the current segment\n     */\n\n    skipEmptySegments_(segmentInfo) {\n      while (segmentInfo && segmentInfo.segment.empty) {\n        // stop at the last possible segmentInfo\n        if (segmentInfo.mediaIndex + 1 >= segmentInfo.playlist.segments.length) {\n          segmentInfo = null;\n          break;\n        }\n        segmentInfo = this.generateSegmentInfo_({\n          playlist: segmentInfo.playlist,\n          mediaIndex: segmentInfo.mediaIndex + 1,\n          startOfSegment: segmentInfo.startOfSegment + segmentInfo.duration,\n          isSyncRequest: segmentInfo.isSyncRequest\n        });\n      }\n      return segmentInfo;\n    }\n    stopForError(error) {\n      this.error(error);\n      this.state = 'READY';\n      this.pause();\n      this.trigger('error');\n    }\n    /**\n     * append a decrypted segement to the SourceBuffer through a SourceUpdater\n     *\n     * @private\n     */\n\n    segmentRequestFinished_(error, simpleSegment, result) {\n      if (!this.subtitlesTrack_) {\n        this.state = 'READY';\n        return;\n      }\n      this.saveTransferStats_(simpleSegment.stats); // the request was aborted\n\n      if (!this.pendingSegment_) {\n        this.state = 'READY';\n        this.mediaRequestsAborted += 1;\n        return;\n      }\n      if (error) {\n        if (error.code === REQUEST_ERRORS.TIMEOUT) {\n          this.handleTimeout_();\n        }\n        if (error.code === REQUEST_ERRORS.ABORTED) {\n          this.mediaRequestsAborted += 1;\n        } else {\n          this.mediaRequestsErrored += 1;\n        }\n        this.stopForError(error);\n        return;\n      }\n      const segmentInfo = this.pendingSegment_;\n      const isMp4WebVttSegmentWithCues = result.mp4VttCues && result.mp4VttCues.length;\n      if (isMp4WebVttSegmentWithCues) {\n        segmentInfo.mp4VttCues = result.mp4VttCues;\n      } // although the VTT segment loader bandwidth isn't really used, it's good to\n      // maintain functionality between segment loaders\n\n      this.saveBandwidthRelatedStats_(segmentInfo.duration, simpleSegment.stats); // if this request included a segment key, save that data in the cache\n\n      if (simpleSegment.key) {\n        this.segmentKey(simpleSegment.key, true);\n      }\n      this.state = 'APPENDING'; // used for tests\n\n      this.trigger('appending');\n      const segment = segmentInfo.segment;\n      if (segment.map) {\n        segment.map.bytes = simpleSegment.map.bytes;\n      }\n      segmentInfo.bytes = simpleSegment.bytes; // Make sure that vttjs has loaded, otherwise, load it and wait till it finished loading\n\n      if (typeof window.WebVTT !== 'function' && typeof this.loadVttJs === 'function') {\n        this.state = 'WAITING_ON_VTTJS'; // should be fine to call multiple times\n        // script will be loaded once but multiple listeners will be added to the queue, which is expected.\n\n        this.loadVttJs().then(() => this.segmentRequestFinished_(error, simpleSegment, result), () => this.stopForError({\n          message: 'Error loading vtt.js'\n        }));\n        return;\n      }\n      segment.requested = true;\n      try {\n        this.parseVTTCues_(segmentInfo);\n      } catch (e) {\n        this.stopForError({\n          message: e.message,\n          metadata: {\n            errorType: videojs.Error.StreamingVttParserError,\n            error: e\n          }\n        });\n        return;\n      }\n      if (!isMp4WebVttSegmentWithCues) {\n        this.updateTimeMapping_(segmentInfo, this.syncController_.timelines[segmentInfo.timeline], this.playlist_);\n      }\n      if (segmentInfo.cues.length) {\n        segmentInfo.timingInfo = {\n          start: segmentInfo.cues[0].startTime,\n          end: segmentInfo.cues[segmentInfo.cues.length - 1].endTime\n        };\n      } else {\n        segmentInfo.timingInfo = {\n          start: segmentInfo.startOfSegment,\n          end: segmentInfo.startOfSegment + segmentInfo.duration\n        };\n      }\n      if (segmentInfo.isSyncRequest) {\n        this.trigger('syncinfoupdate');\n        this.pendingSegment_ = null;\n        this.state = 'READY';\n        return;\n      }\n      segmentInfo.byteLength = segmentInfo.bytes.byteLength;\n      this.mediaSecondsLoaded += segment.duration; // Create VTTCue instances for each cue in the new segment and add them to\n      // the subtitle track\n\n      segmentInfo.cues.forEach(cue => {\n        this.subtitlesTrack_.addCue(this.featuresNativeTextTracks_ ? new window.VTTCue(cue.startTime, cue.endTime, cue.text) : cue);\n      }); // Remove any duplicate cues from the subtitle track. The WebVTT spec allows\n      // cues to have identical time-intervals, but if the text is also identical\n      // we can safely assume it is a duplicate that can be removed (ex. when a cue\n      // \"overlaps\" VTT segments)\n\n      removeDuplicateCuesFromTrack(this.subtitlesTrack_);\n      this.handleAppendsDone_();\n    }\n    handleData_(simpleSegment, result) {\n      const isVttType = simpleSegment && simpleSegment.type === 'vtt';\n      const isTextResult = result && result.type === 'text';\n      const isFmp4VttSegment = isVttType && isTextResult; // handle segment data for fmp4 encapsulated webvtt\n\n      if (isFmp4VttSegment) {\n        super.handleData_(simpleSegment, result);\n      }\n    }\n    updateTimingInfoEnd_() {// noop\n    }\n    /**\n     * Utility function for converting mp4 webvtt cue objects into VTTCues.\n     *\n     * @param {Object} segmentInfo with mp4 webvtt cues for parsing into VTTCue objecs\n     */\n\n    parseMp4VttCues_(segmentInfo) {\n      const timestampOffset = this.sourceUpdater_.videoTimestampOffset() === null ? this.sourceUpdater_.audioTimestampOffset() : this.sourceUpdater_.videoTimestampOffset();\n      segmentInfo.mp4VttCues.forEach(cue => {\n        const start = cue.start + timestampOffset;\n        const end = cue.end + timestampOffset;\n        const vttCue = new window.VTTCue(start, end, cue.cueText);\n        if (cue.settings) {\n          cue.settings.split(' ').forEach(cueSetting => {\n            const keyValString = cueSetting.split(':');\n            const key = keyValString[0];\n            const value = keyValString[1];\n            vttCue[key] = isNaN(value) ? value : Number(value);\n          });\n        }\n        segmentInfo.cues.push(vttCue);\n      });\n    }\n    /**\n     * Uses the WebVTT parser to parse the segment response\n     *\n     * @throws NoVttJsError\n     *\n     * @param {Object} segmentInfo\n     *        a segment info object that describes the current segment\n     * @private\n     */\n\n    parseVTTCues_(segmentInfo) {\n      let decoder;\n      let decodeBytesToString = false;\n      if (typeof window.WebVTT !== 'function') {\n        // caller is responsible for exception handling.\n        throw new NoVttJsError();\n      }\n      segmentInfo.cues = [];\n      segmentInfo.timestampmap = {\n        MPEGTS: 0,\n        LOCAL: 0\n      };\n      if (segmentInfo.mp4VttCues) {\n        this.parseMp4VttCues_(segmentInfo);\n        return;\n      }\n      if (typeof window.TextDecoder === 'function') {\n        decoder = new window.TextDecoder('utf8');\n      } else {\n        decoder = window.WebVTT.StringDecoder();\n        decodeBytesToString = true;\n      }\n      const parser = new window.WebVTT.Parser(window, window.vttjs, decoder);\n      parser.oncue = segmentInfo.cues.push.bind(segmentInfo.cues);\n      parser.ontimestampmap = map => {\n        segmentInfo.timestampmap = map;\n      };\n      parser.onparsingerror = error => {\n        videojs.log.warn('Error encountered when parsing cues: ' + error.message);\n      };\n      if (segmentInfo.segment.map) {\n        let mapData = segmentInfo.segment.map.bytes;\n        if (decodeBytesToString) {\n          mapData = uint8ToUtf8(mapData);\n        }\n        parser.parse(mapData);\n      }\n      let segmentData = segmentInfo.bytes;\n      if (decodeBytesToString) {\n        segmentData = uint8ToUtf8(segmentData);\n      }\n      parser.parse(segmentData);\n      parser.flush();\n    }\n    /**\n     * Updates the start and end times of any cues parsed by the WebVTT parser using\n     * the information parsed from the X-TIMESTAMP-MAP header and a TS to media time mapping\n     * from the SyncController\n     *\n     * @param {Object} segmentInfo\n     *        a segment info object that describes the current segment\n     * @param {Object} mappingObj\n     *        object containing a mapping from TS to media time\n     * @param {Object} playlist\n     *        the playlist object containing the segment\n     * @private\n     */\n\n    updateTimeMapping_(segmentInfo, mappingObj, playlist) {\n      const segment = segmentInfo.segment;\n      if (!mappingObj) {\n        // If the sync controller does not have a mapping of TS to Media Time for the\n        // timeline, then we don't have enough information to update the cue\n        // start/end times\n        return;\n      }\n      if (!segmentInfo.cues.length) {\n        // If there are no cues, we also do not have enough information to figure out\n        // segment timing. Mark that the segment contains no cues so we don't re-request\n        // an empty segment.\n        segment.empty = true;\n        return;\n      }\n      const {\n        MPEGTS,\n        LOCAL\n      } = segmentInfo.timestampmap;\n      /**\n       * From the spec:\n       * The MPEGTS media timestamp MUST use a 90KHz timescale,\n       * even when non-WebVTT Media Segments use a different timescale.\n       */\n\n      const mpegTsInSeconds = MPEGTS / clock_1;\n      const diff = mpegTsInSeconds - LOCAL + mappingObj.mapping;\n      segmentInfo.cues.forEach(cue => {\n        const duration = cue.endTime - cue.startTime;\n        const startTime = this.handleRollover_(cue.startTime + diff, mappingObj.time);\n        cue.startTime = Math.max(startTime, 0);\n        cue.endTime = Math.max(startTime + duration, 0);\n      });\n      if (!playlist.syncInfo) {\n        const firstStart = segmentInfo.cues[0].startTime;\n        const lastStart = segmentInfo.cues[segmentInfo.cues.length - 1].startTime;\n        playlist.syncInfo = {\n          mediaSequence: playlist.mediaSequence + segmentInfo.mediaIndex,\n          time: Math.min(firstStart, lastStart - segment.duration)\n        };\n      }\n    }\n    /**\n     * MPEG-TS PES timestamps are limited to 2^33.\n     * Once they reach 2^33, they roll over to 0.\n     * mux.js handles PES timestamp rollover for the following scenarios:\n     * [forward rollover(right)] ->\n     *    PES timestamps monotonically increase, and once they reach 2^33, they roll over to 0\n     * [backward rollover(left)] -->\n     *    we seek back to position before rollover.\n     *\n     * According to the HLS SPEC:\n     * When synchronizing WebVTT with PES timestamps, clients SHOULD account\n     * for cases where the 33-bit PES timestamps have wrapped and the WebVTT\n     * cue times have not.  When the PES timestamp wraps, the WebVTT Segment\n     * SHOULD have a X-TIMESTAMP-MAP header that maps the current WebVTT\n     * time to the new (low valued) PES timestamp.\n     *\n     * So we want to handle rollover here and align VTT Cue start/end time to the player's time.\n     */\n\n    handleRollover_(value, reference) {\n      if (reference === null) {\n        return value;\n      }\n      let valueIn90khz = value * clock_1;\n      const referenceIn90khz = reference * clock_1;\n      let offset;\n      if (referenceIn90khz < valueIn90khz) {\n        // - 2^33\n        offset = -8589934592;\n      } else {\n        // + 2^33\n        offset = 8589934592;\n      } // distance(value - reference) > 2^32\n\n      while (Math.abs(valueIn90khz - referenceIn90khz) > 4294967296) {\n        valueIn90khz += offset;\n      }\n      return valueIn90khz / clock_1;\n    }\n  }\n\n  /**\n   * @file ad-cue-tags.js\n   */\n  /**\n   * Searches for an ad cue that overlaps with the given mediaTime\n   *\n   * @param {Object} track\n   *        the track to find the cue for\n   *\n   * @param {number} mediaTime\n   *        the time to find the cue at\n   *\n   * @return {Object|null}\n   *         the found cue or null\n   */\n\n  const findAdCue = function (track, mediaTime) {\n    const cues = track.cues;\n    for (let i = 0; i < cues.length; i++) {\n      const cue = cues[i];\n      if (mediaTime >= cue.adStartTime && mediaTime <= cue.adEndTime) {\n        return cue;\n      }\n    }\n    return null;\n  };\n  const updateAdCues = function (media, track, offset = 0) {\n    if (!media.segments) {\n      return;\n    }\n    let mediaTime = offset;\n    let cue;\n    for (let i = 0; i < media.segments.length; i++) {\n      const segment = media.segments[i];\n      if (!cue) {\n        // Since the cues will span for at least the segment duration, adding a fudge\n        // factor of half segment duration will prevent duplicate cues from being\n        // created when timing info is not exact (e.g. cue start time initialized\n        // at 10.006677, but next call mediaTime is 10.003332 )\n        cue = findAdCue(track, mediaTime + segment.duration / 2);\n      }\n      if (cue) {\n        if ('cueIn' in segment) {\n          // Found a CUE-IN so end the cue\n          cue.endTime = mediaTime;\n          cue.adEndTime = mediaTime;\n          mediaTime += segment.duration;\n          cue = null;\n          continue;\n        }\n        if (mediaTime < cue.endTime) {\n          // Already processed this mediaTime for this cue\n          mediaTime += segment.duration;\n          continue;\n        } // otherwise extend cue until a CUE-IN is found\n\n        cue.endTime += segment.duration;\n      } else {\n        if ('cueOut' in segment) {\n          cue = new window.VTTCue(mediaTime, mediaTime + segment.duration, segment.cueOut);\n          cue.adStartTime = mediaTime; // Assumes tag format to be\n          // #EXT-X-CUE-OUT:30\n\n          cue.adEndTime = mediaTime + parseFloat(segment.cueOut);\n          track.addCue(cue);\n        }\n        if ('cueOutCont' in segment) {\n          // Entered into the middle of an ad cue\n          // Assumes tag formate to be\n          // #EXT-X-CUE-OUT-CONT:10/30\n          const [adOffset, adTotal] = segment.cueOutCont.split('/').map(parseFloat);\n          cue = new window.VTTCue(mediaTime, mediaTime + segment.duration, '');\n          cue.adStartTime = mediaTime - adOffset;\n          cue.adEndTime = cue.adStartTime + adTotal;\n          track.addCue(cue);\n        }\n      }\n      mediaTime += segment.duration;\n    }\n  };\n  class SyncInfo {\n    /**\n     * @param {number} start - media sequence start\n     * @param {number} end - media sequence end\n     * @param {number} segmentIndex - index for associated segment\n     * @param {number|null} [partIndex] - index for associated part\n     * @param {boolean} [appended] - appended indicator\n     *\n     */\n    constructor({\n      start,\n      end,\n      segmentIndex,\n      partIndex = null,\n      appended = false\n    }) {\n      this.start_ = start;\n      this.end_ = end;\n      this.segmentIndex_ = segmentIndex;\n      this.partIndex_ = partIndex;\n      this.appended_ = appended;\n    }\n    isInRange(targetTime) {\n      return targetTime >= this.start && targetTime < this.end;\n    }\n    markAppended() {\n      this.appended_ = true;\n    }\n    resetAppendedStatus() {\n      this.appended_ = false;\n    }\n    get isAppended() {\n      return this.appended_;\n    }\n    get start() {\n      return this.start_;\n    }\n    get end() {\n      return this.end_;\n    }\n    get segmentIndex() {\n      return this.segmentIndex_;\n    }\n    get partIndex() {\n      return this.partIndex_;\n    }\n  }\n  class SyncInfoData {\n    /**\n     *\n     * @param {SyncInfo} segmentSyncInfo - sync info for a given segment\n     * @param {Array<SyncInfo>} [partsSyncInfo] - sync infos for a list of parts for a given segment\n     */\n    constructor(segmentSyncInfo, partsSyncInfo = []) {\n      this.segmentSyncInfo_ = segmentSyncInfo;\n      this.partsSyncInfo_ = partsSyncInfo;\n    }\n    get segmentSyncInfo() {\n      return this.segmentSyncInfo_;\n    }\n    get partsSyncInfo() {\n      return this.partsSyncInfo_;\n    }\n    get hasPartsSyncInfo() {\n      return this.partsSyncInfo_.length > 0;\n    }\n    resetAppendStatus() {\n      this.segmentSyncInfo_.resetAppendedStatus();\n      this.partsSyncInfo_.forEach(partSyncInfo => partSyncInfo.resetAppendedStatus());\n    }\n  }\n  class MediaSequenceSync {\n    constructor() {\n      /**\n       * @type {Map<number, SyncInfoData>}\n       * @protected\n       */\n      this.storage_ = new Map();\n      this.diagnostics_ = '';\n      this.isReliable_ = false;\n      this.start_ = -Infinity;\n      this.end_ = Infinity;\n    }\n    get start() {\n      return this.start_;\n    }\n    get end() {\n      return this.end_;\n    }\n    get diagnostics() {\n      return this.diagnostics_;\n    }\n    get isReliable() {\n      return this.isReliable_;\n    }\n    resetAppendedStatus() {\n      this.storage_.forEach(syncInfoData => syncInfoData.resetAppendStatus());\n    }\n    /**\n     * update sync storage\n     *\n     * @param {Object} playlist\n     * @param {number} currentTime\n     *\n     * @return {void}\n     */\n\n    update(playlist, currentTime) {\n      const {\n        mediaSequence,\n        segments\n      } = playlist;\n      this.isReliable_ = this.isReliablePlaylist_(mediaSequence, segments);\n      if (!this.isReliable_) {\n        return;\n      }\n      return this.updateStorage_(segments, mediaSequence, this.calculateBaseTime_(mediaSequence, segments, currentTime));\n    }\n    /**\n     * @param {number} targetTime\n     * @return {SyncInfo|null}\n     */\n\n    getSyncInfoForTime(targetTime) {\n      for (const {\n        segmentSyncInfo,\n        partsSyncInfo\n      } of this.storage_.values()) {\n        // Normal segment flow:\n        if (!partsSyncInfo.length) {\n          if (segmentSyncInfo.isInRange(targetTime)) {\n            return segmentSyncInfo;\n          }\n        } else {\n          // Low latency flow:\n          for (const partSyncInfo of partsSyncInfo) {\n            if (partSyncInfo.isInRange(targetTime)) {\n              return partSyncInfo;\n            }\n          }\n        }\n      }\n      return null;\n    }\n    getSyncInfoForMediaSequence(mediaSequence) {\n      return this.storage_.get(mediaSequence);\n    }\n    updateStorage_(segments, startingMediaSequence, startingTime) {\n      const newStorage = new Map();\n      let newDiagnostics = '\\n';\n      let currentStart = startingTime;\n      let currentMediaSequence = startingMediaSequence;\n      this.start_ = currentStart;\n      segments.forEach((segment, segmentIndex) => {\n        const prevSyncInfoData = this.storage_.get(currentMediaSequence);\n        const segmentStart = currentStart;\n        const segmentEnd = segmentStart + segment.duration;\n        const segmentIsAppended = Boolean(prevSyncInfoData && prevSyncInfoData.segmentSyncInfo && prevSyncInfoData.segmentSyncInfo.isAppended);\n        const segmentSyncInfo = new SyncInfo({\n          start: segmentStart,\n          end: segmentEnd,\n          appended: segmentIsAppended,\n          segmentIndex\n        });\n        segment.syncInfo = segmentSyncInfo;\n        let currentPartStart = currentStart;\n        const partsSyncInfo = (segment.parts || []).map((part, partIndex) => {\n          const partStart = currentPartStart;\n          const partEnd = currentPartStart + part.duration;\n          const partIsAppended = Boolean(prevSyncInfoData && prevSyncInfoData.partsSyncInfo && prevSyncInfoData.partsSyncInfo[partIndex] && prevSyncInfoData.partsSyncInfo[partIndex].isAppended);\n          const partSyncInfo = new SyncInfo({\n            start: partStart,\n            end: partEnd,\n            appended: partIsAppended,\n            segmentIndex,\n            partIndex\n          });\n          currentPartStart = partEnd;\n          newDiagnostics += `Media Sequence: ${currentMediaSequence}.${partIndex} | Range: ${partStart} --> ${partEnd} | Appended: ${partIsAppended}\\n`;\n          part.syncInfo = partSyncInfo;\n          return partSyncInfo;\n        });\n        newStorage.set(currentMediaSequence, new SyncInfoData(segmentSyncInfo, partsSyncInfo));\n        newDiagnostics += `${compactSegmentUrlDescription(segment.resolvedUri)} | Media Sequence: ${currentMediaSequence} | Range: ${segmentStart} --> ${segmentEnd} | Appended: ${segmentIsAppended}\\n`;\n        currentMediaSequence++;\n        currentStart = segmentEnd;\n      });\n      this.end_ = currentStart;\n      this.storage_ = newStorage;\n      this.diagnostics_ = newDiagnostics;\n    }\n    calculateBaseTime_(mediaSequence, segments, fallback) {\n      if (!this.storage_.size) {\n        // Initial setup flow.\n        return 0;\n      }\n      if (this.storage_.has(mediaSequence)) {\n        // Normal flow.\n        return this.storage_.get(mediaSequence).segmentSyncInfo.start;\n      }\n      const minMediaSequenceFromStorage = Math.min(...this.storage_.keys()); // This case captures a race condition that can occur if we switch to a new media playlist that is out of date\n      // and still has an older Media Sequence. If this occurs, we extrapolate backwards to get the base time.\n\n      if (mediaSequence < minMediaSequenceFromStorage) {\n        const mediaSequenceDiff = minMediaSequenceFromStorage - mediaSequence;\n        let baseTime = this.storage_.get(minMediaSequenceFromStorage).segmentSyncInfo.start;\n        for (let i = 0; i < mediaSequenceDiff; i++) {\n          const segment = segments[i];\n          baseTime -= segment.duration;\n        }\n        return baseTime;\n      } // Fallback flow.\n      // There is a gap between last recorded playlist and a new one received.\n\n      return fallback;\n    }\n    isReliablePlaylist_(mediaSequence, segments) {\n      return mediaSequence !== undefined && mediaSequence !== null && Array.isArray(segments) && segments.length;\n    }\n  }\n  class DependantMediaSequenceSync extends MediaSequenceSync {\n    constructor(parent) {\n      super();\n      this.parent_ = parent;\n    }\n    calculateBaseTime_(mediaSequence, segments, fallback) {\n      if (!this.storage_.size) {\n        const info = this.parent_.getSyncInfoForMediaSequence(mediaSequence);\n        if (info) {\n          return info.segmentSyncInfo.start;\n        }\n        return 0;\n      }\n      return super.calculateBaseTime_(mediaSequence, segments, fallback);\n    }\n  }\n\n  /**\n   * @file sync-controller.js\n   */\n  // synchronize expired playlist segments.\n  // the max media sequence diff is 48 hours of live stream\n  // content with two second segments. Anything larger than that\n  // will likely be invalid.\n\n  const MAX_MEDIA_SEQUENCE_DIFF_FOR_SYNC = 86400;\n  const syncPointStrategies = [\n  // Stategy \"VOD\": Handle the VOD-case where the sync-point is *always*\n  //                the equivalence display-time 0 === segment-index 0\n  {\n    name: 'VOD',\n    run: (syncController, playlist, duration, currentTimeline, currentTime) => {\n      if (duration !== Infinity) {\n        const syncPoint = {\n          time: 0,\n          segmentIndex: 0,\n          partIndex: null\n        };\n        return syncPoint;\n      }\n      return null;\n    }\n  }, {\n    name: 'MediaSequence',\n    /**\n     * run media sequence strategy\n     *\n     * @param {SyncController} syncController\n     * @param {Object} playlist\n     * @param {number} duration\n     * @param {number} currentTimeline\n     * @param {number} currentTime\n     * @param {string} type\n     */\n    run: (syncController, playlist, duration, currentTimeline, currentTime, type) => {\n      const mediaSequenceSync = syncController.getMediaSequenceSync(type);\n      if (!mediaSequenceSync) {\n        return null;\n      }\n      if (!mediaSequenceSync.isReliable) {\n        return null;\n      }\n      const syncInfo = mediaSequenceSync.getSyncInfoForTime(currentTime);\n      if (!syncInfo) {\n        return null;\n      }\n      return {\n        time: syncInfo.start,\n        partIndex: syncInfo.partIndex,\n        segmentIndex: syncInfo.segmentIndex\n      };\n    }\n  },\n  // Stategy \"ProgramDateTime\": We have a program-date-time tag in this playlist\n  {\n    name: 'ProgramDateTime',\n    run: (syncController, playlist, duration, currentTimeline, currentTime) => {\n      if (!Object.keys(syncController.timelineToDatetimeMappings).length) {\n        return null;\n      }\n      let syncPoint = null;\n      let lastDistance = null;\n      const partsAndSegments = getPartsAndSegments(playlist);\n      currentTime = currentTime || 0;\n      for (let i = 0; i < partsAndSegments.length; i++) {\n        // start from the end and loop backwards for live\n        // or start from the front and loop forwards for non-live\n        const index = playlist.endList || currentTime === 0 ? i : partsAndSegments.length - (i + 1);\n        const partAndSegment = partsAndSegments[index];\n        const segment = partAndSegment.segment;\n        const datetimeMapping = syncController.timelineToDatetimeMappings[segment.timeline];\n        if (!datetimeMapping || !segment.dateTimeObject) {\n          continue;\n        }\n        const segmentTime = segment.dateTimeObject.getTime() / 1000;\n        let start = segmentTime + datetimeMapping; // take part duration into account.\n\n        if (segment.parts && typeof partAndSegment.partIndex === 'number') {\n          for (let z = 0; z < partAndSegment.partIndex; z++) {\n            start += segment.parts[z].duration;\n          }\n        }\n        const distance = Math.abs(currentTime - start); // Once the distance begins to increase, or if distance is 0, we have passed\n        // currentTime and can stop looking for better candidates\n\n        if (lastDistance !== null && (distance === 0 || lastDistance < distance)) {\n          break;\n        }\n        lastDistance = distance;\n        syncPoint = {\n          time: start,\n          segmentIndex: partAndSegment.segmentIndex,\n          partIndex: partAndSegment.partIndex\n        };\n      }\n      return syncPoint;\n    }\n  },\n  // Stategy \"Segment\": We have a known time mapping for a timeline and a\n  //                    segment in the current timeline with timing data\n  {\n    name: 'Segment',\n    run: (syncController, playlist, duration, currentTimeline, currentTime) => {\n      let syncPoint = null;\n      let lastDistance = null;\n      currentTime = currentTime || 0;\n      const partsAndSegments = getPartsAndSegments(playlist);\n      for (let i = 0; i < partsAndSegments.length; i++) {\n        // start from the end and loop backwards for live\n        // or start from the front and loop forwards for non-live\n        const index = playlist.endList || currentTime === 0 ? i : partsAndSegments.length - (i + 1);\n        const partAndSegment = partsAndSegments[index];\n        const segment = partAndSegment.segment;\n        const start = partAndSegment.part && partAndSegment.part.start || segment && segment.start;\n        if (segment.timeline === currentTimeline && typeof start !== 'undefined') {\n          const distance = Math.abs(currentTime - start); // Once the distance begins to increase, we have passed\n          // currentTime and can stop looking for better candidates\n\n          if (lastDistance !== null && lastDistance < distance) {\n            break;\n          }\n          if (!syncPoint || lastDistance === null || lastDistance >= distance) {\n            lastDistance = distance;\n            syncPoint = {\n              time: start,\n              segmentIndex: partAndSegment.segmentIndex,\n              partIndex: partAndSegment.partIndex\n            };\n          }\n        }\n      }\n      return syncPoint;\n    }\n  },\n  // Stategy \"Discontinuity\": We have a discontinuity with a known\n  //                          display-time\n  {\n    name: 'Discontinuity',\n    run: (syncController, playlist, duration, currentTimeline, currentTime) => {\n      let syncPoint = null;\n      currentTime = currentTime || 0;\n      if (playlist.discontinuityStarts && playlist.discontinuityStarts.length) {\n        let lastDistance = null;\n        for (let i = 0; i < playlist.discontinuityStarts.length; i++) {\n          const segmentIndex = playlist.discontinuityStarts[i];\n          const discontinuity = playlist.discontinuitySequence + i + 1;\n          const discontinuitySync = syncController.discontinuities[discontinuity];\n          if (discontinuitySync) {\n            const distance = Math.abs(currentTime - discontinuitySync.time); // Once the distance begins to increase, we have passed\n            // currentTime and can stop looking for better candidates\n\n            if (lastDistance !== null && lastDistance < distance) {\n              break;\n            }\n            if (!syncPoint || lastDistance === null || lastDistance >= distance) {\n              lastDistance = distance;\n              syncPoint = {\n                time: discontinuitySync.time,\n                segmentIndex,\n                partIndex: null\n              };\n            }\n          }\n        }\n      }\n      return syncPoint;\n    }\n  },\n  // Stategy \"Playlist\": We have a playlist with a known mapping of\n  //                     segment index to display time\n  {\n    name: 'Playlist',\n    run: (syncController, playlist, duration, currentTimeline, currentTime) => {\n      if (playlist.syncInfo) {\n        const syncPoint = {\n          time: playlist.syncInfo.time,\n          segmentIndex: playlist.syncInfo.mediaSequence - playlist.mediaSequence,\n          partIndex: null\n        };\n        return syncPoint;\n      }\n      return null;\n    }\n  }];\n  class SyncController extends videojs.EventTarget {\n    constructor(options = {}) {\n      super(); // ...for synching across variants\n\n      this.timelines = [];\n      this.discontinuities = [];\n      this.timelineToDatetimeMappings = {}; // TODO: this map should be only available for HLS. Since only HLS has MediaSequence.\n      //  For some reason this map helps with syncing between quality switch for MPEG-DASH as well.\n      //  Moreover if we disable this map for MPEG-DASH - quality switch will be broken.\n      //  MPEG-DASH should have its own separate sync strategy\n\n      const main = new MediaSequenceSync();\n      const audio = new DependantMediaSequenceSync(main);\n      const vtt = new DependantMediaSequenceSync(main);\n      this.mediaSequenceStorage_ = {\n        main,\n        audio,\n        vtt\n      };\n      this.logger_ = logger('SyncController');\n    }\n    /**\n     *\n     * @param {string} loaderType\n     * @return {MediaSequenceSync|null}\n     */\n\n    getMediaSequenceSync(loaderType) {\n      return this.mediaSequenceStorage_[loaderType] || null;\n    }\n    /**\n     * Find a sync-point for the playlist specified\n     *\n     * A sync-point is defined as a known mapping from display-time to\n     * a segment-index in the current playlist.\n     *\n     * @param {Playlist} playlist\n     *        The playlist that needs a sync-point\n     * @param {number} duration\n     *        Duration of the MediaSource (Infinite if playing a live source)\n     * @param {number} currentTimeline\n     *        The last timeline from which a segment was loaded\n     * @param {number} currentTime\n     *        Current player's time\n     * @param {string} type\n     *        Segment loader type\n     * @return {Object}\n     *          A sync-point object\n     */\n\n    getSyncPoint(playlist, duration, currentTimeline, currentTime, type) {\n      // Always use VOD sync point for VOD\n      if (duration !== Infinity) {\n        const vodSyncPointStrategy = syncPointStrategies.find(({\n          name\n        }) => name === 'VOD');\n        return vodSyncPointStrategy.run(this, playlist, duration);\n      }\n      const syncPoints = this.runStrategies_(playlist, duration, currentTimeline, currentTime, type);\n      if (!syncPoints.length) {\n        // Signal that we need to attempt to get a sync-point manually\n        // by fetching a segment in the playlist and constructing\n        // a sync-point from that information\n        return null;\n      } // If we have exact match just return it instead of finding the nearest distance\n\n      for (const syncPointInfo of syncPoints) {\n        const {\n          syncPoint,\n          strategy\n        } = syncPointInfo;\n        const {\n          segmentIndex,\n          time\n        } = syncPoint;\n        if (segmentIndex < 0) {\n          continue;\n        }\n        const selectedSegment = playlist.segments[segmentIndex];\n        const start = time;\n        const end = start + selectedSegment.duration;\n        this.logger_(`Strategy: ${strategy}. Current time: ${currentTime}. selected segment: ${segmentIndex}. Time: [${start} -> ${end}]}`);\n        if (currentTime >= start && currentTime < end) {\n          this.logger_('Found sync point with exact match: ', syncPoint);\n          return syncPoint;\n        }\n      } // Now find the sync-point that is closest to the currentTime because\n      // that should result in the most accurate guess about which segment\n      // to fetch\n\n      return this.selectSyncPoint_(syncPoints, {\n        key: 'time',\n        value: currentTime\n      });\n    }\n    /**\n     * Calculate the amount of time that has expired off the playlist during playback\n     *\n     * @param {Playlist} playlist\n     *        Playlist object to calculate expired from\n     * @param {number} duration\n     *        Duration of the MediaSource (Infinity if playling a live source)\n     * @return {number|null}\n     *          The amount of time that has expired off the playlist during playback. Null\n     *          if no sync-points for the playlist can be found.\n     */\n\n    getExpiredTime(playlist, duration) {\n      if (!playlist || !playlist.segments) {\n        return null;\n      }\n      const syncPoints = this.runStrategies_(playlist, duration, playlist.discontinuitySequence, 0); // Without sync-points, there is not enough information to determine the expired time\n\n      if (!syncPoints.length) {\n        return null;\n      }\n      const syncPoint = this.selectSyncPoint_(syncPoints, {\n        key: 'segmentIndex',\n        value: 0\n      }); // If the sync-point is beyond the start of the playlist, we want to subtract the\n      // duration from index 0 to syncPoint.segmentIndex instead of adding.\n\n      if (syncPoint.segmentIndex > 0) {\n        syncPoint.time *= -1;\n      }\n      return Math.abs(syncPoint.time + sumDurations({\n        defaultDuration: playlist.targetDuration,\n        durationList: playlist.segments,\n        startIndex: syncPoint.segmentIndex,\n        endIndex: 0\n      }));\n    }\n    /**\n     * Runs each sync-point strategy and returns a list of sync-points returned by the\n     * strategies\n     *\n     * @private\n     * @param {Playlist} playlist\n     *        The playlist that needs a sync-point\n     * @param {number} duration\n     *        Duration of the MediaSource (Infinity if playing a live source)\n     * @param {number} currentTimeline\n     *        The last timeline from which a segment was loaded\n     * @param {number} currentTime\n     *        Current player's time\n     * @param {string} type\n     *        Segment loader type\n     * @return {Array}\n     *          A list of sync-point objects\n     */\n\n    runStrategies_(playlist, duration, currentTimeline, currentTime, type) {\n      const syncPoints = []; // Try to find a sync-point in by utilizing various strategies...\n\n      for (let i = 0; i < syncPointStrategies.length; i++) {\n        const strategy = syncPointStrategies[i];\n        const syncPoint = strategy.run(this, playlist, duration, currentTimeline, currentTime, type);\n        if (syncPoint) {\n          syncPoint.strategy = strategy.name;\n          syncPoints.push({\n            strategy: strategy.name,\n            syncPoint\n          });\n        }\n      }\n      return syncPoints;\n    }\n    /**\n     * Selects the sync-point nearest the specified target\n     *\n     * @private\n     * @param {Array} syncPoints\n     *        List of sync-points to select from\n     * @param {Object} target\n     *        Object specifying the property and value we are targeting\n     * @param {string} target.key\n     *        Specifies the property to target. Must be either 'time' or 'segmentIndex'\n     * @param {number} target.value\n     *        The value to target for the specified key.\n     * @return {Object}\n     *          The sync-point nearest the target\n     */\n\n    selectSyncPoint_(syncPoints, target) {\n      let bestSyncPoint = syncPoints[0].syncPoint;\n      let bestDistance = Math.abs(syncPoints[0].syncPoint[target.key] - target.value);\n      let bestStrategy = syncPoints[0].strategy;\n      for (let i = 1; i < syncPoints.length; i++) {\n        const newDistance = Math.abs(syncPoints[i].syncPoint[target.key] - target.value);\n        if (newDistance < bestDistance) {\n          bestDistance = newDistance;\n          bestSyncPoint = syncPoints[i].syncPoint;\n          bestStrategy = syncPoints[i].strategy;\n        }\n      }\n      this.logger_(`syncPoint for [${target.key}: ${target.value}] chosen with strategy` + ` [${bestStrategy}]: [time:${bestSyncPoint.time},` + ` segmentIndex:${bestSyncPoint.segmentIndex}` + (typeof bestSyncPoint.partIndex === 'number' ? `,partIndex:${bestSyncPoint.partIndex}` : '') + ']');\n      return bestSyncPoint;\n    }\n    /**\n     * Save any meta-data present on the segments when segments leave\n     * the live window to the playlist to allow for synchronization at the\n     * playlist level later.\n     *\n     * @param {Playlist} oldPlaylist - The previous active playlist\n     * @param {Playlist} newPlaylist - The updated and most current playlist\n     */\n\n    saveExpiredSegmentInfo(oldPlaylist, newPlaylist) {\n      const mediaSequenceDiff = newPlaylist.mediaSequence - oldPlaylist.mediaSequence; // Ignore large media sequence gaps\n\n      if (mediaSequenceDiff > MAX_MEDIA_SEQUENCE_DIFF_FOR_SYNC) {\n        videojs.log.warn(`Not saving expired segment info. Media sequence gap ${mediaSequenceDiff} is too large.`);\n        return;\n      } // When a segment expires from the playlist and it has a start time\n      // save that information as a possible sync-point reference in future\n\n      for (let i = mediaSequenceDiff - 1; i >= 0; i--) {\n        const lastRemovedSegment = oldPlaylist.segments[i];\n        if (lastRemovedSegment && typeof lastRemovedSegment.start !== 'undefined') {\n          newPlaylist.syncInfo = {\n            mediaSequence: oldPlaylist.mediaSequence + i,\n            time: lastRemovedSegment.start\n          };\n          this.logger_(`playlist refresh sync: [time:${newPlaylist.syncInfo.time},` + ` mediaSequence: ${newPlaylist.syncInfo.mediaSequence}]`);\n          this.trigger('syncinfoupdate');\n          break;\n        }\n      }\n    }\n    /**\n     * Save the mapping from playlist's ProgramDateTime to display. This should only happen\n     * before segments start to load.\n     *\n     * @param {Playlist} playlist - The currently active playlist\n     */\n\n    setDateTimeMappingForStart(playlist) {\n      // It's possible for the playlist to be updated before playback starts, meaning time\n      // zero is not yet set. If, during these playlist refreshes, a discontinuity is\n      // crossed, then the old time zero mapping (for the prior timeline) would be retained\n      // unless the mappings are cleared.\n      this.timelineToDatetimeMappings = {};\n      if (playlist.segments && playlist.segments.length && playlist.segments[0].dateTimeObject) {\n        const firstSegment = playlist.segments[0];\n        const playlistTimestamp = firstSegment.dateTimeObject.getTime() / 1000;\n        this.timelineToDatetimeMappings[firstSegment.timeline] = -playlistTimestamp;\n      }\n    }\n    /**\n     * Calculates and saves timeline mappings, playlist sync info, and segment timing values\n     * based on the latest timing information.\n     *\n     * @param {Object} options\n     *        Options object\n     * @param {SegmentInfo} options.segmentInfo\n     *        The current active request information\n     * @param {boolean} options.shouldSaveTimelineMapping\n     *        If there's a timeline change, determines if the timeline mapping should be\n     *        saved for timeline mapping and program date time mappings.\n     */\n\n    saveSegmentTimingInfo({\n      segmentInfo,\n      shouldSaveTimelineMapping\n    }) {\n      const didCalculateSegmentTimeMapping = this.calculateSegmentTimeMapping_(segmentInfo, segmentInfo.timingInfo, shouldSaveTimelineMapping);\n      const segment = segmentInfo.segment;\n      if (didCalculateSegmentTimeMapping) {\n        this.saveDiscontinuitySyncInfo_(segmentInfo); // If the playlist does not have sync information yet, record that information\n        // now with segment timing information\n\n        if (!segmentInfo.playlist.syncInfo) {\n          segmentInfo.playlist.syncInfo = {\n            mediaSequence: segmentInfo.playlist.mediaSequence + segmentInfo.mediaIndex,\n            time: segment.start\n          };\n        }\n      }\n      const dateTime = segment.dateTimeObject;\n      if (segment.discontinuity && shouldSaveTimelineMapping && dateTime) {\n        this.timelineToDatetimeMappings[segment.timeline] = -(dateTime.getTime() / 1000);\n      }\n    }\n    timestampOffsetForTimeline(timeline) {\n      if (typeof this.timelines[timeline] === 'undefined') {\n        return null;\n      }\n      return this.timelines[timeline].time;\n    }\n    mappingForTimeline(timeline) {\n      if (typeof this.timelines[timeline] === 'undefined') {\n        return null;\n      }\n      return this.timelines[timeline].mapping;\n    }\n    /**\n     * Use the \"media time\" for a segment to generate a mapping to \"display time\" and\n     * save that display time to the segment.\n     *\n     * @private\n     * @param {SegmentInfo} segmentInfo\n     *        The current active request information\n     * @param {Object} timingInfo\n     *        The start and end time of the current segment in \"media time\"\n     * @param {boolean} shouldSaveTimelineMapping\n     *        If there's a timeline change, determines if the timeline mapping should be\n     *        saved in timelines.\n     * @return {boolean}\n     *          Returns false if segment time mapping could not be calculated\n     */\n\n    calculateSegmentTimeMapping_(segmentInfo, timingInfo, shouldSaveTimelineMapping) {\n      // TODO: remove side effects\n      const segment = segmentInfo.segment;\n      const part = segmentInfo.part;\n      let mappingObj = this.timelines[segmentInfo.timeline];\n      let start;\n      let end;\n      if (typeof segmentInfo.timestampOffset === 'number') {\n        mappingObj = {\n          time: segmentInfo.startOfSegment,\n          mapping: segmentInfo.startOfSegment - timingInfo.start\n        };\n        if (shouldSaveTimelineMapping) {\n          this.timelines[segmentInfo.timeline] = mappingObj;\n          this.trigger('timestampoffset');\n          this.logger_(`time mapping for timeline ${segmentInfo.timeline}: ` + `[time: ${mappingObj.time}] [mapping: ${mappingObj.mapping}]`);\n        }\n        start = segmentInfo.startOfSegment;\n        end = timingInfo.end + mappingObj.mapping;\n      } else if (mappingObj) {\n        start = timingInfo.start + mappingObj.mapping;\n        end = timingInfo.end + mappingObj.mapping;\n      } else {\n        return false;\n      }\n      if (part) {\n        part.start = start;\n        part.end = end;\n      } // If we don't have a segment start yet or the start value we got\n      // is less than our current segment.start value, save a new start value.\n      // We have to do this because parts will have segment timing info saved\n      // multiple times and we want segment start to be the earliest part start\n      // value for that segment.\n\n      if (!segment.start || start < segment.start) {\n        segment.start = start;\n      }\n      segment.end = end;\n      return true;\n    }\n    /**\n     * Each time we have discontinuity in the playlist, attempt to calculate the location\n     * in display of the start of the discontinuity and save that. We also save an accuracy\n     * value so that we save values with the most accuracy (closest to 0.)\n     *\n     * @private\n     * @param {SegmentInfo} segmentInfo - The current active request information\n     */\n\n    saveDiscontinuitySyncInfo_(segmentInfo) {\n      const playlist = segmentInfo.playlist;\n      const segment = segmentInfo.segment; // If the current segment is a discontinuity then we know exactly where\n      // the start of the range and it's accuracy is 0 (greater accuracy values\n      // mean more approximation)\n\n      if (segment.discontinuity) {\n        this.discontinuities[segment.timeline] = {\n          time: segment.start,\n          accuracy: 0\n        };\n      } else if (playlist.discontinuityStarts && playlist.discontinuityStarts.length) {\n        // Search for future discontinuities that we can provide better timing\n        // information for and save that information for sync purposes\n        for (let i = 0; i < playlist.discontinuityStarts.length; i++) {\n          const segmentIndex = playlist.discontinuityStarts[i];\n          const discontinuity = playlist.discontinuitySequence + i + 1;\n          const mediaIndexDiff = segmentIndex - segmentInfo.mediaIndex;\n          const accuracy = Math.abs(mediaIndexDiff);\n          if (!this.discontinuities[discontinuity] || this.discontinuities[discontinuity].accuracy > accuracy) {\n            let time;\n            if (mediaIndexDiff < 0) {\n              time = segment.start - sumDurations({\n                defaultDuration: playlist.targetDuration,\n                durationList: playlist.segments,\n                startIndex: segmentInfo.mediaIndex,\n                endIndex: segmentIndex\n              });\n            } else {\n              time = segment.end + sumDurations({\n                defaultDuration: playlist.targetDuration,\n                durationList: playlist.segments,\n                startIndex: segmentInfo.mediaIndex + 1,\n                endIndex: segmentIndex\n              });\n            }\n            this.discontinuities[discontinuity] = {\n              time,\n              accuracy\n            };\n          }\n        }\n      }\n    }\n    dispose() {\n      this.trigger('dispose');\n      this.off();\n    }\n  }\n\n  /**\n   * The TimelineChangeController acts as a source for segment loaders to listen for and\n   * keep track of latest and pending timeline changes. This is useful to ensure proper\n   * sync, as each loader may need to make a consideration for what timeline the other\n   * loader is on before making changes which could impact the other loader's media.\n   *\n   * @class TimelineChangeController\n   * @extends videojs.EventTarget\n   */\n\n  class TimelineChangeController extends videojs.EventTarget {\n    constructor() {\n      super();\n      this.pendingTimelineChanges_ = {};\n      this.lastTimelineChanges_ = {};\n    }\n    clearPendingTimelineChange(type) {\n      this.pendingTimelineChanges_[type] = null;\n      this.trigger('pendingtimelinechange');\n    }\n    pendingTimelineChange({\n      type,\n      from,\n      to\n    }) {\n      if (typeof from === 'number' && typeof to === 'number') {\n        this.pendingTimelineChanges_[type] = {\n          type,\n          from,\n          to\n        };\n        this.trigger('pendingtimelinechange');\n      }\n      return this.pendingTimelineChanges_[type];\n    }\n    lastTimelineChange({\n      type,\n      from,\n      to\n    }) {\n      if (typeof from === 'number' && typeof to === 'number') {\n        this.lastTimelineChanges_[type] = {\n          type,\n          from,\n          to\n        };\n        delete this.pendingTimelineChanges_[type];\n        const metadata = {\n          timelineChangeInfo: {\n            from,\n            to\n          }\n        };\n        this.trigger({\n          type: 'timelinechange',\n          metadata\n        });\n      }\n      return this.lastTimelineChanges_[type];\n    }\n    dispose() {\n      this.trigger('dispose');\n      this.pendingTimelineChanges_ = {};\n      this.lastTimelineChanges_ = {};\n      this.off();\n    }\n  }\n\n  /* rollup-plugin-worker-factory start for worker!/home/runner/work/http-streaming/http-streaming/src/decrypter-worker.js */\n  const workerCode = transform(getWorkerString(function () {\n    /**\n     * @file stream.js\n     */\n\n    /**\n     * A lightweight readable stream implemention that handles event dispatching.\n     *\n     * @class Stream\n     */\n\n    var Stream = /*#__PURE__*/function () {\n      function Stream() {\n        this.listeners = {};\n      }\n      /**\n       * Add a listener for a specified event type.\n       *\n       * @param {string} type the event name\n       * @param {Function} listener the callback to be invoked when an event of\n       * the specified type occurs\n       */\n\n      var _proto = Stream.prototype;\n      _proto.on = function on(type, listener) {\n        if (!this.listeners[type]) {\n          this.listeners[type] = [];\n        }\n        this.listeners[type].push(listener);\n      }\n      /**\n       * Remove a listener for a specified event type.\n       *\n       * @param {string} type the event name\n       * @param {Function} listener  a function previously registered for this\n       * type of event through `on`\n       * @return {boolean} if we could turn it off or not\n       */;\n      _proto.off = function off(type, listener) {\n        if (!this.listeners[type]) {\n          return false;\n        }\n        var index = this.listeners[type].indexOf(listener); // TODO: which is better?\n        // In Video.js we slice listener functions\n        // on trigger so that it does not mess up the order\n        // while we loop through.\n        //\n        // Here we slice on off so that the loop in trigger\n        // can continue using it's old reference to loop without\n        // messing up the order.\n\n        this.listeners[type] = this.listeners[type].slice(0);\n        this.listeners[type].splice(index, 1);\n        return index > -1;\n      }\n      /**\n       * Trigger an event of the specified type on this stream. Any additional\n       * arguments to this function are passed as parameters to event listeners.\n       *\n       * @param {string} type the event name\n       */;\n      _proto.trigger = function trigger(type) {\n        var callbacks = this.listeners[type];\n        if (!callbacks) {\n          return;\n        } // Slicing the arguments on every invocation of this method\n        // can add a significant amount of overhead. Avoid the\n        // intermediate object creation for the common case of a\n        // single callback argument\n\n        if (arguments.length === 2) {\n          var length = callbacks.length;\n          for (var i = 0; i < length; ++i) {\n            callbacks[i].call(this, arguments[1]);\n          }\n        } else {\n          var args = Array.prototype.slice.call(arguments, 1);\n          var _length = callbacks.length;\n          for (var _i = 0; _i < _length; ++_i) {\n            callbacks[_i].apply(this, args);\n          }\n        }\n      }\n      /**\n       * Destroys the stream and cleans up.\n       */;\n      _proto.dispose = function dispose() {\n        this.listeners = {};\n      }\n      /**\n       * Forwards all `data` events on this stream to the destination stream. The\n       * destination stream should provide a method `push` to receive the data\n       * events as they arrive.\n       *\n       * @param {Stream} destination the stream that will receive all `data` events\n       * @see http://nodejs.org/api/stream.html#stream_readable_pipe_destination_options\n       */;\n      _proto.pipe = function pipe(destination) {\n        this.on('data', function (data) {\n          destination.push(data);\n        });\n      };\n      return Stream;\n    }();\n    /*! @name pkcs7 @version 1.0.4 @license Apache-2.0 */\n\n    /**\n     * Returns the subarray of a Uint8Array without PKCS#7 padding.\n     *\n     * @param padded {Uint8Array} unencrypted bytes that have been padded\n     * @return {Uint8Array} the unpadded bytes\n     * @see http://tools.ietf.org/html/rfc5652\n     */\n\n    function unpad(padded) {\n      return padded.subarray(0, padded.byteLength - padded[padded.byteLength - 1]);\n    }\n    /*! @name aes-decrypter @version 4.0.2 @license Apache-2.0 */\n\n    /**\n     * @file aes.js\n     *\n     * This file contains an adaptation of the AES decryption algorithm\n     * from the Standford Javascript Cryptography Library. That work is\n     * covered by the following copyright and permissions notice:\n     *\n     * Copyright 2009-2010 Emily Stark, Mike Hamburg, Dan Boneh.\n     * All rights reserved.\n     *\n     * Redistribution and use in source and binary forms, with or without\n     * modification, are permitted provided that the following conditions are\n     * met:\n     *\n     * 1. Redistributions of source code must retain the above copyright\n     *    notice, this list of conditions and the following disclaimer.\n     *\n     * 2. Redistributions in binary form must reproduce the above\n     *    copyright notice, this list of conditions and the following\n     *    disclaimer in the documentation and/or other materials provided\n     *    with the distribution.\n     *\n     * THIS SOFTWARE IS PROVIDED BY THE AUTHORS ``AS IS'' AND ANY EXPRESS OR\n     * IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED\n     * WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE\n     * DISCLAIMED. IN NO EVENT SHALL <COPYRIGHT HOLDER> OR CONTRIBUTORS BE\n     * LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR\n     * CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF\n     * SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR\n     * BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,\n     * WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE\n     * OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN\n     * IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.\n     *\n     * The views and conclusions contained in the software and documentation\n     * are those of the authors and should not be interpreted as representing\n     * official policies, either expressed or implied, of the authors.\n     */\n\n    /**\n     * Expand the S-box tables.\n     *\n     * @private\n     */\n\n    const precompute = function () {\n      const tables = [[[], [], [], [], []], [[], [], [], [], []]];\n      const encTable = tables[0];\n      const decTable = tables[1];\n      const sbox = encTable[4];\n      const sboxInv = decTable[4];\n      let i;\n      let x;\n      let xInv;\n      const d = [];\n      const th = [];\n      let x2;\n      let x4;\n      let x8;\n      let s;\n      let tEnc;\n      let tDec; // Compute double and third tables\n\n      for (i = 0; i < 256; i++) {\n        th[(d[i] = i << 1 ^ (i >> 7) * 283) ^ i] = i;\n      }\n      for (x = xInv = 0; !sbox[x]; x ^= x2 || 1, xInv = th[xInv] || 1) {\n        // Compute sbox\n        s = xInv ^ xInv << 1 ^ xInv << 2 ^ xInv << 3 ^ xInv << 4;\n        s = s >> 8 ^ s & 255 ^ 99;\n        sbox[x] = s;\n        sboxInv[s] = x; // Compute MixColumns\n\n        x8 = d[x4 = d[x2 = d[x]]];\n        tDec = x8 * 0x1010101 ^ x4 * 0x10001 ^ x2 * 0x101 ^ x * 0x1010100;\n        tEnc = d[s] * 0x101 ^ s * 0x1010100;\n        for (i = 0; i < 4; i++) {\n          encTable[i][x] = tEnc = tEnc << 24 ^ tEnc >>> 8;\n          decTable[i][s] = tDec = tDec << 24 ^ tDec >>> 8;\n        }\n      } // Compactify. Considerable speedup on Firefox.\n\n      for (i = 0; i < 5; i++) {\n        encTable[i] = encTable[i].slice(0);\n        decTable[i] = decTable[i].slice(0);\n      }\n      return tables;\n    };\n    let aesTables = null;\n    /**\n     * Schedule out an AES key for both encryption and decryption. This\n     * is a low-level class. Use a cipher mode to do bulk encryption.\n     *\n     * @class AES\n     * @param key {Array} The key as an array of 4, 6 or 8 words.\n     */\n\n    class AES {\n      constructor(key) {\n        /**\n        * The expanded S-box and inverse S-box tables. These will be computed\n        * on the client so that we don't have to send them down the wire.\n        *\n        * There are two tables, _tables[0] is for encryption and\n        * _tables[1] is for decryption.\n        *\n        * The first 4 sub-tables are the expanded S-box with MixColumns. The\n        * last (_tables[01][4]) is the S-box itself.\n        *\n        * @private\n        */\n        // if we have yet to precompute the S-box tables\n        // do so now\n        if (!aesTables) {\n          aesTables = precompute();\n        } // then make a copy of that object for use\n\n        this._tables = [[aesTables[0][0].slice(), aesTables[0][1].slice(), aesTables[0][2].slice(), aesTables[0][3].slice(), aesTables[0][4].slice()], [aesTables[1][0].slice(), aesTables[1][1].slice(), aesTables[1][2].slice(), aesTables[1][3].slice(), aesTables[1][4].slice()]];\n        let i;\n        let j;\n        let tmp;\n        const sbox = this._tables[0][4];\n        const decTable = this._tables[1];\n        const keyLen = key.length;\n        let rcon = 1;\n        if (keyLen !== 4 && keyLen !== 6 && keyLen !== 8) {\n          throw new Error('Invalid aes key size');\n        }\n        const encKey = key.slice(0);\n        const decKey = [];\n        this._key = [encKey, decKey]; // schedule encryption keys\n\n        for (i = keyLen; i < 4 * keyLen + 28; i++) {\n          tmp = encKey[i - 1]; // apply sbox\n\n          if (i % keyLen === 0 || keyLen === 8 && i % keyLen === 4) {\n            tmp = sbox[tmp >>> 24] << 24 ^ sbox[tmp >> 16 & 255] << 16 ^ sbox[tmp >> 8 & 255] << 8 ^ sbox[tmp & 255]; // shift rows and add rcon\n\n            if (i % keyLen === 0) {\n              tmp = tmp << 8 ^ tmp >>> 24 ^ rcon << 24;\n              rcon = rcon << 1 ^ (rcon >> 7) * 283;\n            }\n          }\n          encKey[i] = encKey[i - keyLen] ^ tmp;\n        } // schedule decryption keys\n\n        for (j = 0; i; j++, i--) {\n          tmp = encKey[j & 3 ? i : i - 4];\n          if (i <= 4 || j < 4) {\n            decKey[j] = tmp;\n          } else {\n            decKey[j] = decTable[0][sbox[tmp >>> 24]] ^ decTable[1][sbox[tmp >> 16 & 255]] ^ decTable[2][sbox[tmp >> 8 & 255]] ^ decTable[3][sbox[tmp & 255]];\n          }\n        }\n      }\n      /**\n       * Decrypt 16 bytes, specified as four 32-bit words.\n       *\n       * @param {number} encrypted0 the first word to decrypt\n       * @param {number} encrypted1 the second word to decrypt\n       * @param {number} encrypted2 the third word to decrypt\n       * @param {number} encrypted3 the fourth word to decrypt\n       * @param {Int32Array} out the array to write the decrypted words\n       * into\n       * @param {number} offset the offset into the output array to start\n       * writing results\n       * @return {Array} The plaintext.\n       */\n\n      decrypt(encrypted0, encrypted1, encrypted2, encrypted3, out, offset) {\n        const key = this._key[1]; // state variables a,b,c,d are loaded with pre-whitened data\n\n        let a = encrypted0 ^ key[0];\n        let b = encrypted3 ^ key[1];\n        let c = encrypted2 ^ key[2];\n        let d = encrypted1 ^ key[3];\n        let a2;\n        let b2;\n        let c2; // key.length === 2 ?\n\n        const nInnerRounds = key.length / 4 - 2;\n        let i;\n        let kIndex = 4;\n        const table = this._tables[1]; // load up the tables\n\n        const table0 = table[0];\n        const table1 = table[1];\n        const table2 = table[2];\n        const table3 = table[3];\n        const sbox = table[4]; // Inner rounds. Cribbed from OpenSSL.\n\n        for (i = 0; i < nInnerRounds; i++) {\n          a2 = table0[a >>> 24] ^ table1[b >> 16 & 255] ^ table2[c >> 8 & 255] ^ table3[d & 255] ^ key[kIndex];\n          b2 = table0[b >>> 24] ^ table1[c >> 16 & 255] ^ table2[d >> 8 & 255] ^ table3[a & 255] ^ key[kIndex + 1];\n          c2 = table0[c >>> 24] ^ table1[d >> 16 & 255] ^ table2[a >> 8 & 255] ^ table3[b & 255] ^ key[kIndex + 2];\n          d = table0[d >>> 24] ^ table1[a >> 16 & 255] ^ table2[b >> 8 & 255] ^ table3[c & 255] ^ key[kIndex + 3];\n          kIndex += 4;\n          a = a2;\n          b = b2;\n          c = c2;\n        } // Last round.\n\n        for (i = 0; i < 4; i++) {\n          out[(3 & -i) + offset] = sbox[a >>> 24] << 24 ^ sbox[b >> 16 & 255] << 16 ^ sbox[c >> 8 & 255] << 8 ^ sbox[d & 255] ^ key[kIndex++];\n          a2 = a;\n          a = b;\n          b = c;\n          c = d;\n          d = a2;\n        }\n      }\n    }\n    /**\n     * @file async-stream.js\n     */\n\n    /**\n     * A wrapper around the Stream class to use setTimeout\n     * and run stream \"jobs\" Asynchronously\n     *\n     * @class AsyncStream\n     * @extends Stream\n     */\n\n    class AsyncStream extends Stream {\n      constructor() {\n        super(Stream);\n        this.jobs = [];\n        this.delay = 1;\n        this.timeout_ = null;\n      }\n      /**\n       * process an async job\n       *\n       * @private\n       */\n\n      processJob_() {\n        this.jobs.shift()();\n        if (this.jobs.length) {\n          this.timeout_ = setTimeout(this.processJob_.bind(this), this.delay);\n        } else {\n          this.timeout_ = null;\n        }\n      }\n      /**\n       * push a job into the stream\n       *\n       * @param {Function} job the job to push into the stream\n       */\n\n      push(job) {\n        this.jobs.push(job);\n        if (!this.timeout_) {\n          this.timeout_ = setTimeout(this.processJob_.bind(this), this.delay);\n        }\n      }\n    }\n    /**\n     * @file decrypter.js\n     *\n     * An asynchronous implementation of AES-128 CBC decryption with\n     * PKCS#7 padding.\n     */\n\n    /**\n     * Convert network-order (big-endian) bytes into their little-endian\n     * representation.\n     */\n\n    const ntoh = function (word) {\n      return word << 24 | (word & 0xff00) << 8 | (word & 0xff0000) >> 8 | word >>> 24;\n    };\n    /**\n     * Decrypt bytes using AES-128 with CBC and PKCS#7 padding.\n     *\n     * @param {Uint8Array} encrypted the encrypted bytes\n     * @param {Uint32Array} key the bytes of the decryption key\n     * @param {Uint32Array} initVector the initialization vector (IV) to\n     * use for the first round of CBC.\n     * @return {Uint8Array} the decrypted bytes\n     *\n     * @see http://en.wikipedia.org/wiki/Advanced_Encryption_Standard\n     * @see http://en.wikipedia.org/wiki/Block_cipher_mode_of_operation#Cipher_Block_Chaining_.28CBC.29\n     * @see https://tools.ietf.org/html/rfc2315\n     */\n\n    const decrypt = function (encrypted, key, initVector) {\n      // word-level access to the encrypted bytes\n      const encrypted32 = new Int32Array(encrypted.buffer, encrypted.byteOffset, encrypted.byteLength >> 2);\n      const decipher = new AES(Array.prototype.slice.call(key)); // byte and word-level access for the decrypted output\n\n      const decrypted = new Uint8Array(encrypted.byteLength);\n      const decrypted32 = new Int32Array(decrypted.buffer); // temporary variables for working with the IV, encrypted, and\n      // decrypted data\n\n      let init0;\n      let init1;\n      let init2;\n      let init3;\n      let encrypted0;\n      let encrypted1;\n      let encrypted2;\n      let encrypted3; // iteration variable\n\n      let wordIx; // pull out the words of the IV to ensure we don't modify the\n      // passed-in reference and easier access\n\n      init0 = initVector[0];\n      init1 = initVector[1];\n      init2 = initVector[2];\n      init3 = initVector[3]; // decrypt four word sequences, applying cipher-block chaining (CBC)\n      // to each decrypted block\n\n      for (wordIx = 0; wordIx < encrypted32.length; wordIx += 4) {\n        // convert big-endian (network order) words into little-endian\n        // (javascript order)\n        encrypted0 = ntoh(encrypted32[wordIx]);\n        encrypted1 = ntoh(encrypted32[wordIx + 1]);\n        encrypted2 = ntoh(encrypted32[wordIx + 2]);\n        encrypted3 = ntoh(encrypted32[wordIx + 3]); // decrypt the block\n\n        decipher.decrypt(encrypted0, encrypted1, encrypted2, encrypted3, decrypted32, wordIx); // XOR with the IV, and restore network byte-order to obtain the\n        // plaintext\n\n        decrypted32[wordIx] = ntoh(decrypted32[wordIx] ^ init0);\n        decrypted32[wordIx + 1] = ntoh(decrypted32[wordIx + 1] ^ init1);\n        decrypted32[wordIx + 2] = ntoh(decrypted32[wordIx + 2] ^ init2);\n        decrypted32[wordIx + 3] = ntoh(decrypted32[wordIx + 3] ^ init3); // setup the IV for the next round\n\n        init0 = encrypted0;\n        init1 = encrypted1;\n        init2 = encrypted2;\n        init3 = encrypted3;\n      }\n      return decrypted;\n    };\n    /**\n     * The `Decrypter` class that manages decryption of AES\n     * data through `AsyncStream` objects and the `decrypt`\n     * function\n     *\n     * @param {Uint8Array} encrypted the encrypted bytes\n     * @param {Uint32Array} key the bytes of the decryption key\n     * @param {Uint32Array} initVector the initialization vector (IV) to\n     * @param {Function} done the function to run when done\n     * @class Decrypter\n     */\n\n    class Decrypter {\n      constructor(encrypted, key, initVector, done) {\n        const step = Decrypter.STEP;\n        const encrypted32 = new Int32Array(encrypted.buffer);\n        const decrypted = new Uint8Array(encrypted.byteLength);\n        let i = 0;\n        this.asyncStream_ = new AsyncStream(); // split up the encryption job and do the individual chunks asynchronously\n\n        this.asyncStream_.push(this.decryptChunk_(encrypted32.subarray(i, i + step), key, initVector, decrypted));\n        for (i = step; i < encrypted32.length; i += step) {\n          initVector = new Uint32Array([ntoh(encrypted32[i - 4]), ntoh(encrypted32[i - 3]), ntoh(encrypted32[i - 2]), ntoh(encrypted32[i - 1])]);\n          this.asyncStream_.push(this.decryptChunk_(encrypted32.subarray(i, i + step), key, initVector, decrypted));\n        } // invoke the done() callback when everything is finished\n\n        this.asyncStream_.push(function () {\n          // remove pkcs#7 padding from the decrypted bytes\n          done(null, unpad(decrypted));\n        });\n      }\n      /**\n       * a getter for step the maximum number of bytes to process at one time\n       *\n       * @return {number} the value of step 32000\n       */\n\n      static get STEP() {\n        // 4 * 8000;\n        return 32000;\n      }\n      /**\n       * @private\n       */\n\n      decryptChunk_(encrypted, key, initVector, decrypted) {\n        return function () {\n          const bytes = decrypt(encrypted, key, initVector);\n          decrypted.set(bytes, encrypted.byteOffset);\n        };\n      }\n    }\n    var commonjsGlobal = typeof globalThis !== 'undefined' ? globalThis : typeof window !== 'undefined' ? window : typeof global !== 'undefined' ? global : typeof self !== 'undefined' ? self : {};\n    var win;\n    if (typeof window !== \"undefined\") {\n      win = window;\n    } else if (typeof commonjsGlobal !== \"undefined\") {\n      win = commonjsGlobal;\n    } else if (typeof self !== \"undefined\") {\n      win = self;\n    } else {\n      win = {};\n    }\n    var window_1 = win;\n    var isArrayBufferView = function isArrayBufferView(obj) {\n      if (ArrayBuffer.isView === 'function') {\n        return ArrayBuffer.isView(obj);\n      }\n      return obj && obj.buffer instanceof ArrayBuffer;\n    };\n    var BigInt = window_1.BigInt || Number;\n    [BigInt('0x1'), BigInt('0x100'), BigInt('0x10000'), BigInt('0x1000000'), BigInt('0x100000000'), BigInt('0x10000000000'), BigInt('0x1000000000000'), BigInt('0x100000000000000'), BigInt('0x10000000000000000')];\n    (function () {\n      var a = new Uint16Array([0xFFCC]);\n      var b = new Uint8Array(a.buffer, a.byteOffset, a.byteLength);\n      if (b[0] === 0xFF) {\n        return 'big';\n      }\n      if (b[0] === 0xCC) {\n        return 'little';\n      }\n      return 'unknown';\n    })();\n    /**\n     * Creates an object for sending to a web worker modifying properties that are TypedArrays\n     * into a new object with seperated properties for the buffer, byteOffset, and byteLength.\n     *\n     * @param {Object} message\n     *        Object of properties and values to send to the web worker\n     * @return {Object}\n     *         Modified message with TypedArray values expanded\n     * @function createTransferableMessage\n     */\n\n    const createTransferableMessage = function (message) {\n      const transferable = {};\n      Object.keys(message).forEach(key => {\n        const value = message[key];\n        if (isArrayBufferView(value)) {\n          transferable[key] = {\n            bytes: value.buffer,\n            byteOffset: value.byteOffset,\n            byteLength: value.byteLength\n          };\n        } else {\n          transferable[key] = value;\n        }\n      });\n      return transferable;\n    };\n    /* global self */\n\n    /**\n     * Our web worker interface so that things can talk to aes-decrypter\n     * that will be running in a web worker. the scope is passed to this by\n     * webworkify.\n     */\n\n    self.onmessage = function (event) {\n      const data = event.data;\n      const encrypted = new Uint8Array(data.encrypted.bytes, data.encrypted.byteOffset, data.encrypted.byteLength);\n      const key = new Uint32Array(data.key.bytes, data.key.byteOffset, data.key.byteLength / 4);\n      const iv = new Uint32Array(data.iv.bytes, data.iv.byteOffset, data.iv.byteLength / 4);\n      /* eslint-disable no-new, handle-callback-err */\n\n      new Decrypter(encrypted, key, iv, function (err, bytes) {\n        self.postMessage(createTransferableMessage({\n          source: data.source,\n          decrypted: bytes\n        }), [bytes.buffer]);\n      });\n      /* eslint-enable */\n    };\n  }));\n  var Decrypter = factory(workerCode);\n  /* rollup-plugin-worker-factory end for worker!/home/runner/work/http-streaming/http-streaming/src/decrypter-worker.js */\n\n  /**\n   * Convert the properties of an HLS track into an audioTrackKind.\n   *\n   * @private\n   */\n\n  const audioTrackKind_ = properties => {\n    let kind = properties.default ? 'main' : 'alternative';\n    if (properties.characteristics && properties.characteristics.indexOf('public.accessibility.describes-video') >= 0) {\n      kind = 'main-desc';\n    }\n    return kind;\n  };\n  /**\n   * Pause provided segment loader and playlist loader if active\n   *\n   * @param {SegmentLoader} segmentLoader\n   *        SegmentLoader to pause\n   * @param {Object} mediaType\n   *        Active media type\n   * @function stopLoaders\n   */\n\n  const stopLoaders = (segmentLoader, mediaType) => {\n    segmentLoader.abort();\n    segmentLoader.pause();\n    if (mediaType && mediaType.activePlaylistLoader) {\n      mediaType.activePlaylistLoader.pause();\n      mediaType.activePlaylistLoader = null;\n    }\n  };\n  /**\n   * Start loading provided segment loader and playlist loader\n   *\n   * @param {PlaylistLoader} playlistLoader\n   *        PlaylistLoader to start loading\n   * @param {Object} mediaType\n   *        Active media type\n   * @function startLoaders\n   */\n\n  const startLoaders = (playlistLoader, mediaType) => {\n    // Segment loader will be started after `loadedmetadata` or `loadedplaylist` from the\n    // playlist loader\n    mediaType.activePlaylistLoader = playlistLoader;\n    playlistLoader.load();\n  };\n  /**\n   * Returns a function to be called when the media group changes. It performs a\n   * non-destructive (preserve the buffer) resync of the SegmentLoader. This is because a\n   * change of group is merely a rendition switch of the same content at another encoding,\n   * rather than a change of content, such as switching audio from English to Spanish.\n   *\n   * @param {string} type\n   *        MediaGroup type\n   * @param {Object} settings\n   *        Object containing required information for media groups\n   * @return {Function}\n   *         Handler for a non-destructive resync of SegmentLoader when the active media\n   *         group changes.\n   * @function onGroupChanged\n   */\n\n  const onGroupChanged = (type, settings) => () => {\n    const {\n      segmentLoaders: {\n        [type]: segmentLoader,\n        main: mainSegmentLoader\n      },\n      mediaTypes: {\n        [type]: mediaType\n      }\n    } = settings;\n    const activeTrack = mediaType.activeTrack();\n    const activeGroup = mediaType.getActiveGroup();\n    const previousActiveLoader = mediaType.activePlaylistLoader;\n    const lastGroup = mediaType.lastGroup_; // the group did not change do nothing\n\n    if (activeGroup && lastGroup && activeGroup.id === lastGroup.id) {\n      return;\n    }\n    mediaType.lastGroup_ = activeGroup;\n    mediaType.lastTrack_ = activeTrack;\n    stopLoaders(segmentLoader, mediaType);\n    if (!activeGroup || activeGroup.isMainPlaylist) {\n      // there is no group active or active group is a main playlist and won't change\n      return;\n    }\n    if (!activeGroup.playlistLoader) {\n      if (previousActiveLoader) {\n        // The previous group had a playlist loader but the new active group does not\n        // this means we are switching from demuxed to muxed audio. In this case we want to\n        // do a destructive reset of the main segment loader and not restart the audio\n        // loaders.\n        mainSegmentLoader.resetEverything();\n      }\n      return;\n    } // Non-destructive resync\n\n    segmentLoader.resyncLoader();\n    startLoaders(activeGroup.playlistLoader, mediaType);\n  };\n  const onGroupChanging = (type, settings) => () => {\n    const {\n      segmentLoaders: {\n        [type]: segmentLoader\n      },\n      mediaTypes: {\n        [type]: mediaType\n      }\n    } = settings;\n    mediaType.lastGroup_ = null;\n    segmentLoader.abort();\n    segmentLoader.pause();\n  };\n  /**\n   * Returns a function to be called when the media track changes. It performs a\n   * destructive reset of the SegmentLoader to ensure we start loading as close to\n   * currentTime as possible.\n   *\n   * @param {string} type\n   *        MediaGroup type\n   * @param {Object} settings\n   *        Object containing required information for media groups\n   * @return {Function}\n   *         Handler for a destructive reset of SegmentLoader when the active media\n   *         track changes.\n   * @function onTrackChanged\n   */\n\n  const onTrackChanged = (type, settings) => () => {\n    const {\n      mainPlaylistLoader,\n      segmentLoaders: {\n        [type]: segmentLoader,\n        main: mainSegmentLoader\n      },\n      mediaTypes: {\n        [type]: mediaType\n      }\n    } = settings;\n    const activeTrack = mediaType.activeTrack();\n    const activeGroup = mediaType.getActiveGroup();\n    const previousActiveLoader = mediaType.activePlaylistLoader;\n    const lastTrack = mediaType.lastTrack_; // track did not change, do nothing\n\n    if (lastTrack && activeTrack && lastTrack.id === activeTrack.id) {\n      return;\n    }\n    mediaType.lastGroup_ = activeGroup;\n    mediaType.lastTrack_ = activeTrack;\n    stopLoaders(segmentLoader, mediaType);\n    if (!activeGroup) {\n      // there is no group active so we do not want to restart loaders\n      return;\n    }\n    if (activeGroup.isMainPlaylist) {\n      // track did not change, do nothing\n      if (!activeTrack || !lastTrack || activeTrack.id === lastTrack.id) {\n        return;\n      }\n      const pc = settings.vhs.playlistController_;\n      const newPlaylist = pc.selectPlaylist(); // media will not change do nothing\n\n      if (pc.media() === newPlaylist) {\n        return;\n      }\n      mediaType.logger_(`track change. Switching main audio from ${lastTrack.id} to ${activeTrack.id}`);\n      mainPlaylistLoader.pause();\n      mainSegmentLoader.resetEverything();\n      pc.fastQualityChange_(newPlaylist);\n      return;\n    }\n    if (type === 'AUDIO') {\n      if (!activeGroup.playlistLoader) {\n        // when switching from demuxed audio/video to muxed audio/video (noted by no\n        // playlist loader for the audio group), we want to do a destructive reset of the\n        // main segment loader and not restart the audio loaders\n        mainSegmentLoader.setAudio(true); // don't have to worry about disabling the audio of the audio segment loader since\n        // it should be stopped\n\n        mainSegmentLoader.resetEverything();\n        return;\n      } // although the segment loader is an audio segment loader, call the setAudio\n      // function to ensure it is prepared to re-append the init segment (or handle other\n      // config changes)\n\n      segmentLoader.setAudio(true);\n      mainSegmentLoader.setAudio(false);\n    }\n    if (previousActiveLoader === activeGroup.playlistLoader) {\n      // Nothing has actually changed. This can happen because track change events can fire\n      // multiple times for a \"single\" change. One for enabling the new active track, and\n      // one for disabling the track that was active\n      startLoaders(activeGroup.playlistLoader, mediaType);\n      return;\n    }\n    if (segmentLoader.track) {\n      // For WebVTT, set the new text track in the segmentloader\n      segmentLoader.track(activeTrack);\n    } // destructive reset\n\n    segmentLoader.resetEverything();\n    startLoaders(activeGroup.playlistLoader, mediaType);\n  };\n  const onError = {\n    /**\n     * Returns a function to be called when a SegmentLoader or PlaylistLoader encounters\n     * an error.\n     *\n     * @param {string} type\n     *        MediaGroup type\n     * @param {Object} settings\n     *        Object containing required information for media groups\n     * @return {Function}\n     *         Error handler. Logs warning (or error if the playlist is excluded) to\n     *         console and switches back to default audio track.\n     * @function onError.AUDIO\n     */\n    AUDIO: (type, settings) => () => {\n      const {\n        mediaTypes: {\n          [type]: mediaType\n        },\n        excludePlaylist\n      } = settings; // switch back to default audio track\n\n      const activeTrack = mediaType.activeTrack();\n      const activeGroup = mediaType.activeGroup();\n      const id = (activeGroup.filter(group => group.default)[0] || activeGroup[0]).id;\n      const defaultTrack = mediaType.tracks[id];\n      if (activeTrack === defaultTrack) {\n        // Default track encountered an error. All we can do now is exclude the current\n        // rendition and hope another will switch audio groups\n        excludePlaylist({\n          error: {\n            message: 'Problem encountered loading the default audio track.'\n          }\n        });\n        return;\n      }\n      videojs.log.warn('Problem encountered loading the alternate audio track.' + 'Switching back to default.');\n      for (const trackId in mediaType.tracks) {\n        mediaType.tracks[trackId].enabled = mediaType.tracks[trackId] === defaultTrack;\n      }\n      mediaType.onTrackChanged();\n    },\n    /**\n     * Returns a function to be called when a SegmentLoader or PlaylistLoader encounters\n     * an error.\n     *\n     * @param {string} type\n     *        MediaGroup type\n     * @param {Object} settings\n     *        Object containing required information for media groups\n     * @return {Function}\n     *         Error handler. Logs warning to console and disables the active subtitle track\n     * @function onError.SUBTITLES\n     */\n    SUBTITLES: (type, settings) => () => {\n      const {\n        mediaTypes: {\n          [type]: mediaType\n        }\n      } = settings;\n      videojs.log.warn('Problem encountered loading the subtitle track.' + 'Disabling subtitle track.');\n      const track = mediaType.activeTrack();\n      if (track) {\n        track.mode = 'disabled';\n      }\n      mediaType.onTrackChanged();\n    }\n  };\n  const setupListeners = {\n    /**\n     * Setup event listeners for audio playlist loader\n     *\n     * @param {string} type\n     *        MediaGroup type\n     * @param {PlaylistLoader|null} playlistLoader\n     *        PlaylistLoader to register listeners on\n     * @param {Object} settings\n     *        Object containing required information for media groups\n     * @function setupListeners.AUDIO\n     */\n    AUDIO: (type, playlistLoader, settings) => {\n      if (!playlistLoader) {\n        // no playlist loader means audio will be muxed with the video\n        return;\n      }\n      const {\n        tech,\n        requestOptions,\n        segmentLoaders: {\n          [type]: segmentLoader\n        }\n      } = settings;\n      playlistLoader.on('loadedmetadata', () => {\n        const media = playlistLoader.media();\n        segmentLoader.playlist(media, requestOptions); // if the video is already playing, or if this isn't a live video and preload\n        // permits, start downloading segments\n\n        if (!tech.paused() || media.endList && tech.preload() !== 'none') {\n          segmentLoader.load();\n        }\n      });\n      playlistLoader.on('loadedplaylist', () => {\n        segmentLoader.playlist(playlistLoader.media(), requestOptions); // If the player isn't paused, ensure that the segment loader is running\n\n        if (!tech.paused()) {\n          segmentLoader.load();\n        }\n      });\n      playlistLoader.on('error', onError[type](type, settings));\n    },\n    /**\n     * Setup event listeners for subtitle playlist loader\n     *\n     * @param {string} type\n     *        MediaGroup type\n     * @param {PlaylistLoader|null} playlistLoader\n     *        PlaylistLoader to register listeners on\n     * @param {Object} settings\n     *        Object containing required information for media groups\n     * @function setupListeners.SUBTITLES\n     */\n    SUBTITLES: (type, playlistLoader, settings) => {\n      const {\n        tech,\n        requestOptions,\n        segmentLoaders: {\n          [type]: segmentLoader\n        },\n        mediaTypes: {\n          [type]: mediaType\n        }\n      } = settings;\n      playlistLoader.on('loadedmetadata', () => {\n        const media = playlistLoader.media();\n        segmentLoader.playlist(media, requestOptions);\n        segmentLoader.track(mediaType.activeTrack()); // if the video is already playing, or if this isn't a live video and preload\n        // permits, start downloading segments\n\n        if (!tech.paused() || media.endList && tech.preload() !== 'none') {\n          segmentLoader.load();\n        }\n      });\n      playlistLoader.on('loadedplaylist', () => {\n        segmentLoader.playlist(playlistLoader.media(), requestOptions); // If the player isn't paused, ensure that the segment loader is running\n\n        if (!tech.paused()) {\n          segmentLoader.load();\n        }\n      });\n      playlistLoader.on('error', onError[type](type, settings));\n    }\n  };\n  const initialize = {\n    /**\n     * Setup PlaylistLoaders and AudioTracks for the audio groups\n     *\n     * @param {string} type\n     *        MediaGroup type\n     * @param {Object} settings\n     *        Object containing required information for media groups\n     * @function initialize.AUDIO\n     */\n    'AUDIO': (type, settings) => {\n      const {\n        vhs,\n        sourceType,\n        segmentLoaders: {\n          [type]: segmentLoader\n        },\n        requestOptions,\n        main: {\n          mediaGroups\n        },\n        mediaTypes: {\n          [type]: {\n            groups,\n            tracks,\n            logger_\n          }\n        },\n        mainPlaylistLoader\n      } = settings;\n      const audioOnlyMain = isAudioOnly(mainPlaylistLoader.main); // force a default if we have none\n\n      if (!mediaGroups[type] || Object.keys(mediaGroups[type]).length === 0) {\n        mediaGroups[type] = {\n          main: {\n            default: {\n              default: true\n            }\n          }\n        };\n        if (audioOnlyMain) {\n          mediaGroups[type].main.default.playlists = mainPlaylistLoader.main.playlists;\n        }\n      }\n      for (const groupId in mediaGroups[type]) {\n        if (!groups[groupId]) {\n          groups[groupId] = [];\n        }\n        for (const variantLabel in mediaGroups[type][groupId]) {\n          let properties = mediaGroups[type][groupId][variantLabel];\n          let playlistLoader;\n          if (audioOnlyMain) {\n            logger_(`AUDIO group '${groupId}' label '${variantLabel}' is a main playlist`);\n            properties.isMainPlaylist = true;\n            playlistLoader = null; // if vhs-json was provided as the source, and the media playlist was resolved,\n            // use the resolved media playlist object\n          } else if (sourceType === 'vhs-json' && properties.playlists) {\n            playlistLoader = new PlaylistLoader(properties.playlists[0], vhs, requestOptions);\n          } else if (properties.resolvedUri) {\n            playlistLoader = new PlaylistLoader(properties.resolvedUri, vhs, requestOptions); // TODO: dash isn't the only type with properties.playlists\n            // should we even have properties.playlists in this check.\n          } else if (properties.playlists && sourceType === 'dash') {\n            playlistLoader = new DashPlaylistLoader(properties.playlists[0], vhs, requestOptions, mainPlaylistLoader);\n          } else {\n            // no resolvedUri means the audio is muxed with the video when using this\n            // audio track\n            playlistLoader = null;\n          }\n          properties = merge({\n            id: variantLabel,\n            playlistLoader\n          }, properties);\n          setupListeners[type](type, properties.playlistLoader, settings);\n          groups[groupId].push(properties);\n          if (typeof tracks[variantLabel] === 'undefined') {\n            const track = new videojs.AudioTrack({\n              id: variantLabel,\n              kind: audioTrackKind_(properties),\n              enabled: false,\n              language: properties.language,\n              default: properties.default,\n              label: variantLabel\n            });\n            tracks[variantLabel] = track;\n          }\n        }\n      } // setup single error event handler for the segment loader\n\n      segmentLoader.on('error', onError[type](type, settings));\n    },\n    /**\n     * Setup PlaylistLoaders and TextTracks for the subtitle groups\n     *\n     * @param {string} type\n     *        MediaGroup type\n     * @param {Object} settings\n     *        Object containing required information for media groups\n     * @function initialize.SUBTITLES\n     */\n    'SUBTITLES': (type, settings) => {\n      const {\n        tech,\n        vhs,\n        sourceType,\n        segmentLoaders: {\n          [type]: segmentLoader\n        },\n        requestOptions,\n        main: {\n          mediaGroups\n        },\n        mediaTypes: {\n          [type]: {\n            groups,\n            tracks\n          }\n        },\n        mainPlaylistLoader\n      } = settings;\n      for (const groupId in mediaGroups[type]) {\n        if (!groups[groupId]) {\n          groups[groupId] = [];\n        }\n        for (const variantLabel in mediaGroups[type][groupId]) {\n          if (!vhs.options_.useForcedSubtitles && mediaGroups[type][groupId][variantLabel].forced) {\n            // Subtitle playlists with the forced attribute are not selectable in Safari.\n            // According to Apple's HLS Authoring Specification:\n            //   If content has forced subtitles and regular subtitles in a given language,\n            //   the regular subtitles track in that language MUST contain both the forced\n            //   subtitles and the regular subtitles for that language.\n            // Because of this requirement and that Safari does not add forced subtitles,\n            // forced subtitles are skipped here to maintain consistent experience across\n            // all platforms\n            continue;\n          }\n          let properties = mediaGroups[type][groupId][variantLabel];\n          let playlistLoader;\n          if (sourceType === 'hls') {\n            playlistLoader = new PlaylistLoader(properties.resolvedUri, vhs, requestOptions);\n          } else if (sourceType === 'dash') {\n            const playlists = properties.playlists.filter(p => p.excludeUntil !== Infinity);\n            if (!playlists.length) {\n              return;\n            }\n            playlistLoader = new DashPlaylistLoader(properties.playlists[0], vhs, requestOptions, mainPlaylistLoader);\n          } else if (sourceType === 'vhs-json') {\n            playlistLoader = new PlaylistLoader(\n            // if the vhs-json object included the media playlist, use the media playlist\n            // as provided, otherwise use the resolved URI to load the playlist\n            properties.playlists ? properties.playlists[0] : properties.resolvedUri, vhs, requestOptions);\n          }\n          properties = merge({\n            id: variantLabel,\n            playlistLoader\n          }, properties);\n          setupListeners[type](type, properties.playlistLoader, settings);\n          groups[groupId].push(properties);\n          if (typeof tracks[variantLabel] === 'undefined') {\n            const track = tech.addRemoteTextTrack({\n              id: variantLabel,\n              kind: 'subtitles',\n              default: properties.default && properties.autoselect,\n              language: properties.language,\n              label: variantLabel\n            }, false).track;\n            tracks[variantLabel] = track;\n          }\n        }\n      } // setup single error event handler for the segment loader\n\n      segmentLoader.on('error', onError[type](type, settings));\n    },\n    /**\n     * Setup TextTracks for the closed-caption groups\n     *\n     * @param {String} type\n     *        MediaGroup type\n     * @param {Object} settings\n     *        Object containing required information for media groups\n     * @function initialize['CLOSED-CAPTIONS']\n     */\n    'CLOSED-CAPTIONS': (type, settings) => {\n      const {\n        tech,\n        main: {\n          mediaGroups\n        },\n        mediaTypes: {\n          [type]: {\n            groups,\n            tracks\n          }\n        }\n      } = settings;\n      for (const groupId in mediaGroups[type]) {\n        if (!groups[groupId]) {\n          groups[groupId] = [];\n        }\n        for (const variantLabel in mediaGroups[type][groupId]) {\n          const properties = mediaGroups[type][groupId][variantLabel]; // Look for either 608 (CCn) or 708 (SERVICEn) caption services\n\n          if (!/^(?:CC|SERVICE)/.test(properties.instreamId)) {\n            continue;\n          }\n          const captionServices = tech.options_.vhs && tech.options_.vhs.captionServices || {};\n          let newProps = {\n            label: variantLabel,\n            language: properties.language,\n            instreamId: properties.instreamId,\n            default: properties.default && properties.autoselect\n          };\n          if (captionServices[newProps.instreamId]) {\n            newProps = merge(newProps, captionServices[newProps.instreamId]);\n          }\n          if (newProps.default === undefined) {\n            delete newProps.default;\n          } // No PlaylistLoader is required for Closed-Captions because the captions are\n          // embedded within the video stream\n\n          groups[groupId].push(merge({\n            id: variantLabel\n          }, properties));\n          if (typeof tracks[variantLabel] === 'undefined') {\n            const track = tech.addRemoteTextTrack({\n              id: newProps.instreamId,\n              kind: 'captions',\n              default: newProps.default,\n              language: newProps.language,\n              label: newProps.label\n            }, false).track;\n            tracks[variantLabel] = track;\n          }\n        }\n      }\n    }\n  };\n  const groupMatch = (list, media) => {\n    for (let i = 0; i < list.length; i++) {\n      if (playlistMatch(media, list[i])) {\n        return true;\n      }\n      if (list[i].playlists && groupMatch(list[i].playlists, media)) {\n        return true;\n      }\n    }\n    return false;\n  };\n  /**\n   * Returns a function used to get the active group of the provided type\n   *\n   * @param {string} type\n   *        MediaGroup type\n   * @param {Object} settings\n   *        Object containing required information for media groups\n   * @return {Function}\n   *         Function that returns the active media group for the provided type. Takes an\n   *         optional parameter {TextTrack} track. If no track is provided, a list of all\n   *         variants in the group, otherwise the variant corresponding to the provided\n   *         track is returned.\n   * @function activeGroup\n   */\n\n  const activeGroup = (type, settings) => track => {\n    const {\n      mainPlaylistLoader,\n      mediaTypes: {\n        [type]: {\n          groups\n        }\n      }\n    } = settings;\n    const media = mainPlaylistLoader.media();\n    if (!media) {\n      return null;\n    }\n    let variants = null; // set to variants to main media active group\n\n    if (media.attributes[type]) {\n      variants = groups[media.attributes[type]];\n    }\n    const groupKeys = Object.keys(groups);\n    if (!variants) {\n      // find the mainPlaylistLoader media\n      // that is in a media group if we are dealing\n      // with audio only\n      if (type === 'AUDIO' && groupKeys.length > 1 && isAudioOnly(settings.main)) {\n        for (let i = 0; i < groupKeys.length; i++) {\n          const groupPropertyList = groups[groupKeys[i]];\n          if (groupMatch(groupPropertyList, media)) {\n            variants = groupPropertyList;\n            break;\n          }\n        } // use the main group if it exists\n      } else if (groups.main) {\n        variants = groups.main; // only one group, use that one\n      } else if (groupKeys.length === 1) {\n        variants = groups[groupKeys[0]];\n      }\n    }\n    if (typeof track === 'undefined') {\n      return variants;\n    }\n    if (track === null || !variants) {\n      // An active track was specified so a corresponding group is expected. track === null\n      // means no track is currently active so there is no corresponding group\n      return null;\n    }\n    return variants.filter(props => props.id === track.id)[0] || null;\n  };\n  const activeTrack = {\n    /**\n     * Returns a function used to get the active track of type provided\n     *\n     * @param {string} type\n     *        MediaGroup type\n     * @param {Object} settings\n     *        Object containing required information for media groups\n     * @return {Function}\n     *         Function that returns the active media track for the provided type. Returns\n     *         null if no track is active\n     * @function activeTrack.AUDIO\n     */\n    AUDIO: (type, settings) => () => {\n      const {\n        mediaTypes: {\n          [type]: {\n            tracks\n          }\n        }\n      } = settings;\n      for (const id in tracks) {\n        if (tracks[id].enabled) {\n          return tracks[id];\n        }\n      }\n      return null;\n    },\n    /**\n     * Returns a function used to get the active track of type provided\n     *\n     * @param {string} type\n     *        MediaGroup type\n     * @param {Object} settings\n     *        Object containing required information for media groups\n     * @return {Function}\n     *         Function that returns the active media track for the provided type. Returns\n     *         null if no track is active\n     * @function activeTrack.SUBTITLES\n     */\n    SUBTITLES: (type, settings) => () => {\n      const {\n        mediaTypes: {\n          [type]: {\n            tracks\n          }\n        }\n      } = settings;\n      for (const id in tracks) {\n        if (tracks[id].mode === 'showing' || tracks[id].mode === 'hidden') {\n          return tracks[id];\n        }\n      }\n      return null;\n    }\n  };\n  const getActiveGroup = (type, {\n    mediaTypes\n  }) => () => {\n    const activeTrack_ = mediaTypes[type].activeTrack();\n    if (!activeTrack_) {\n      return null;\n    }\n    return mediaTypes[type].activeGroup(activeTrack_);\n  };\n  /**\n   * Setup PlaylistLoaders and Tracks for media groups (Audio, Subtitles,\n   * Closed-Captions) specified in the main manifest.\n   *\n   * @param {Object} settings\n   *        Object containing required information for setting up the media groups\n   * @param {Tech} settings.tech\n   *        The tech of the player\n   * @param {Object} settings.requestOptions\n   *        XHR request options used by the segment loaders\n   * @param {PlaylistLoader} settings.mainPlaylistLoader\n   *        PlaylistLoader for the main source\n   * @param {VhsHandler} settings.vhs\n   *        VHS SourceHandler\n   * @param {Object} settings.main\n   *        The parsed main manifest\n   * @param {Object} settings.mediaTypes\n   *        Object to store the loaders, tracks, and utility methods for each media type\n   * @param {Function} settings.excludePlaylist\n   *        Excludes the current rendition and forces a rendition switch.\n   * @function setupMediaGroups\n   */\n\n  const setupMediaGroups = settings => {\n    ['AUDIO', 'SUBTITLES', 'CLOSED-CAPTIONS'].forEach(type => {\n      initialize[type](type, settings);\n    });\n    const {\n      mediaTypes,\n      mainPlaylistLoader,\n      tech,\n      vhs,\n      segmentLoaders: {\n        ['AUDIO']: audioSegmentLoader,\n        main: mainSegmentLoader\n      }\n    } = settings; // setup active group and track getters and change event handlers\n\n    ['AUDIO', 'SUBTITLES'].forEach(type => {\n      mediaTypes[type].activeGroup = activeGroup(type, settings);\n      mediaTypes[type].activeTrack = activeTrack[type](type, settings);\n      mediaTypes[type].onGroupChanged = onGroupChanged(type, settings);\n      mediaTypes[type].onGroupChanging = onGroupChanging(type, settings);\n      mediaTypes[type].onTrackChanged = onTrackChanged(type, settings);\n      mediaTypes[type].getActiveGroup = getActiveGroup(type, settings);\n    }); // DO NOT enable the default subtitle or caption track.\n    // DO enable the default audio track\n\n    const audioGroup = mediaTypes.AUDIO.activeGroup();\n    if (audioGroup) {\n      const groupId = (audioGroup.filter(group => group.default)[0] || audioGroup[0]).id;\n      mediaTypes.AUDIO.tracks[groupId].enabled = true;\n      mediaTypes.AUDIO.onGroupChanged();\n      mediaTypes.AUDIO.onTrackChanged();\n      const activeAudioGroup = mediaTypes.AUDIO.getActiveGroup(); // a similar check for handling setAudio on each loader is run again each time the\n      // track is changed, but needs to be handled here since the track may not be considered\n      // changed on the first call to onTrackChanged\n\n      if (!activeAudioGroup.playlistLoader) {\n        // either audio is muxed with video or the stream is audio only\n        mainSegmentLoader.setAudio(true);\n      } else {\n        // audio is demuxed\n        mainSegmentLoader.setAudio(false);\n        audioSegmentLoader.setAudio(true);\n      }\n    }\n    mainPlaylistLoader.on('mediachange', () => {\n      ['AUDIO', 'SUBTITLES'].forEach(type => mediaTypes[type].onGroupChanged());\n    });\n    mainPlaylistLoader.on('mediachanging', () => {\n      ['AUDIO', 'SUBTITLES'].forEach(type => mediaTypes[type].onGroupChanging());\n    }); // custom audio track change event handler for usage event\n\n    const onAudioTrackChanged = () => {\n      mediaTypes.AUDIO.onTrackChanged();\n      tech.trigger({\n        type: 'usage',\n        name: 'vhs-audio-change'\n      });\n    };\n    tech.audioTracks().addEventListener('change', onAudioTrackChanged);\n    tech.remoteTextTracks().addEventListener('change', mediaTypes.SUBTITLES.onTrackChanged);\n    vhs.on('dispose', () => {\n      tech.audioTracks().removeEventListener('change', onAudioTrackChanged);\n      tech.remoteTextTracks().removeEventListener('change', mediaTypes.SUBTITLES.onTrackChanged);\n    }); // clear existing audio tracks and add the ones we just created\n\n    tech.clearTracks('audio');\n    for (const id in mediaTypes.AUDIO.tracks) {\n      tech.audioTracks().addTrack(mediaTypes.AUDIO.tracks[id]);\n    }\n  };\n  /**\n   * Creates skeleton object used to store the loaders, tracks, and utility methods for each\n   * media type\n   *\n   * @return {Object}\n   *         Object to store the loaders, tracks, and utility methods for each media type\n   * @function createMediaTypes\n   */\n\n  const createMediaTypes = () => {\n    const mediaTypes = {};\n    ['AUDIO', 'SUBTITLES', 'CLOSED-CAPTIONS'].forEach(type => {\n      mediaTypes[type] = {\n        groups: {},\n        tracks: {},\n        activePlaylistLoader: null,\n        activeGroup: noop,\n        activeTrack: noop,\n        getActiveGroup: noop,\n        onGroupChanged: noop,\n        onTrackChanged: noop,\n        lastTrack_: null,\n        logger_: logger(`MediaGroups[${type}]`)\n      };\n    });\n    return mediaTypes;\n  };\n\n  /**\n   * A utility class for setting properties and maintaining the state of the content steering manifest.\n   *\n   * Content Steering manifest format:\n   * VERSION: number (required) currently only version 1 is supported.\n   * TTL: number in seconds (optional) until the next content steering manifest reload.\n   * RELOAD-URI: string (optional) uri to fetch the next content steering manifest.\n   * SERVICE-LOCATION-PRIORITY or PATHWAY-PRIORITY a non empty array of unique string values.\n   * PATHWAY-CLONES: array (optional) (HLS only) pathway clone objects to copy from other playlists.\n   */\n\n  class SteeringManifest {\n    constructor() {\n      this.priority_ = [];\n      this.pathwayClones_ = new Map();\n    }\n    set version(number) {\n      // Only version 1 is currently supported for both DASH and HLS.\n      if (number === 1) {\n        this.version_ = number;\n      }\n    }\n    set ttl(seconds) {\n      // TTL = time-to-live, default = 300 seconds.\n      this.ttl_ = seconds || 300;\n    }\n    set reloadUri(uri) {\n      if (uri) {\n        // reload URI can be relative to the previous reloadUri.\n        this.reloadUri_ = resolveUrl(this.reloadUri_, uri);\n      }\n    }\n    set priority(array) {\n      // priority must be non-empty and unique values.\n      if (array && array.length) {\n        this.priority_ = array;\n      }\n    }\n    set pathwayClones(array) {\n      // pathwayClones must be non-empty.\n      if (array && array.length) {\n        this.pathwayClones_ = new Map(array.map(clone => [clone.ID, clone]));\n      }\n    }\n    get version() {\n      return this.version_;\n    }\n    get ttl() {\n      return this.ttl_;\n    }\n    get reloadUri() {\n      return this.reloadUri_;\n    }\n    get priority() {\n      return this.priority_;\n    }\n    get pathwayClones() {\n      return this.pathwayClones_;\n    }\n  }\n  /**\n   * This class represents a content steering manifest and associated state. See both HLS and DASH specifications.\n   * HLS: https://developer.apple.com/streaming/HLSContentSteeringSpecification.pdf and\n   * https://datatracker.ietf.org/doc/draft-pantos-hls-rfc8216bis/ section 4.4.6.6.\n   * DASH: https://dashif.org/docs/DASH-IF-CTS-00XX-Content-Steering-Community-Review.pdf\n   *\n   * @param {function} xhr for making a network request from the browser.\n   * @param {function} bandwidth for fetching the current bandwidth from the main segment loader.\n   */\n\n  class ContentSteeringController extends videojs.EventTarget {\n    constructor(xhr, bandwidth) {\n      super();\n      this.currentPathway = null;\n      this.defaultPathway = null;\n      this.queryBeforeStart = false;\n      this.availablePathways_ = new Set();\n      this.steeringManifest = new SteeringManifest();\n      this.proxyServerUrl_ = null;\n      this.manifestType_ = null;\n      this.ttlTimeout_ = null;\n      this.request_ = null;\n      this.currentPathwayClones = new Map();\n      this.nextPathwayClones = new Map();\n      this.excludedSteeringManifestURLs = new Set();\n      this.logger_ = logger('Content Steering');\n      this.xhr_ = xhr;\n      this.getBandwidth_ = bandwidth;\n    }\n    /**\n     * Assigns the content steering tag properties to the steering controller\n     *\n     * @param {string} baseUrl the baseURL from the main manifest for resolving the steering manifest url\n     * @param {Object} steeringTag the content steering tag from the main manifest\n     */\n\n    assignTagProperties(baseUrl, steeringTag) {\n      this.manifestType_ = steeringTag.serverUri ? 'HLS' : 'DASH'; // serverUri is HLS serverURL is DASH\n\n      const steeringUri = steeringTag.serverUri || steeringTag.serverURL;\n      if (!steeringUri) {\n        this.logger_(`steering manifest URL is ${steeringUri}, cannot request steering manifest.`);\n        this.trigger('error');\n        return;\n      } // Content steering manifests can be encoded as a data URI. We can decode, parse and return early if that's the case.\n\n      if (steeringUri.startsWith('data:')) {\n        this.decodeDataUriManifest_(steeringUri.substring(steeringUri.indexOf(',') + 1));\n        return;\n      } // reloadUri is the resolution of the main manifest URL and steering URL.\n\n      this.steeringManifest.reloadUri = resolveUrl(baseUrl, steeringUri); // pathwayId is HLS defaultServiceLocation is DASH\n\n      this.defaultPathway = steeringTag.pathwayId || steeringTag.defaultServiceLocation; // currently only DASH supports the following properties on <ContentSteering> tags.\n\n      this.queryBeforeStart = steeringTag.queryBeforeStart;\n      this.proxyServerUrl_ = steeringTag.proxyServerURL; // trigger a steering event if we have a pathway from the content steering tag.\n      // this tells VHS which segment pathway to start with.\n      // If queryBeforeStart is true we need to wait for the steering manifest response.\n\n      if (this.defaultPathway && !this.queryBeforeStart) {\n        this.trigger('content-steering');\n      }\n    }\n    /**\n     * Requests the content steering manifest and parse the response. This should only be called after\n     * assignTagProperties was called with a content steering tag.\n     *\n     * @param {string} initialUri The optional uri to make the request with.\n     *    If set, the request should be made with exactly what is passed in this variable.\n     *    This scenario should only happen once on initalization.\n     */\n\n    requestSteeringManifest(initial) {\n      const reloadUri = this.steeringManifest.reloadUri;\n      if (!reloadUri) {\n        return;\n      } // We currently don't support passing MPD query parameters directly to the content steering URL as this requires\n      // ExtUrlQueryInfo tag support. See the DASH content steering spec section 8.1.\n      // This request URI accounts for manifest URIs that have been excluded.\n\n      const uri = initial ? reloadUri : this.getRequestURI(reloadUri); // If there are no valid manifest URIs, we should stop content steering.\n\n      if (!uri) {\n        this.logger_('No valid content steering manifest URIs. Stopping content steering.');\n        this.trigger('error');\n        this.dispose();\n        return;\n      }\n      const metadata = {\n        contentSteeringInfo: {\n          uri\n        }\n      };\n      this.trigger({\n        type: 'contentsteeringloadstart',\n        metadata\n      });\n      this.request_ = this.xhr_({\n        uri,\n        requestType: 'content-steering-manifest'\n      }, (error, errorInfo) => {\n        if (error) {\n          // If the client receives HTTP 410 Gone in response to a manifest request,\n          // it MUST NOT issue another request for that URI for the remainder of the\n          // playback session. It MAY continue to use the most-recently obtained set\n          // of Pathways.\n          if (errorInfo.status === 410) {\n            this.logger_(`manifest request 410 ${error}.`);\n            this.logger_(`There will be no more content steering requests to ${uri} this session.`);\n            this.excludedSteeringManifestURLs.add(uri);\n            return;\n          } // If the client receives HTTP 429 Too Many Requests with a Retry-After\n          // header in response to a manifest request, it SHOULD wait until the time\n          // specified by the Retry-After header to reissue the request.\n\n          if (errorInfo.status === 429) {\n            const retrySeconds = errorInfo.responseHeaders['retry-after'];\n            this.logger_(`manifest request 429 ${error}.`);\n            this.logger_(`content steering will retry in ${retrySeconds} seconds.`);\n            this.startTTLTimeout_(parseInt(retrySeconds, 10));\n            return;\n          } // If the Steering Manifest cannot be loaded and parsed correctly, the\n          // client SHOULD continue to use the previous values and attempt to reload\n          // it after waiting for the previously-specified TTL (or 5 minutes if\n          // none).\n\n          this.logger_(`manifest failed to load ${error}.`);\n          this.startTTLTimeout_();\n          return;\n        }\n        this.trigger({\n          type: 'contentsteeringloadcomplete',\n          metadata\n        });\n        let steeringManifestJson;\n        try {\n          steeringManifestJson = JSON.parse(this.request_.responseText);\n        } catch (parseError) {\n          const errorMetadata = {\n            errorType: videojs.Error.StreamingContentSteeringParserError,\n            error: parseError\n          };\n          this.trigger({\n            type: 'error',\n            metadata: errorMetadata\n          });\n        }\n        this.assignSteeringProperties_(steeringManifestJson);\n        const parsedMetadata = {\n          contentSteeringInfo: metadata.contentSteeringInfo,\n          contentSteeringManifest: {\n            version: this.steeringManifest.version,\n            reloadUri: this.steeringManifest.reloadUri,\n            priority: this.steeringManifest.priority\n          }\n        };\n        this.trigger({\n          type: 'contentsteeringparsed',\n          metadata: parsedMetadata\n        });\n        this.startTTLTimeout_();\n      });\n    }\n    /**\n     * Set the proxy server URL and add the steering manifest url as a URI encoded parameter.\n     *\n     * @param {string} steeringUrl the steering manifest url\n     * @return the steering manifest url to a proxy server with all parameters set\n     */\n\n    setProxyServerUrl_(steeringUrl) {\n      const steeringUrlObject = new window.URL(steeringUrl);\n      const proxyServerUrlObject = new window.URL(this.proxyServerUrl_);\n      proxyServerUrlObject.searchParams.set('url', encodeURI(steeringUrlObject.toString()));\n      return this.setSteeringParams_(proxyServerUrlObject.toString());\n    }\n    /**\n     * Decodes and parses the data uri encoded steering manifest\n     *\n     * @param {string} dataUri the data uri to be decoded and parsed.\n     */\n\n    decodeDataUriManifest_(dataUri) {\n      const steeringManifestJson = JSON.parse(window.atob(dataUri));\n      this.assignSteeringProperties_(steeringManifestJson);\n    }\n    /**\n     * Set the HLS or DASH content steering manifest request query parameters. For example:\n     * _HLS_pathway=\"<CURRENT-PATHWAY-ID>\" and _HLS_throughput=<THROUGHPUT>\n     * _DASH_pathway and _DASH_throughput\n     *\n     * @param {string} uri to add content steering server parameters to.\n     * @return a new uri as a string with the added steering query parameters.\n     */\n\n    setSteeringParams_(url) {\n      const urlObject = new window.URL(url);\n      const path = this.getPathway();\n      const networkThroughput = this.getBandwidth_();\n      if (path) {\n        const pathwayKey = `_${this.manifestType_}_pathway`;\n        urlObject.searchParams.set(pathwayKey, path);\n      }\n      if (networkThroughput) {\n        const throughputKey = `_${this.manifestType_}_throughput`;\n        urlObject.searchParams.set(throughputKey, networkThroughput);\n      }\n      return urlObject.toString();\n    }\n    /**\n     * Assigns the current steering manifest properties and to the SteeringManifest object\n     *\n     * @param {Object} steeringJson the raw JSON steering manifest\n     */\n\n    assignSteeringProperties_(steeringJson) {\n      this.steeringManifest.version = steeringJson.VERSION;\n      if (!this.steeringManifest.version) {\n        this.logger_(`manifest version is ${steeringJson.VERSION}, which is not supported.`);\n        this.trigger('error');\n        return;\n      }\n      this.steeringManifest.ttl = steeringJson.TTL;\n      this.steeringManifest.reloadUri = steeringJson['RELOAD-URI']; // HLS = PATHWAY-PRIORITY required. DASH = SERVICE-LOCATION-PRIORITY optional\n\n      this.steeringManifest.priority = steeringJson['PATHWAY-PRIORITY'] || steeringJson['SERVICE-LOCATION-PRIORITY']; // Pathway clones to be created/updated in HLS.\n      // See section 7.2 https://datatracker.ietf.org/doc/draft-pantos-hls-rfc8216bis/\n\n      this.steeringManifest.pathwayClones = steeringJson['PATHWAY-CLONES'];\n      this.nextPathwayClones = this.steeringManifest.pathwayClones; // 1. apply first pathway from the array.\n      // 2. if first pathway doesn't exist in manifest, try next pathway.\n      //    a. if all pathways are exhausted, ignore the steering manifest priority.\n      // 3. if segments fail from an established pathway, try all variants/renditions, then exclude the failed pathway.\n      //    a. exclude a pathway for a minimum of the last TTL duration. Meaning, from the next steering response,\n      //       the excluded pathway will be ignored.\n      //       See excludePathway usage in excludePlaylist().\n      // If there are no available pathways, we need to stop content steering.\n\n      if (!this.availablePathways_.size) {\n        this.logger_('There are no available pathways for content steering. Ending content steering.');\n        this.trigger('error');\n        this.dispose();\n      }\n      const chooseNextPathway = pathwaysByPriority => {\n        for (const path of pathwaysByPriority) {\n          if (this.availablePathways_.has(path)) {\n            return path;\n          }\n        } // If no pathway matches, ignore the manifest and choose the first available.\n\n        return [...this.availablePathways_][0];\n      };\n      const nextPathway = chooseNextPathway(this.steeringManifest.priority);\n      if (this.currentPathway !== nextPathway) {\n        this.currentPathway = nextPathway;\n        this.trigger('content-steering');\n      }\n    }\n    /**\n     * Returns the pathway to use for steering decisions\n     *\n     * @return {string} returns the current pathway or the default\n     */\n\n    getPathway() {\n      return this.currentPathway || this.defaultPathway;\n    }\n    /**\n     * Chooses the manifest request URI based on proxy URIs and server URLs.\n     * Also accounts for exclusion on certain manifest URIs.\n     *\n     * @param {string} reloadUri the base uri before parameters\n     *\n     * @return {string} the final URI for the request to the manifest server.\n     */\n\n    getRequestURI(reloadUri) {\n      if (!reloadUri) {\n        return null;\n      }\n      const isExcluded = uri => this.excludedSteeringManifestURLs.has(uri);\n      if (this.proxyServerUrl_) {\n        const proxyURI = this.setProxyServerUrl_(reloadUri);\n        if (!isExcluded(proxyURI)) {\n          return proxyURI;\n        }\n      }\n      const steeringURI = this.setSteeringParams_(reloadUri);\n      if (!isExcluded(steeringURI)) {\n        return steeringURI;\n      } // Return nothing if all valid manifest URIs are excluded.\n\n      return null;\n    }\n    /**\n     * Start the timeout for re-requesting the steering manifest at the TTL interval.\n     *\n     * @param {number} ttl time in seconds of the timeout. Defaults to the\n     *        ttl interval in the steering manifest\n     */\n\n    startTTLTimeout_(ttl = this.steeringManifest.ttl) {\n      // 300 (5 minutes) is the default value.\n      const ttlMS = ttl * 1000;\n      this.ttlTimeout_ = window.setTimeout(() => {\n        this.requestSteeringManifest();\n      }, ttlMS);\n    }\n    /**\n     * Clear the TTL timeout if necessary.\n     */\n\n    clearTTLTimeout_() {\n      window.clearTimeout(this.ttlTimeout_);\n      this.ttlTimeout_ = null;\n    }\n    /**\n     * aborts any current steering xhr and sets the current request object to null\n     */\n\n    abort() {\n      if (this.request_) {\n        this.request_.abort();\n      }\n      this.request_ = null;\n    }\n    /**\n     * aborts steering requests clears the ttl timeout and resets all properties.\n     */\n\n    dispose() {\n      this.off('content-steering');\n      this.off('error');\n      this.abort();\n      this.clearTTLTimeout_();\n      this.currentPathway = null;\n      this.defaultPathway = null;\n      this.queryBeforeStart = null;\n      this.proxyServerUrl_ = null;\n      this.manifestType_ = null;\n      this.ttlTimeout_ = null;\n      this.request_ = null;\n      this.excludedSteeringManifestURLs = new Set();\n      this.availablePathways_ = new Set();\n      this.steeringManifest = new SteeringManifest();\n    }\n    /**\n     * adds a pathway to the available pathways set\n     *\n     * @param {string} pathway the pathway string to add\n     */\n\n    addAvailablePathway(pathway) {\n      if (pathway) {\n        this.availablePathways_.add(pathway);\n      }\n    }\n    /**\n     * Clears all pathways from the available pathways set\n     */\n\n    clearAvailablePathways() {\n      this.availablePathways_.clear();\n    }\n    /**\n     * Removes a pathway from the available pathways set.\n     */\n\n    excludePathway(pathway) {\n      return this.availablePathways_.delete(pathway);\n    }\n    /**\n     * Checks the refreshed DASH manifest content steering tag for changes.\n     *\n     * @param {string} baseURL new steering tag on DASH manifest refresh\n     * @param {Object} newTag the new tag to check for changes\n     * @return a true or false whether the new tag has different values\n     */\n\n    didDASHTagChange(baseURL, newTag) {\n      return !newTag && this.steeringManifest.reloadUri || newTag && (resolveUrl(baseURL, newTag.serverURL) !== this.steeringManifest.reloadUri || newTag.defaultServiceLocation !== this.defaultPathway || newTag.queryBeforeStart !== this.queryBeforeStart || newTag.proxyServerURL !== this.proxyServerUrl_);\n    }\n    getAvailablePathways() {\n      return this.availablePathways_;\n    }\n  }\n  const debounce = (callback, wait) => {\n    let timeoutId = null;\n    return (...args) => {\n      clearTimeout(timeoutId);\n      timeoutId = setTimeout(() => {\n        callback.apply(null, args);\n      }, wait);\n    };\n  };\n  const ABORT_EARLY_EXCLUSION_SECONDS = 10;\n  let Vhs$1; // SegmentLoader stats that need to have each loader's\n  // values summed to calculate the final value\n\n  const loaderStats = ['mediaRequests', 'mediaRequestsAborted', 'mediaRequestsTimedout', 'mediaRequestsErrored', 'mediaTransferDuration', 'mediaBytesTransferred', 'mediaAppends'];\n  const sumLoaderStat = function (stat) {\n    return this.audioSegmentLoader_[stat] + this.mainSegmentLoader_[stat];\n  };\n  const shouldSwitchToMedia = function ({\n    currentPlaylist,\n    buffered,\n    currentTime,\n    nextPlaylist,\n    bufferLowWaterLine,\n    bufferHighWaterLine,\n    duration,\n    bufferBasedABR,\n    log\n  }) {\n    // we have no other playlist to switch to\n    if (!nextPlaylist) {\n      videojs.log.warn('We received no playlist to switch to. Please check your stream.');\n      return false;\n    }\n    const sharedLogLine = `allowing switch ${currentPlaylist && currentPlaylist.id || 'null'} -> ${nextPlaylist.id}`;\n    if (!currentPlaylist) {\n      log(`${sharedLogLine} as current playlist is not set`);\n      return true;\n    } // no need to switch if playlist is the same\n\n    if (nextPlaylist.id === currentPlaylist.id) {\n      return false;\n    } // determine if current time is in a buffered range.\n\n    const isBuffered = Boolean(findRange(buffered, currentTime).length); // If the playlist is live, then we want to not take low water line into account.\n    // This is because in LIVE, the player plays 3 segments from the end of the\n    // playlist, and if `BUFFER_LOW_WATER_LINE` is greater than the duration availble\n    // in those segments, a viewer will never experience a rendition upswitch.\n\n    if (!currentPlaylist.endList) {\n      // For LLHLS live streams, don't switch renditions before playback has started, as it almost\n      // doubles the time to first playback.\n      if (!isBuffered && typeof currentPlaylist.partTargetDuration === 'number') {\n        log(`not ${sharedLogLine} as current playlist is live llhls, but currentTime isn't in buffered.`);\n        return false;\n      }\n      log(`${sharedLogLine} as current playlist is live`);\n      return true;\n    }\n    const forwardBuffer = timeAheadOf(buffered, currentTime);\n    const maxBufferLowWaterLine = bufferBasedABR ? Config.EXPERIMENTAL_MAX_BUFFER_LOW_WATER_LINE : Config.MAX_BUFFER_LOW_WATER_LINE; // For the same reason as LIVE, we ignore the low water line when the VOD\n    // duration is below the max potential low water line\n\n    if (duration < maxBufferLowWaterLine) {\n      log(`${sharedLogLine} as duration < max low water line (${duration} < ${maxBufferLowWaterLine})`);\n      return true;\n    }\n    const nextBandwidth = nextPlaylist.attributes.BANDWIDTH;\n    const currBandwidth = currentPlaylist.attributes.BANDWIDTH; // when switching down, if our buffer is lower than the high water line,\n    // we can switch down\n\n    if (nextBandwidth < currBandwidth && (!bufferBasedABR || forwardBuffer < bufferHighWaterLine)) {\n      let logLine = `${sharedLogLine} as next bandwidth < current bandwidth (${nextBandwidth} < ${currBandwidth})`;\n      if (bufferBasedABR) {\n        logLine += ` and forwardBuffer < bufferHighWaterLine (${forwardBuffer} < ${bufferHighWaterLine})`;\n      }\n      log(logLine);\n      return true;\n    } // and if our buffer is higher than the low water line,\n    // we can switch up\n\n    if ((!bufferBasedABR || nextBandwidth > currBandwidth) && forwardBuffer >= bufferLowWaterLine) {\n      let logLine = `${sharedLogLine} as forwardBuffer >= bufferLowWaterLine (${forwardBuffer} >= ${bufferLowWaterLine})`;\n      if (bufferBasedABR) {\n        logLine += ` and next bandwidth > current bandwidth (${nextBandwidth} > ${currBandwidth})`;\n      }\n      log(logLine);\n      return true;\n    }\n    log(`not ${sharedLogLine} as no switching criteria met`);\n    return false;\n  };\n  /**\n   * the main playlist controller controller all interactons\n   * between playlists and segmentloaders. At this time this mainly\n   * involves a main playlist and a series of audio playlists\n   * if they are available\n   *\n   * @class PlaylistController\n   * @extends videojs.EventTarget\n   */\n\n  class PlaylistController extends videojs.EventTarget {\n    constructor(options) {\n      super(); // Adding a slight debounce to avoid duplicate calls during rapid quality changes, for example:\n      // When selecting quality from the quality list,\n      // where we may have multiple bandwidth profiles for the same vertical resolution.\n\n      this.fastQualityChange_ = debounce(this.fastQualityChange_.bind(this), 100);\n      const {\n        src,\n        withCredentials,\n        tech,\n        bandwidth,\n        externVhs,\n        useCueTags,\n        playlistExclusionDuration,\n        enableLowInitialPlaylist,\n        sourceType,\n        cacheEncryptionKeys,\n        bufferBasedABR,\n        leastPixelDiffSelector,\n        captionServices,\n        experimentalUseMMS\n      } = options;\n      if (!src) {\n        throw new Error('A non-empty playlist URL or JSON manifest string is required');\n      }\n      let {\n        maxPlaylistRetries\n      } = options;\n      if (maxPlaylistRetries === null || typeof maxPlaylistRetries === 'undefined') {\n        maxPlaylistRetries = Infinity;\n      }\n      Vhs$1 = externVhs;\n      this.bufferBasedABR = Boolean(bufferBasedABR);\n      this.leastPixelDiffSelector = Boolean(leastPixelDiffSelector);\n      this.withCredentials = withCredentials;\n      this.tech_ = tech;\n      this.vhs_ = tech.vhs;\n      this.player_ = options.player_;\n      this.sourceType_ = sourceType;\n      this.useCueTags_ = useCueTags;\n      this.playlistExclusionDuration = playlistExclusionDuration;\n      this.maxPlaylistRetries = maxPlaylistRetries;\n      this.enableLowInitialPlaylist = enableLowInitialPlaylist;\n      this.usingManagedMediaSource_ = false;\n      if (this.useCueTags_) {\n        this.cueTagsTrack_ = this.tech_.addTextTrack('metadata', 'ad-cues');\n        this.cueTagsTrack_.inBandMetadataTrackDispatchType = '';\n      }\n      this.requestOptions_ = {\n        withCredentials,\n        maxPlaylistRetries,\n        timeout: null\n      };\n      this.on('error', this.pauseLoading);\n      this.mediaTypes_ = createMediaTypes();\n      if (experimentalUseMMS && window.ManagedMediaSource) {\n        // Airplay source not yet implemented. Remote playback must be disabled.\n        this.tech_.el_.disableRemotePlayback = true;\n        this.mediaSource = new window.ManagedMediaSource();\n        this.usingManagedMediaSource_ = true;\n        videojs.log('Using ManagedMediaSource');\n      } else if (window.MediaSource) {\n        this.mediaSource = new window.MediaSource();\n      }\n      this.handleDurationChange_ = this.handleDurationChange_.bind(this);\n      this.handleSourceOpen_ = this.handleSourceOpen_.bind(this);\n      this.handleSourceEnded_ = this.handleSourceEnded_.bind(this);\n      this.load = this.load.bind(this);\n      this.pause = this.pause.bind(this);\n      this.mediaSource.addEventListener('durationchange', this.handleDurationChange_); // load the media source into the player\n\n      this.mediaSource.addEventListener('sourceopen', this.handleSourceOpen_);\n      this.mediaSource.addEventListener('sourceended', this.handleSourceEnded_);\n      this.mediaSource.addEventListener('startstreaming', this.load);\n      this.mediaSource.addEventListener('endstreaming', this.pause); // we don't have to handle sourceclose since dispose will handle termination of\n      // everything, and the MediaSource should not be detached without a proper disposal\n\n      this.seekable_ = createTimeRanges();\n      this.hasPlayed_ = false;\n      this.syncController_ = new SyncController(options);\n      this.segmentMetadataTrack_ = tech.addRemoteTextTrack({\n        kind: 'metadata',\n        label: 'segment-metadata'\n      }, false).track;\n      this.decrypter_ = new Decrypter();\n      this.sourceUpdater_ = new SourceUpdater(this.mediaSource);\n      this.inbandTextTracks_ = {};\n      this.timelineChangeController_ = new TimelineChangeController();\n      this.keyStatusMap_ = new Map();\n      const segmentLoaderSettings = {\n        vhs: this.vhs_,\n        parse708captions: options.parse708captions,\n        useDtsForTimestampOffset: options.useDtsForTimestampOffset,\n        captionServices,\n        mediaSource: this.mediaSource,\n        currentTime: this.tech_.currentTime.bind(this.tech_),\n        seekable: () => this.seekable(),\n        seeking: () => this.tech_.seeking(),\n        duration: () => this.duration(),\n        hasPlayed: () => this.hasPlayed_,\n        goalBufferLength: () => this.goalBufferLength(),\n        bandwidth,\n        syncController: this.syncController_,\n        decrypter: this.decrypter_,\n        sourceType: this.sourceType_,\n        inbandTextTracks: this.inbandTextTracks_,\n        cacheEncryptionKeys,\n        sourceUpdater: this.sourceUpdater_,\n        timelineChangeController: this.timelineChangeController_,\n        exactManifestTimings: options.exactManifestTimings,\n        addMetadataToTextTrack: this.addMetadataToTextTrack.bind(this)\n      }; // The source type check not only determines whether a special DASH playlist loader\n      // should be used, but also covers the case where the provided src is a vhs-json\n      // manifest object (instead of a URL). In the case of vhs-json, the default\n      // PlaylistLoader should be used.\n\n      this.mainPlaylistLoader_ = this.sourceType_ === 'dash' ? new DashPlaylistLoader(src, this.vhs_, merge(this.requestOptions_, {\n        addMetadataToTextTrack: this.addMetadataToTextTrack.bind(this)\n      })) : new PlaylistLoader(src, this.vhs_, merge(this.requestOptions_, {\n        addDateRangesToTextTrack: this.addDateRangesToTextTrack_.bind(this)\n      }));\n      this.setupMainPlaylistLoaderListeners_(); // setup segment loaders\n      // combined audio/video or just video when alternate audio track is selected\n\n      this.mainSegmentLoader_ = new SegmentLoader(merge(segmentLoaderSettings, {\n        segmentMetadataTrack: this.segmentMetadataTrack_,\n        loaderType: 'main'\n      }), options); // alternate audio track\n\n      this.audioSegmentLoader_ = new SegmentLoader(merge(segmentLoaderSettings, {\n        loaderType: 'audio'\n      }), options);\n      this.subtitleSegmentLoader_ = new VTTSegmentLoader(merge(segmentLoaderSettings, {\n        loaderType: 'vtt',\n        featuresNativeTextTracks: this.tech_.featuresNativeTextTracks,\n        loadVttJs: () => new Promise((resolve, reject) => {\n          function onLoad() {\n            tech.off('vttjserror', onError);\n            resolve();\n          }\n          function onError() {\n            tech.off('vttjsloaded', onLoad);\n            reject();\n          }\n          tech.one('vttjsloaded', onLoad);\n          tech.one('vttjserror', onError); // safe to call multiple times, script will be loaded only once:\n\n          tech.addWebVttScript_();\n        })\n      }), options);\n      const getBandwidth = () => {\n        return this.mainSegmentLoader_.bandwidth;\n      };\n      this.contentSteeringController_ = new ContentSteeringController(this.vhs_.xhr, getBandwidth);\n      this.setupSegmentLoaderListeners_();\n      if (this.bufferBasedABR) {\n        this.mainPlaylistLoader_.one('loadedplaylist', () => this.startABRTimer_());\n        this.tech_.on('pause', () => this.stopABRTimer_());\n        this.tech_.on('play', () => this.startABRTimer_());\n      } // Create SegmentLoader stat-getters\n      // mediaRequests_\n      // mediaRequestsAborted_\n      // mediaRequestsTimedout_\n      // mediaRequestsErrored_\n      // mediaTransferDuration_\n      // mediaBytesTransferred_\n      // mediaAppends_\n\n      loaderStats.forEach(stat => {\n        this[stat + '_'] = sumLoaderStat.bind(this, stat);\n      });\n      this.logger_ = logger('pc');\n      this.triggeredFmp4Usage = false;\n      if (this.tech_.preload() === 'none') {\n        this.loadOnPlay_ = () => {\n          this.loadOnPlay_ = null;\n          this.mainPlaylistLoader_.load();\n        };\n        this.tech_.one('play', this.loadOnPlay_);\n      } else {\n        this.mainPlaylistLoader_.load();\n      }\n      this.timeToLoadedData__ = -1;\n      this.mainAppendsToLoadedData__ = -1;\n      this.audioAppendsToLoadedData__ = -1;\n      const event = this.tech_.preload() === 'none' ? 'play' : 'loadstart'; // start the first frame timer on loadstart or play (for preload none)\n\n      this.tech_.one(event, () => {\n        const timeToLoadedDataStart = Date.now();\n        this.tech_.one('loadeddata', () => {\n          this.timeToLoadedData__ = Date.now() - timeToLoadedDataStart;\n          this.mainAppendsToLoadedData__ = this.mainSegmentLoader_.mediaAppends;\n          this.audioAppendsToLoadedData__ = this.audioSegmentLoader_.mediaAppends;\n        });\n      });\n    }\n    mainAppendsToLoadedData_() {\n      return this.mainAppendsToLoadedData__;\n    }\n    audioAppendsToLoadedData_() {\n      return this.audioAppendsToLoadedData__;\n    }\n    appendsToLoadedData_() {\n      const main = this.mainAppendsToLoadedData_();\n      const audio = this.audioAppendsToLoadedData_();\n      if (main === -1 || audio === -1) {\n        return -1;\n      }\n      return main + audio;\n    }\n    timeToLoadedData_() {\n      return this.timeToLoadedData__;\n    }\n    /**\n     * Run selectPlaylist and switch to the new playlist if we should\n     *\n     * @param {string} [reason=abr] a reason for why the ABR check is made\n     * @private\n     */\n\n    checkABR_(reason = 'abr') {\n      const nextPlaylist = this.selectPlaylist();\n      if (nextPlaylist && this.shouldSwitchToMedia_(nextPlaylist)) {\n        this.switchMedia_(nextPlaylist, reason);\n      }\n    }\n    switchMedia_(playlist, cause, delay) {\n      const oldMedia = this.media();\n      const oldId = oldMedia && (oldMedia.id || oldMedia.uri);\n      const newId = playlist && (playlist.id || playlist.uri);\n      if (oldId && oldId !== newId) {\n        this.logger_(`switch media ${oldId} -> ${newId} from ${cause}`);\n        const metadata = {\n          renditionInfo: {\n            id: newId,\n            bandwidth: playlist.attributes.BANDWIDTH,\n            resolution: playlist.attributes.RESOLUTION,\n            codecs: playlist.attributes.CODECS\n          },\n          cause\n        };\n        this.trigger({\n          type: 'renditionselected',\n          metadata\n        });\n        this.tech_.trigger({\n          type: 'usage',\n          name: `vhs-rendition-change-${cause}`\n        });\n      }\n      this.mainPlaylistLoader_.media(playlist, delay);\n    }\n    /**\n     * A function that ensures we switch our playlists inside of `mediaTypes`\n     * to match the current `serviceLocation` provided by the contentSteering controller.\n     * We want to check media types of `AUDIO`, `SUBTITLES`, and `CLOSED-CAPTIONS`.\n     *\n     * This should only be called on a DASH playback scenario while using content steering.\n     * This is necessary due to differences in how media in HLS manifests are generally tied to\n     * a video playlist, where in DASH that is not always the case.\n     */\n\n    switchMediaForDASHContentSteering_() {\n      ['AUDIO', 'SUBTITLES', 'CLOSED-CAPTIONS'].forEach(type => {\n        const mediaType = this.mediaTypes_[type];\n        const activeGroup = mediaType ? mediaType.activeGroup() : null;\n        const pathway = this.contentSteeringController_.getPathway();\n        if (activeGroup && pathway) {\n          // activeGroup can be an array or a single group\n          const mediaPlaylists = activeGroup.length ? activeGroup[0].playlists : activeGroup.playlists;\n          const dashMediaPlaylists = mediaPlaylists.filter(p => p.attributes.serviceLocation === pathway); // Switch the current active playlist to the correct CDN\n\n          if (dashMediaPlaylists.length) {\n            this.mediaTypes_[type].activePlaylistLoader.media(dashMediaPlaylists[0]);\n          }\n        }\n      });\n    }\n    /**\n     * Start a timer that periodically calls checkABR_\n     *\n     * @private\n     */\n\n    startABRTimer_() {\n      this.stopABRTimer_();\n      this.abrTimer_ = window.setInterval(() => this.checkABR_(), 250);\n    }\n    /**\n     * Stop the timer that periodically calls checkABR_\n     *\n     * @private\n     */\n\n    stopABRTimer_() {\n      // if we're scrubbing, we don't need to pause.\n      // This getter will be added to Video.js in version 7.11.\n      if (this.tech_.scrubbing && this.tech_.scrubbing()) {\n        return;\n      }\n      window.clearInterval(this.abrTimer_);\n      this.abrTimer_ = null;\n    }\n    /**\n     * Get a list of playlists for the currently selected audio playlist\n     *\n     * @return {Array} the array of audio playlists\n     */\n\n    getAudioTrackPlaylists_() {\n      const main = this.main();\n      const defaultPlaylists = main && main.playlists || []; // if we don't have any audio groups then we can only\n      // assume that the audio tracks are contained in main\n      // playlist array, use that or an empty array.\n\n      if (!main || !main.mediaGroups || !main.mediaGroups.AUDIO) {\n        return defaultPlaylists;\n      }\n      const AUDIO = main.mediaGroups.AUDIO;\n      const groupKeys = Object.keys(AUDIO);\n      let track; // get the current active track\n\n      if (Object.keys(this.mediaTypes_.AUDIO.groups).length) {\n        track = this.mediaTypes_.AUDIO.activeTrack(); // or get the default track from main if mediaTypes_ isn't setup yet\n      } else {\n        // default group is `main` or just the first group.\n        const defaultGroup = AUDIO.main || groupKeys.length && AUDIO[groupKeys[0]];\n        for (const label in defaultGroup) {\n          if (defaultGroup[label].default) {\n            track = {\n              label\n            };\n            break;\n          }\n        }\n      } // no active track no playlists.\n\n      if (!track) {\n        return defaultPlaylists;\n      }\n      const playlists = []; // get all of the playlists that are possible for the\n      // active track.\n\n      for (const group in AUDIO) {\n        if (AUDIO[group][track.label]) {\n          const properties = AUDIO[group][track.label];\n          if (properties.playlists && properties.playlists.length) {\n            playlists.push.apply(playlists, properties.playlists);\n          } else if (properties.uri) {\n            playlists.push(properties);\n          } else if (main.playlists.length) {\n            // if an audio group does not have a uri\n            // see if we have main playlists that use it as a group.\n            // if we do then add those to the playlists list.\n            for (let i = 0; i < main.playlists.length; i++) {\n              const playlist = main.playlists[i];\n              if (playlist.attributes && playlist.attributes.AUDIO && playlist.attributes.AUDIO === group) {\n                playlists.push(playlist);\n              }\n            }\n          }\n        }\n      }\n      if (!playlists.length) {\n        return defaultPlaylists;\n      }\n      return playlists;\n    }\n    /**\n     * Register event handlers on the main playlist loader. A helper\n     * function for construction time.\n     *\n     * @private\n     */\n\n    setupMainPlaylistLoaderListeners_() {\n      this.mainPlaylistLoader_.on('loadedmetadata', () => {\n        const media = this.mainPlaylistLoader_.media();\n        const requestTimeout = media.targetDuration * 1.5 * 1000; // If we don't have any more available playlists, we don't want to\n        // timeout the request.\n\n        if (isLowestEnabledRendition(this.mainPlaylistLoader_.main, this.mainPlaylistLoader_.media())) {\n          this.requestOptions_.timeout = 0;\n        } else {\n          this.requestOptions_.timeout = requestTimeout;\n        } // if this isn't a live video and preload permits, start\n        // downloading segments\n\n        if (media.endList && this.tech_.preload() !== 'none') {\n          this.mainSegmentLoader_.playlist(media, this.requestOptions_);\n          this.mainSegmentLoader_.load();\n        }\n        setupMediaGroups({\n          sourceType: this.sourceType_,\n          segmentLoaders: {\n            AUDIO: this.audioSegmentLoader_,\n            SUBTITLES: this.subtitleSegmentLoader_,\n            main: this.mainSegmentLoader_\n          },\n          tech: this.tech_,\n          requestOptions: this.requestOptions_,\n          mainPlaylistLoader: this.mainPlaylistLoader_,\n          vhs: this.vhs_,\n          main: this.main(),\n          mediaTypes: this.mediaTypes_,\n          excludePlaylist: this.excludePlaylist.bind(this)\n        });\n        this.triggerPresenceUsage_(this.main(), media);\n        this.setupFirstPlay();\n        if (!this.mediaTypes_.AUDIO.activePlaylistLoader || this.mediaTypes_.AUDIO.activePlaylistLoader.media()) {\n          this.trigger('selectedinitialmedia');\n        } else {\n          // We must wait for the active audio playlist loader to\n          // finish setting up before triggering this event so the\n          // representations API and EME setup is correct\n          this.mediaTypes_.AUDIO.activePlaylistLoader.one('loadedmetadata', () => {\n            this.trigger('selectedinitialmedia');\n          });\n        }\n      });\n      this.mainPlaylistLoader_.on('loadedplaylist', () => {\n        if (this.loadOnPlay_) {\n          this.tech_.off('play', this.loadOnPlay_);\n        }\n        let updatedPlaylist = this.mainPlaylistLoader_.media();\n        if (!updatedPlaylist) {\n          // Add content steering listeners on first load and init.\n          this.attachContentSteeringListeners_();\n          this.initContentSteeringController_(); // exclude any variants that are not supported by the browser before selecting\n          // an initial media as the playlist selectors do not consider browser support\n\n          this.excludeUnsupportedVariants_();\n          let selectedMedia;\n          if (this.enableLowInitialPlaylist) {\n            selectedMedia = this.selectInitialPlaylist();\n          }\n          if (!selectedMedia) {\n            selectedMedia = this.selectPlaylist();\n          }\n          if (!selectedMedia || !this.shouldSwitchToMedia_(selectedMedia)) {\n            return;\n          }\n          this.initialMedia_ = selectedMedia;\n          this.switchMedia_(this.initialMedia_, 'initial'); // Under the standard case where a source URL is provided, loadedplaylist will\n          // fire again since the playlist will be requested. In the case of vhs-json\n          // (where the manifest object is provided as the source), when the media\n          // playlist's `segments` list is already available, a media playlist won't be\n          // requested, and loadedplaylist won't fire again, so the playlist handler must be\n          // called on its own here.\n\n          const haveJsonSource = this.sourceType_ === 'vhs-json' && this.initialMedia_.segments;\n          if (!haveJsonSource) {\n            return;\n          }\n          updatedPlaylist = this.initialMedia_;\n        }\n        this.handleUpdatedMediaPlaylist(updatedPlaylist);\n      });\n      this.mainPlaylistLoader_.on('error', () => {\n        const error = this.mainPlaylistLoader_.error;\n        this.excludePlaylist({\n          playlistToExclude: error.playlist,\n          error\n        });\n      });\n      this.mainPlaylistLoader_.on('mediachanging', () => {\n        this.mainSegmentLoader_.abort();\n        this.mainSegmentLoader_.pause();\n      });\n      this.mainPlaylistLoader_.on('mediachange', () => {\n        const media = this.mainPlaylistLoader_.media();\n        const requestTimeout = media.targetDuration * 1.5 * 1000; // If we don't have any more available playlists, we don't want to\n        // timeout the request.\n\n        if (isLowestEnabledRendition(this.mainPlaylistLoader_.main, this.mainPlaylistLoader_.media())) {\n          this.requestOptions_.timeout = 0;\n        } else {\n          this.requestOptions_.timeout = requestTimeout;\n        }\n        if (this.sourceType_ === 'dash') {\n          // we don't want to re-request the same hls playlist right after it was changed\n          // Initially it was implemented as workaround to restart playlist loader for live\n          // when playlist loader is paused because of playlist exclusions:\n          // see: https://github.com/videojs/http-streaming/pull/1339\n          // but this introduces duplicate \"loadedplaylist\" event.\n          // Ideally we want to re-think playlist loader life-cycle events,\n          // but simply checking \"paused\" state should help a lot\n          if (this.mainPlaylistLoader_.isPaused) {\n            this.mainPlaylistLoader_.load();\n          }\n        } // TODO: Create a new event on the PlaylistLoader that signals\n        // that the segments have changed in some way and use that to\n        // update the SegmentLoader instead of doing it twice here and\n        // on `loadedplaylist`\n\n        this.mainSegmentLoader_.pause();\n        this.mainSegmentLoader_.playlist(media, this.requestOptions_);\n        if (this.waitingForFastQualityPlaylistReceived_) {\n          this.runFastQualitySwitch_();\n        } else {\n          this.mainSegmentLoader_.load();\n        }\n        this.tech_.trigger({\n          type: 'mediachange',\n          bubbles: true\n        });\n      });\n      this.mainPlaylistLoader_.on('playlistunchanged', () => {\n        const updatedPlaylist = this.mainPlaylistLoader_.media(); // ignore unchanged playlists that have already been\n        // excluded for not-changing. We likely just have a really slowly updating\n        // playlist.\n\n        if (updatedPlaylist.lastExcludeReason_ === 'playlist-unchanged') {\n          return;\n        }\n        const playlistOutdated = this.stuckAtPlaylistEnd_(updatedPlaylist);\n        if (playlistOutdated) {\n          // Playlist has stopped updating and we're stuck at its end. Try to\n          // exclude it and switch to another playlist in the hope that that\n          // one is updating (and give the player a chance to re-adjust to the\n          // safe live point).\n          this.excludePlaylist({\n            error: {\n              message: 'Playlist no longer updating.',\n              reason: 'playlist-unchanged'\n            }\n          }); // useful for monitoring QoS\n\n          this.tech_.trigger('playliststuck');\n        }\n      });\n      this.mainPlaylistLoader_.on('renditiondisabled', () => {\n        this.tech_.trigger({\n          type: 'usage',\n          name: 'vhs-rendition-disabled'\n        });\n      });\n      this.mainPlaylistLoader_.on('renditionenabled', () => {\n        this.tech_.trigger({\n          type: 'usage',\n          name: 'vhs-rendition-enabled'\n        });\n      });\n      const playlistLoaderEvents = ['manifestrequeststart', 'manifestrequestcomplete', 'manifestparsestart', 'manifestparsecomplete', 'playlistrequeststart', 'playlistrequestcomplete', 'playlistparsestart', 'playlistparsecomplete', 'renditiondisabled', 'renditionenabled'];\n      playlistLoaderEvents.forEach(eventName => {\n        this.mainPlaylistLoader_.on(eventName, metadata => {\n          // trigger directly on the player to ensure early events are fired.\n          this.player_.trigger(_extends$1({}, metadata));\n        });\n      });\n    }\n    /**\n     * Given an updated media playlist (whether it was loaded for the first time, or\n     * refreshed for live playlists), update any relevant properties and state to reflect\n     * changes in the media that should be accounted for (e.g., cues and duration).\n     *\n     * @param {Object} updatedPlaylist the updated media playlist object\n     *\n     * @private\n     */\n\n    handleUpdatedMediaPlaylist(updatedPlaylist) {\n      if (this.useCueTags_) {\n        this.updateAdCues_(updatedPlaylist);\n      } // TODO: Create a new event on the PlaylistLoader that signals\n      // that the segments have changed in some way and use that to\n      // update the SegmentLoader instead of doing it twice here and\n      // on `mediachange`\n\n      this.mainSegmentLoader_.pause();\n      this.mainSegmentLoader_.playlist(updatedPlaylist, this.requestOptions_);\n      if (this.waitingForFastQualityPlaylistReceived_) {\n        this.runFastQualitySwitch_();\n      }\n      this.updateDuration(!updatedPlaylist.endList); // If the player isn't paused, ensure that the segment loader is running,\n      // as it is possible that it was temporarily stopped while waiting for\n      // a playlist (e.g., in case the playlist errored and we re-requested it).\n\n      if (!this.tech_.paused()) {\n        this.mainSegmentLoader_.load();\n        if (this.audioSegmentLoader_) {\n          this.audioSegmentLoader_.load();\n        }\n      }\n    }\n    /**\n     * A helper function for triggerring presence usage events once per source\n     *\n     * @private\n     */\n\n    triggerPresenceUsage_(main, media) {\n      const mediaGroups = main.mediaGroups || {};\n      let defaultDemuxed = true;\n      const audioGroupKeys = Object.keys(mediaGroups.AUDIO);\n      for (const mediaGroup in mediaGroups.AUDIO) {\n        for (const label in mediaGroups.AUDIO[mediaGroup]) {\n          const properties = mediaGroups.AUDIO[mediaGroup][label];\n          if (!properties.uri) {\n            defaultDemuxed = false;\n          }\n        }\n      }\n      if (defaultDemuxed) {\n        this.tech_.trigger({\n          type: 'usage',\n          name: 'vhs-demuxed'\n        });\n      }\n      if (Object.keys(mediaGroups.SUBTITLES).length) {\n        this.tech_.trigger({\n          type: 'usage',\n          name: 'vhs-webvtt'\n        });\n      }\n      if (Vhs$1.Playlist.isAes(media)) {\n        this.tech_.trigger({\n          type: 'usage',\n          name: 'vhs-aes'\n        });\n      }\n      if (audioGroupKeys.length && Object.keys(mediaGroups.AUDIO[audioGroupKeys[0]]).length > 1) {\n        this.tech_.trigger({\n          type: 'usage',\n          name: 'vhs-alternate-audio'\n        });\n      }\n      if (this.useCueTags_) {\n        this.tech_.trigger({\n          type: 'usage',\n          name: 'vhs-playlist-cue-tags'\n        });\n      }\n    }\n    shouldSwitchToMedia_(nextPlaylist) {\n      const currentPlaylist = this.mainPlaylistLoader_.media() || this.mainPlaylistLoader_.pendingMedia_;\n      const currentTime = this.tech_.currentTime();\n      const bufferLowWaterLine = this.bufferLowWaterLine();\n      const bufferHighWaterLine = this.bufferHighWaterLine();\n      const buffered = this.tech_.buffered();\n      return shouldSwitchToMedia({\n        buffered,\n        currentTime,\n        currentPlaylist,\n        nextPlaylist,\n        bufferLowWaterLine,\n        bufferHighWaterLine,\n        duration: this.duration(),\n        bufferBasedABR: this.bufferBasedABR,\n        log: this.logger_\n      });\n    }\n    /**\n     * Register event handlers on the segment loaders. A helper function\n     * for construction time.\n     *\n     * @private\n     */\n\n    setupSegmentLoaderListeners_() {\n      this.mainSegmentLoader_.on('bandwidthupdate', () => {\n        // Whether or not buffer based ABR or another ABR is used, on a bandwidth change it's\n        // useful to check to see if a rendition switch should be made.\n        this.checkABR_('bandwidthupdate');\n        this.tech_.trigger('bandwidthupdate');\n      });\n      this.mainSegmentLoader_.on('timeout', () => {\n        if (this.bufferBasedABR) {\n          // If a rendition change is needed, then it would've be done on `bandwidthupdate`.\n          // Here the only consideration is that for buffer based ABR there's no guarantee\n          // of an immediate switch (since the bandwidth is averaged with a timeout\n          // bandwidth value of 1), so force a load on the segment loader to keep it going.\n          this.mainSegmentLoader_.load();\n        }\n      }); // `progress` events are not reliable enough of a bandwidth measure to trigger buffer\n      // based ABR.\n\n      if (!this.bufferBasedABR) {\n        this.mainSegmentLoader_.on('progress', () => {\n          this.trigger('progress');\n        });\n      }\n      this.mainSegmentLoader_.on('error', () => {\n        const error = this.mainSegmentLoader_.error();\n        this.excludePlaylist({\n          playlistToExclude: error.playlist,\n          error\n        });\n      });\n      this.mainSegmentLoader_.on('appenderror', () => {\n        this.error = this.mainSegmentLoader_.error_;\n        this.trigger('error');\n      });\n      this.mainSegmentLoader_.on('syncinfoupdate', () => {\n        this.onSyncInfoUpdate_();\n      });\n      this.mainSegmentLoader_.on('timestampoffset', () => {\n        this.tech_.trigger({\n          type: 'usage',\n          name: 'vhs-timestamp-offset'\n        });\n      });\n      this.audioSegmentLoader_.on('syncinfoupdate', () => {\n        this.onSyncInfoUpdate_();\n      });\n      this.audioSegmentLoader_.on('appenderror', () => {\n        this.error = this.audioSegmentLoader_.error_;\n        this.trigger('error');\n      });\n      this.mainSegmentLoader_.on('ended', () => {\n        this.logger_('main segment loader ended');\n        this.onEndOfStream();\n      }); // There is the possibility of the video segment and the audio segment\n      // at a current time to be on different timelines. When this occurs, the player\n      // forwards playback to a point where these two segment types are back on the same\n      // timeline. This time will be just after the end of the audio segment that is on\n      // a previous timeline.\n\n      this.timelineChangeController_.on('audioTimelineBehind', () => {\n        const segmentInfo = this.audioSegmentLoader_.pendingSegment_;\n        if (!segmentInfo || !segmentInfo.segment || !segmentInfo.segment.syncInfo) {\n          return;\n        } // Update the current time to just after the faulty audio segment.\n        // This moves playback to a spot where both audio and video segments\n        // are on the same timeline.\n\n        const newTime = segmentInfo.segment.syncInfo.end + 0.01;\n        this.tech_.setCurrentTime(newTime);\n      });\n      this.timelineChangeController_.on('fixBadTimelineChange', () => {\n        // pause, reset-everything and load for all segment-loaders\n        this.logger_('Fix bad timeline change. Restarting al segment loaders...');\n        this.mainSegmentLoader_.pause();\n        this.mainSegmentLoader_.resetEverything();\n        if (this.mediaTypes_.AUDIO.activePlaylistLoader) {\n          this.audioSegmentLoader_.pause();\n          this.audioSegmentLoader_.resetEverything();\n        }\n        if (this.mediaTypes_.SUBTITLES.activePlaylistLoader) {\n          this.subtitleSegmentLoader_.pause();\n          this.subtitleSegmentLoader_.resetEverything();\n        } // start segment loader loading in case they are paused\n\n        this.load();\n      });\n      this.mainSegmentLoader_.on('earlyabort', event => {\n        // never try to early abort with the new ABR algorithm\n        if (this.bufferBasedABR) {\n          return;\n        }\n        this.delegateLoaders_('all', ['abort']);\n        this.excludePlaylist({\n          error: {\n            message: 'Aborted early because there isn\\'t enough bandwidth to complete ' + 'the request without rebuffering.'\n          },\n          playlistExclusionDuration: ABORT_EARLY_EXCLUSION_SECONDS\n        });\n      });\n      const updateCodecs = () => {\n        if (!this.sourceUpdater_.hasCreatedSourceBuffers()) {\n          return this.tryToCreateSourceBuffers_();\n        }\n        const codecs = this.getCodecsOrExclude_(); // no codecs means that the playlist was excluded\n\n        if (!codecs) {\n          return;\n        }\n        this.sourceUpdater_.addOrChangeSourceBuffers(codecs);\n      };\n      this.mainSegmentLoader_.on('trackinfo', updateCodecs);\n      this.audioSegmentLoader_.on('trackinfo', updateCodecs);\n      this.mainSegmentLoader_.on('fmp4', () => {\n        if (!this.triggeredFmp4Usage) {\n          this.tech_.trigger({\n            type: 'usage',\n            name: 'vhs-fmp4'\n          });\n          this.triggeredFmp4Usage = true;\n        }\n      });\n      this.audioSegmentLoader_.on('fmp4', () => {\n        if (!this.triggeredFmp4Usage) {\n          this.tech_.trigger({\n            type: 'usage',\n            name: 'vhs-fmp4'\n          });\n          this.triggeredFmp4Usage = true;\n        }\n      });\n      this.audioSegmentLoader_.on('ended', () => {\n        this.logger_('audioSegmentLoader ended');\n        this.onEndOfStream();\n      });\n      const segmentLoaderEvents = ['segmentselected', 'segmentloadstart', 'segmentloaded', 'segmentkeyloadstart', 'segmentkeyloadcomplete', 'segmentdecryptionstart', 'segmentdecryptioncomplete', 'segmenttransmuxingstart', 'segmenttransmuxingcomplete', 'segmenttransmuxingtrackinfoavailable', 'segmenttransmuxingtiminginfoavailable', 'segmentappendstart', 'appendsdone', 'bandwidthupdated', 'timelinechange', 'codecschange'];\n      segmentLoaderEvents.forEach(eventName => {\n        this.mainSegmentLoader_.on(eventName, metadata => {\n          this.player_.trigger(_extends$1({}, metadata));\n        });\n        this.audioSegmentLoader_.on(eventName, metadata => {\n          this.player_.trigger(_extends$1({}, metadata));\n        });\n        this.subtitleSegmentLoader_.on(eventName, metadata => {\n          this.player_.trigger(_extends$1({}, metadata));\n        });\n      });\n    }\n    mediaSecondsLoaded_() {\n      return Math.max(this.audioSegmentLoader_.mediaSecondsLoaded + this.mainSegmentLoader_.mediaSecondsLoaded);\n    }\n    /**\n     * Call load on our SegmentLoaders\n     */\n\n    load() {\n      this.mainSegmentLoader_.load();\n      if (this.mediaTypes_.AUDIO.activePlaylistLoader) {\n        this.audioSegmentLoader_.load();\n      }\n      if (this.mediaTypes_.SUBTITLES.activePlaylistLoader) {\n        this.subtitleSegmentLoader_.load();\n      }\n    }\n    /**\n     * Call pause on our SegmentLoaders\n     */\n\n    pause() {\n      this.mainSegmentLoader_.pause();\n      if (this.mediaTypes_.AUDIO.activePlaylistLoader) {\n        this.audioSegmentLoader_.pause();\n      }\n      if (this.mediaTypes_.SUBTITLES.activePlaylistLoader) {\n        this.subtitleSegmentLoader_.pause();\n      }\n    }\n    /**\n     * Re-tune playback quality level for the current player\n     * conditions. This method will perform destructive actions like removing\n     * already buffered content in order to readjust the currently active\n     * playlist quickly. This is good for manual quality changes\n     *\n     * @private\n     */\n\n    fastQualityChange_(media = this.selectPlaylist()) {\n      if (media && media === this.mainPlaylistLoader_.media()) {\n        this.logger_('skipping fastQualityChange because new media is same as old');\n        return;\n      }\n      this.switchMedia_(media, 'fast-quality'); // we would like to avoid race condition when we call fastQuality,\n      // reset everything and start loading segments from prev segments instead of new because new playlist is not received yet\n\n      this.waitingForFastQualityPlaylistReceived_ = true;\n    }\n    runFastQualitySwitch_() {\n      this.waitingForFastQualityPlaylistReceived_ = false;\n      this.mainSegmentLoader_.pause();\n      this.mainSegmentLoader_.resetEverything();\n      if (this.mediaTypes_.AUDIO.activePlaylistLoader) {\n        this.audioSegmentLoader_.pause();\n        this.audioSegmentLoader_.resetEverything();\n      }\n      if (this.mediaTypes_.SUBTITLES.activePlaylistLoader) {\n        this.subtitleSegmentLoader_.pause();\n        this.subtitleSegmentLoader_.resetEverything();\n      } // start segment loader loading in case they are paused\n\n      this.load();\n    }\n    /**\n     * Begin playback.\n     */\n\n    play() {\n      if (this.setupFirstPlay()) {\n        return;\n      }\n      if (this.tech_.ended()) {\n        this.tech_.setCurrentTime(0);\n      }\n      if (this.hasPlayed_) {\n        this.load();\n      }\n      const seekable = this.tech_.seekable(); // if the viewer has paused and we fell out of the live window,\n      // seek forward to the live point\n\n      if (this.tech_.duration() === Infinity) {\n        if (this.tech_.currentTime() < seekable.start(0)) {\n          return this.tech_.setCurrentTime(seekable.end(seekable.length - 1));\n        }\n      }\n    }\n    /**\n     * Seek to the latest media position if this is a live video and the\n     * player and video are loaded and initialized.\n     */\n\n    setupFirstPlay() {\n      const media = this.mainPlaylistLoader_.media(); // Check that everything is ready to begin buffering for the first call to play\n      //  If 1) there is no active media\n      //     2) the player is paused\n      //     3) the first play has already been setup\n      // then exit early\n\n      if (!media || this.tech_.paused() || this.hasPlayed_) {\n        return false;\n      } // when the video is a live stream and/or has a start time\n\n      if (!media.endList || media.start) {\n        const seekable = this.seekable();\n        if (!seekable.length) {\n          // without a seekable range, the player cannot seek to begin buffering at the\n          // live or start point\n          return false;\n        }\n        const seekableEnd = seekable.end(0);\n        let startPoint = seekableEnd;\n        if (media.start) {\n          const offset = media.start.timeOffset;\n          if (offset < 0) {\n            startPoint = Math.max(seekableEnd + offset, seekable.start(0));\n          } else {\n            startPoint = Math.min(seekableEnd, offset);\n          }\n        } // trigger firstplay to inform the source handler to ignore the next seek event\n\n        this.trigger('firstplay'); // seek to the live point\n\n        this.tech_.setCurrentTime(startPoint);\n      }\n      this.hasPlayed_ = true; // we can begin loading now that everything is ready\n\n      this.load();\n      return true;\n    }\n    /**\n     * handle the sourceopen event on the MediaSource\n     *\n     * @private\n     */\n\n    handleSourceOpen_() {\n      // Only attempt to create the source buffer if none already exist.\n      // handleSourceOpen is also called when we are \"re-opening\" a source buffer\n      // after `endOfStream` has been called (in response to a seek for instance)\n      this.tryToCreateSourceBuffers_(); // if autoplay is enabled, begin playback. This is duplicative of\n      // code in video.js but is required because play() must be invoked\n      // *after* the media source has opened.\n\n      if (this.tech_.autoplay()) {\n        const playPromise = this.tech_.play(); // Catch/silence error when a pause interrupts a play request\n        // on browsers which return a promise\n\n        if (typeof playPromise !== 'undefined' && typeof playPromise.then === 'function') {\n          playPromise.then(null, e => {});\n        }\n      }\n      this.trigger('sourceopen');\n    }\n    /**\n     * handle the sourceended event on the MediaSource\n     *\n     * @private\n     */\n\n    handleSourceEnded_() {\n      if (!this.inbandTextTracks_.metadataTrack_) {\n        return;\n      }\n      const cues = this.inbandTextTracks_.metadataTrack_.cues;\n      if (!cues || !cues.length) {\n        return;\n      }\n      const duration = this.duration();\n      cues[cues.length - 1].endTime = isNaN(duration) || Math.abs(duration) === Infinity ? Number.MAX_VALUE : duration;\n    }\n    /**\n     * handle the durationchange event on the MediaSource\n     *\n     * @private\n     */\n\n    handleDurationChange_() {\n      this.tech_.trigger('durationchange');\n    }\n    /**\n     * Calls endOfStream on the media source when all active stream types have called\n     * endOfStream\n     *\n     * @param {string} streamType\n     *        Stream type of the segment loader that called endOfStream\n     * @private\n     */\n\n    onEndOfStream() {\n      let isEndOfStream = this.mainSegmentLoader_.ended_;\n      if (this.mediaTypes_.AUDIO.activePlaylistLoader) {\n        const mainMediaInfo = this.mainSegmentLoader_.getCurrentMediaInfo_(); // if the audio playlist loader exists, then alternate audio is active\n\n        if (!mainMediaInfo || mainMediaInfo.hasVideo) {\n          // if we do not know if the main segment loader contains video yet or if we\n          // definitively know the main segment loader contains video, then we need to wait\n          // for both main and audio segment loaders to call endOfStream\n          isEndOfStream = isEndOfStream && this.audioSegmentLoader_.ended_;\n        } else {\n          // otherwise just rely on the audio loader\n          isEndOfStream = this.audioSegmentLoader_.ended_;\n        }\n      }\n      if (!isEndOfStream) {\n        return;\n      }\n      this.stopABRTimer_();\n      this.sourceUpdater_.endOfStream();\n    }\n    /**\n     * Check if a playlist has stopped being updated\n     *\n     * @param {Object} playlist the media playlist object\n     * @return {boolean} whether the playlist has stopped being updated or not\n     */\n\n    stuckAtPlaylistEnd_(playlist) {\n      const seekable = this.seekable();\n      if (!seekable.length) {\n        // playlist doesn't have enough information to determine whether we are stuck\n        return false;\n      }\n      const expired = this.syncController_.getExpiredTime(playlist, this.duration());\n      if (expired === null) {\n        return false;\n      } // does not use the safe live end to calculate playlist end, since we\n      // don't want to say we are stuck while there is still content\n\n      const absolutePlaylistEnd = Vhs$1.Playlist.playlistEnd(playlist, expired);\n      const currentTime = this.tech_.currentTime();\n      const buffered = this.tech_.buffered();\n      if (!buffered.length) {\n        // return true if the playhead reached the absolute end of the playlist\n        return absolutePlaylistEnd - currentTime <= SAFE_TIME_DELTA;\n      }\n      const bufferedEnd = buffered.end(buffered.length - 1); // return true if there is too little buffer left and buffer has reached absolute\n      // end of playlist\n\n      return bufferedEnd - currentTime <= SAFE_TIME_DELTA && absolutePlaylistEnd - bufferedEnd <= SAFE_TIME_DELTA;\n    }\n    /**\n     * Exclude a playlist for a set amount of time, making it unavailable for selection by\n     * the rendition selection algorithm, then force a new playlist (rendition) selection.\n     *\n     * @param {Object=} playlistToExclude\n     *                  the playlist to exclude, defaults to the currently selected playlist\n     * @param {Object=} error\n     *                  an optional error\n     * @param {number=} playlistExclusionDuration\n     *                  an optional number of seconds to exclude the playlist\n     */\n\n    excludePlaylist({\n      playlistToExclude = this.mainPlaylistLoader_.media(),\n      error = {},\n      playlistExclusionDuration\n    }) {\n      // If the `error` was generated by the playlist loader, it will contain\n      // the playlist we were trying to load (but failed) and that should be\n      // excluded instead of the currently selected playlist which is likely\n      // out-of-date in this scenario\n      playlistToExclude = playlistToExclude || this.mainPlaylistLoader_.media();\n      playlistExclusionDuration = playlistExclusionDuration || error.playlistExclusionDuration || this.playlistExclusionDuration; // If there is no current playlist, then an error occurred while we were\n      // trying to load the main OR while we were disposing of the tech\n\n      if (!playlistToExclude) {\n        this.error = error;\n        if (this.mediaSource.readyState !== 'open') {\n          this.trigger('error');\n        } else {\n          this.sourceUpdater_.endOfStream('network');\n        }\n        return;\n      }\n      playlistToExclude.playlistErrors_++;\n      const playlists = this.mainPlaylistLoader_.main.playlists;\n      const enabledPlaylists = playlists.filter(isEnabled);\n      const isFinalRendition = enabledPlaylists.length === 1 && enabledPlaylists[0] === playlistToExclude; // Don't exclude the only playlist unless it was excluded\n      // forever\n\n      if (playlists.length === 1 && playlistExclusionDuration !== Infinity) {\n        videojs.log.warn(`Problem encountered with playlist ${playlistToExclude.id}. ` + 'Trying again since it is the only playlist.');\n        this.tech_.trigger('retryplaylist'); // if this is a final rendition, we should delay\n\n        return this.mainPlaylistLoader_.load(isFinalRendition);\n      }\n      if (isFinalRendition) {\n        // If we're content steering, try other pathways.\n        if (this.main().contentSteering) {\n          const pathway = this.pathwayAttribute_(playlistToExclude); // Ignore at least 1 steering manifest refresh.\n\n          const reIncludeDelay = this.contentSteeringController_.steeringManifest.ttl * 1000;\n          this.contentSteeringController_.excludePathway(pathway);\n          this.excludeThenChangePathway_();\n          setTimeout(() => {\n            this.contentSteeringController_.addAvailablePathway(pathway);\n          }, reIncludeDelay);\n          return;\n        } // Since we're on the final non-excluded playlist, and we're about to exclude\n        // it, instead of erring the player or retrying this playlist, clear out the current\n        // exclusion list. This allows other playlists to be attempted in case any have been\n        // fixed.\n\n        let reincluded = false;\n        playlists.forEach(playlist => {\n          // skip current playlist which is about to be excluded\n          if (playlist === playlistToExclude) {\n            return;\n          }\n          const excludeUntil = playlist.excludeUntil; // a playlist cannot be reincluded if it wasn't excluded to begin with.\n\n          if (typeof excludeUntil !== 'undefined' && excludeUntil !== Infinity) {\n            reincluded = true;\n            delete playlist.excludeUntil;\n          }\n        });\n        if (reincluded) {\n          videojs.log.warn('Removing other playlists from the exclusion list because the last ' + 'rendition is about to be excluded.'); // Technically we are retrying a playlist, in that we are simply retrying a previous\n          // playlist. This is needed for users relying on the retryplaylist event to catch a\n          // case where the player might be stuck and looping through \"dead\" playlists.\n\n          this.tech_.trigger('retryplaylist');\n        }\n      } // Exclude this playlist\n\n      let excludeUntil;\n      if (playlistToExclude.playlistErrors_ > this.maxPlaylistRetries) {\n        excludeUntil = Infinity;\n      } else {\n        excludeUntil = Date.now() + playlistExclusionDuration * 1000;\n      }\n      playlistToExclude.excludeUntil = excludeUntil;\n      if (error.reason) {\n        playlistToExclude.lastExcludeReason_ = error.reason;\n      }\n      this.tech_.trigger('excludeplaylist');\n      this.tech_.trigger({\n        type: 'usage',\n        name: 'vhs-rendition-excluded'\n      }); // TODO: only load a new playlist if we're excluding the current playlist\n      // If this function was called with a playlist that's not the current active playlist\n      // (e.g., media().id !== playlistToExclude.id),\n      // then a new playlist should not be selected and loaded, as there's nothing wrong with the current playlist.\n\n      const nextPlaylist = this.selectPlaylist();\n      if (!nextPlaylist) {\n        this.error = 'Playback cannot continue. No available working or supported playlists.';\n        this.trigger('error');\n        return;\n      }\n      const logFn = error.internal ? this.logger_ : videojs.log.warn;\n      const errorMessage = error.message ? ' ' + error.message : '';\n      logFn(`${error.internal ? 'Internal problem' : 'Problem'} encountered with playlist ${playlistToExclude.id}.` + `${errorMessage} Switching to playlist ${nextPlaylist.id}.`); // if audio group changed reset audio loaders\n\n      if (nextPlaylist.attributes.AUDIO !== playlistToExclude.attributes.AUDIO) {\n        this.delegateLoaders_('audio', ['abort', 'pause']);\n      } // if subtitle group changed reset subtitle loaders\n\n      if (nextPlaylist.attributes.SUBTITLES !== playlistToExclude.attributes.SUBTITLES) {\n        this.delegateLoaders_('subtitle', ['abort', 'pause']);\n      }\n      this.delegateLoaders_('main', ['abort', 'pause']);\n      const delayDuration = nextPlaylist.targetDuration / 2 * 1000 || 5 * 1000;\n      const shouldDelay = typeof nextPlaylist.lastRequest === 'number' && Date.now() - nextPlaylist.lastRequest <= delayDuration; // delay if it's a final rendition or if the last refresh is sooner than half targetDuration\n\n      return this.switchMedia_(nextPlaylist, 'exclude', isFinalRendition || shouldDelay);\n    }\n    /**\n     * Pause all segment/playlist loaders\n     */\n\n    pauseLoading() {\n      this.delegateLoaders_('all', ['abort', 'pause']);\n      this.stopABRTimer_();\n    }\n    /**\n     * Call a set of functions in order on playlist loaders, segment loaders,\n     * or both types of loaders.\n     *\n     * @param {string} filter\n     *        Filter loaders that should call fnNames using a string. Can be:\n     *        * all - run on all loaders\n     *        * audio - run on all audio loaders\n     *        * subtitle - run on all subtitle loaders\n     *        * main - run on the main loaders\n     *\n     * @param {Array|string} fnNames\n     *        A string or array of function names to call.\n     */\n\n    delegateLoaders_(filter, fnNames) {\n      const loaders = [];\n      const dontFilterPlaylist = filter === 'all';\n      if (dontFilterPlaylist || filter === 'main') {\n        loaders.push(this.mainPlaylistLoader_);\n      }\n      const mediaTypes = [];\n      if (dontFilterPlaylist || filter === 'audio') {\n        mediaTypes.push('AUDIO');\n      }\n      if (dontFilterPlaylist || filter === 'subtitle') {\n        mediaTypes.push('CLOSED-CAPTIONS');\n        mediaTypes.push('SUBTITLES');\n      }\n      mediaTypes.forEach(mediaType => {\n        const loader = this.mediaTypes_[mediaType] && this.mediaTypes_[mediaType].activePlaylistLoader;\n        if (loader) {\n          loaders.push(loader);\n        }\n      });\n      ['main', 'audio', 'subtitle'].forEach(name => {\n        const loader = this[`${name}SegmentLoader_`];\n        if (loader && (filter === name || filter === 'all')) {\n          loaders.push(loader);\n        }\n      });\n      loaders.forEach(loader => fnNames.forEach(fnName => {\n        if (typeof loader[fnName] === 'function') {\n          loader[fnName]();\n        }\n      }));\n    }\n    /**\n     * set the current time on all segment loaders\n     *\n     * @param {TimeRange} currentTime the current time to set\n     * @return {TimeRange} the current time\n     */\n\n    setCurrentTime(currentTime) {\n      const buffered = findRange(this.tech_.buffered(), currentTime);\n      if (!(this.mainPlaylistLoader_ && this.mainPlaylistLoader_.media())) {\n        // return immediately if the metadata is not ready yet\n        return 0;\n      } // it's clearly an edge-case but don't thrown an error if asked to\n      // seek within an empty playlist\n\n      if (!this.mainPlaylistLoader_.media().segments) {\n        return 0;\n      } // if the seek location is already buffered, continue buffering as usual\n\n      if (buffered && buffered.length) {\n        return currentTime;\n      } // cancel outstanding requests so we begin buffering at the new\n      // location\n\n      this.mainSegmentLoader_.pause();\n      this.mainSegmentLoader_.resetEverything();\n      if (this.mediaTypes_.AUDIO.activePlaylistLoader) {\n        this.audioSegmentLoader_.pause();\n        this.audioSegmentLoader_.resetEverything();\n      }\n      if (this.mediaTypes_.SUBTITLES.activePlaylistLoader) {\n        this.subtitleSegmentLoader_.pause();\n        this.subtitleSegmentLoader_.resetEverything();\n      } // start segment loader loading in case they are paused\n\n      this.load();\n    }\n    /**\n     * get the current duration\n     *\n     * @return {TimeRange} the duration\n     */\n\n    duration() {\n      if (!this.mainPlaylistLoader_) {\n        return 0;\n      }\n      const media = this.mainPlaylistLoader_.media();\n      if (!media) {\n        // no playlists loaded yet, so can't determine a duration\n        return 0;\n      } // Don't rely on the media source for duration in the case of a live playlist since\n      // setting the native MediaSource's duration to infinity ends up with consequences to\n      // seekable behavior. See https://github.com/w3c/media-source/issues/5 for details.\n      //\n      // This is resolved in the spec by https://github.com/w3c/media-source/pull/92,\n      // however, few browsers have support for setLiveSeekableRange()\n      // https://developer.mozilla.org/en-US/docs/Web/API/MediaSource/setLiveSeekableRange\n      //\n      // Until a time when the duration of the media source can be set to infinity, and a\n      // seekable range specified across browsers, just return Infinity.\n\n      if (!media.endList) {\n        return Infinity;\n      } // Since this is a VOD video, it is safe to rely on the media source's duration (if\n      // available). If it's not available, fall back to a playlist-calculated estimate.\n\n      if (this.mediaSource) {\n        return this.mediaSource.duration;\n      }\n      return Vhs$1.Playlist.duration(media);\n    }\n    /**\n     * check the seekable range\n     *\n     * @return {TimeRange} the seekable range\n     */\n\n    seekable() {\n      return this.seekable_;\n    }\n    getSeekableRange_(playlistLoader, mediaType) {\n      const media = playlistLoader.media();\n      if (!media) {\n        return null;\n      }\n      const mediaSequenceSync = this.syncController_.getMediaSequenceSync(mediaType);\n      if (mediaSequenceSync && mediaSequenceSync.isReliable) {\n        const start = mediaSequenceSync.start;\n        const end = mediaSequenceSync.end;\n        if (!isFinite(start) || !isFinite(end)) {\n          return null;\n        }\n        const liveEdgeDelay = Vhs$1.Playlist.liveEdgeDelay(this.mainPlaylistLoader_.main, media); // Make sure our seekable end is not negative\n\n        const calculatedEnd = Math.max(0, end - liveEdgeDelay);\n        if (calculatedEnd < start) {\n          return null;\n        }\n        return createTimeRanges([[start, calculatedEnd]]);\n      }\n      const expired = this.syncController_.getExpiredTime(media, this.duration());\n      if (expired === null) {\n        return null;\n      }\n      const seekable = Vhs$1.Playlist.seekable(media, expired, Vhs$1.Playlist.liveEdgeDelay(this.mainPlaylistLoader_.main, media));\n      return seekable.length ? seekable : null;\n    }\n    computeFinalSeekable_(mainSeekable, audioSeekable) {\n      if (!audioSeekable) {\n        return mainSeekable;\n      }\n      const mainStart = mainSeekable.start(0);\n      const mainEnd = mainSeekable.end(0);\n      const audioStart = audioSeekable.start(0);\n      const audioEnd = audioSeekable.end(0);\n      if (audioStart > mainEnd || mainStart > audioEnd) {\n        // Seekables are far apart, rely on main\n        return mainSeekable;\n      } // Return the overlapping seekable range\n\n      return createTimeRanges([[Math.max(mainStart, audioStart), Math.min(mainEnd, audioEnd)]]);\n    }\n    onSyncInfoUpdate_() {\n      // TODO check for creation of both source buffers before updating seekable\n      //\n      // A fix was made to this function where a check for\n      // this.sourceUpdater_.hasCreatedSourceBuffers\n      // was added to ensure that both source buffers were created before seekable was\n      // updated. However, it originally had a bug where it was checking for a true and\n      // returning early instead of checking for false. Setting it to check for false to\n      // return early though created other issues. A call to play() would check for seekable\n      // end without verifying that a seekable range was present. In addition, even checking\n      // for that didn't solve some issues, as handleFirstPlay is sometimes worked around\n      // due to a media update calling load on the segment loaders, skipping a seek to live,\n      // thereby starting live streams at the beginning of the stream rather than at the end.\n      //\n      // This conditional should be fixed to wait for the creation of two source buffers at\n      // the same time as the other sections of code are fixed to properly seek to live and\n      // not throw an error due to checking for a seekable end when no seekable range exists.\n      //\n      // For now, fall back to the older behavior, with the understanding that the seekable\n      // range may not be completely correct, leading to a suboptimal initial live point.\n      if (!this.mainPlaylistLoader_) {\n        return;\n      }\n      const mainSeekable = this.getSeekableRange_(this.mainPlaylistLoader_, 'main');\n      if (!mainSeekable) {\n        return;\n      }\n      let audioSeekable;\n      if (this.mediaTypes_.AUDIO.activePlaylistLoader) {\n        audioSeekable = this.getSeekableRange_(this.mediaTypes_.AUDIO.activePlaylistLoader, 'audio');\n        if (!audioSeekable) {\n          return;\n        }\n      }\n      const oldSeekable = this.seekable_;\n      this.seekable_ = this.computeFinalSeekable_(mainSeekable, audioSeekable);\n      if (!this.seekable_) {\n        return;\n      }\n      if (oldSeekable && oldSeekable.length && this.seekable_.length) {\n        if (oldSeekable.start(0) === this.seekable_.start(0) && oldSeekable.end(0) === this.seekable_.end(0)) {\n          // Seekable range hasn't changed\n          return;\n        }\n      }\n      this.logger_(`seekable updated [${printableRange(this.seekable_)}]`);\n      const metadata = {\n        seekableRanges: this.seekable_\n      };\n      this.trigger({\n        type: 'seekablerangeschanged',\n        metadata\n      });\n      this.tech_.trigger('seekablechanged');\n    }\n    /**\n     * Update the player duration\n     */\n\n    updateDuration(isLive) {\n      if (this.updateDuration_) {\n        this.mediaSource.removeEventListener('sourceopen', this.updateDuration_);\n        this.updateDuration_ = null;\n      }\n      if (this.mediaSource.readyState !== 'open') {\n        this.updateDuration_ = this.updateDuration.bind(this, isLive);\n        this.mediaSource.addEventListener('sourceopen', this.updateDuration_);\n        return;\n      }\n      if (isLive) {\n        const seekable = this.seekable();\n        if (!seekable.length) {\n          return;\n        } // Even in the case of a live playlist, the native MediaSource's duration should not\n        // be set to Infinity (even though this would be expected for a live playlist), since\n        // setting the native MediaSource's duration to infinity ends up with consequences to\n        // seekable behavior. See https://github.com/w3c/media-source/issues/5 for details.\n        //\n        // This is resolved in the spec by https://github.com/w3c/media-source/pull/92,\n        // however, few browsers have support for setLiveSeekableRange()\n        // https://developer.mozilla.org/en-US/docs/Web/API/MediaSource/setLiveSeekableRange\n        //\n        // Until a time when the duration of the media source can be set to infinity, and a\n        // seekable range specified across browsers, the duration should be greater than or\n        // equal to the last possible seekable value.\n        // MediaSource duration starts as NaN\n        // It is possible (and probable) that this case will never be reached for many\n        // sources, since the MediaSource reports duration as the highest value without\n        // accounting for timestamp offset. For example, if the timestamp offset is -100 and\n        // we buffered times 0 to 100 with real times of 100 to 200, even though current\n        // time will be between 0 and 100, the native media source may report the duration\n        // as 200. However, since we report duration separate from the media source (as\n        // Infinity), and as long as the native media source duration value is greater than\n        // our reported seekable range, seeks will work as expected. The large number as\n        // duration for live is actually a strategy used by some players to work around the\n        // issue of live seekable ranges cited above.\n\n        if (isNaN(this.mediaSource.duration) || this.mediaSource.duration < seekable.end(seekable.length - 1)) {\n          this.sourceUpdater_.setDuration(seekable.end(seekable.length - 1));\n        }\n        return;\n      }\n      const buffered = this.tech_.buffered();\n      let duration = Vhs$1.Playlist.duration(this.mainPlaylistLoader_.media());\n      if (buffered.length > 0) {\n        duration = Math.max(duration, buffered.end(buffered.length - 1));\n      }\n      if (this.mediaSource.duration !== duration) {\n        this.sourceUpdater_.setDuration(duration);\n      }\n    }\n    /**\n     * dispose of the PlaylistController and everything\n     * that it controls\n     */\n\n    dispose() {\n      this.trigger('dispose');\n      this.decrypter_.terminate();\n      this.mainPlaylistLoader_.dispose();\n      this.mainSegmentLoader_.dispose();\n      this.contentSteeringController_.dispose();\n      this.keyStatusMap_.clear();\n      if (this.loadOnPlay_) {\n        this.tech_.off('play', this.loadOnPlay_);\n      }\n      ['AUDIO', 'SUBTITLES'].forEach(type => {\n        const groups = this.mediaTypes_[type].groups;\n        for (const id in groups) {\n          groups[id].forEach(group => {\n            if (group.playlistLoader) {\n              group.playlistLoader.dispose();\n            }\n          });\n        }\n      });\n      this.audioSegmentLoader_.dispose();\n      this.subtitleSegmentLoader_.dispose();\n      this.sourceUpdater_.dispose();\n      this.timelineChangeController_.dispose();\n      this.stopABRTimer_();\n      if (this.updateDuration_) {\n        this.mediaSource.removeEventListener('sourceopen', this.updateDuration_);\n      }\n      this.mediaSource.removeEventListener('durationchange', this.handleDurationChange_); // load the media source into the player\n\n      this.mediaSource.removeEventListener('sourceopen', this.handleSourceOpen_);\n      this.mediaSource.removeEventListener('sourceended', this.handleSourceEnded_);\n      this.off();\n    }\n    /**\n     * return the main playlist object if we have one\n     *\n     * @return {Object} the main playlist object that we parsed\n     */\n\n    main() {\n      return this.mainPlaylistLoader_.main;\n    }\n    /**\n     * return the currently selected playlist\n     *\n     * @return {Object} the currently selected playlist object that we parsed\n     */\n\n    media() {\n      // playlist loader will not return media if it has not been fully loaded\n      return this.mainPlaylistLoader_.media() || this.initialMedia_;\n    }\n    areMediaTypesKnown_() {\n      const usingAudioLoader = !!this.mediaTypes_.AUDIO.activePlaylistLoader;\n      const hasMainMediaInfo = !!this.mainSegmentLoader_.getCurrentMediaInfo_(); // if we are not using an audio loader, then we have audio media info\n      // otherwise check on the segment loader.\n\n      const hasAudioMediaInfo = !usingAudioLoader ? true : !!this.audioSegmentLoader_.getCurrentMediaInfo_(); // one or both loaders has not loaded sufficently to get codecs\n\n      if (!hasMainMediaInfo || !hasAudioMediaInfo) {\n        return false;\n      }\n      return true;\n    } // find from and to for codec switch event\n\n    getCodecsOrExclude_() {\n      const media = {\n        main: this.mainSegmentLoader_.getCurrentMediaInfo_() || {},\n        audio: this.audioSegmentLoader_.getCurrentMediaInfo_() || {}\n      };\n      const playlist = this.mainSegmentLoader_.getPendingSegmentPlaylist() || this.media(); // set \"main\" media equal to video\n\n      media.video = media.main;\n      const playlistCodecs = codecsForPlaylist(this.main(), playlist);\n      const codecs = {};\n      const usingAudioLoader = !!this.mediaTypes_.AUDIO.activePlaylistLoader;\n      if (media.main.hasVideo) {\n        codecs.video = playlistCodecs.video || media.main.videoCodec || DEFAULT_VIDEO_CODEC;\n      }\n      if (media.main.isMuxed) {\n        codecs.video += `,${playlistCodecs.audio || media.main.audioCodec || DEFAULT_AUDIO_CODEC}`;\n      }\n      if (media.main.hasAudio && !media.main.isMuxed || media.audio.hasAudio || usingAudioLoader) {\n        codecs.audio = playlistCodecs.audio || media.main.audioCodec || media.audio.audioCodec || DEFAULT_AUDIO_CODEC; // set audio isFmp4 so we use the correct \"supports\" function below\n\n        media.audio.isFmp4 = media.main.hasAudio && !media.main.isMuxed ? media.main.isFmp4 : media.audio.isFmp4;\n      } // no codecs, no playback.\n\n      if (!codecs.audio && !codecs.video) {\n        this.excludePlaylist({\n          playlistToExclude: playlist,\n          error: {\n            message: 'Could not determine codecs for playlist.'\n          },\n          playlistExclusionDuration: Infinity\n        });\n        return;\n      } // fmp4 relies on browser support, while ts relies on muxer support\n\n      const supportFunction = (isFmp4, codec) => isFmp4 ? browserSupportsCodec(codec, this.usingManagedMediaSource_) : muxerSupportsCodec(codec);\n      const unsupportedCodecs = {};\n      let unsupportedAudio;\n      ['video', 'audio'].forEach(function (type) {\n        if (codecs.hasOwnProperty(type) && !supportFunction(media[type].isFmp4, codecs[type])) {\n          const supporter = media[type].isFmp4 ? 'browser' : 'muxer';\n          unsupportedCodecs[supporter] = unsupportedCodecs[supporter] || [];\n          unsupportedCodecs[supporter].push(codecs[type]);\n          if (type === 'audio') {\n            unsupportedAudio = supporter;\n          }\n        }\n      });\n      if (usingAudioLoader && unsupportedAudio && playlist.attributes.AUDIO) {\n        const audioGroup = playlist.attributes.AUDIO;\n        this.main().playlists.forEach(variant => {\n          const variantAudioGroup = variant.attributes && variant.attributes.AUDIO;\n          if (variantAudioGroup === audioGroup && variant !== playlist) {\n            variant.excludeUntil = Infinity;\n          }\n        });\n        this.logger_(`excluding audio group ${audioGroup} as ${unsupportedAudio} does not support codec(s): \"${codecs.audio}\"`);\n      } // if we have any unsupported codecs exclude this playlist.\n\n      if (Object.keys(unsupportedCodecs).length) {\n        const message = Object.keys(unsupportedCodecs).reduce((acc, supporter) => {\n          if (acc) {\n            acc += ', ';\n          }\n          acc += `${supporter} does not support codec(s): \"${unsupportedCodecs[supporter].join(',')}\"`;\n          return acc;\n        }, '') + '.';\n        this.excludePlaylist({\n          playlistToExclude: playlist,\n          error: {\n            internal: true,\n            message\n          },\n          playlistExclusionDuration: Infinity\n        });\n        return;\n      } // check if codec switching is happening\n\n      if (this.sourceUpdater_.hasCreatedSourceBuffers() && !this.sourceUpdater_.canChangeType()) {\n        const switchMessages = [];\n        ['video', 'audio'].forEach(type => {\n          const newCodec = (parseCodecs(this.sourceUpdater_.codecs[type] || '')[0] || {}).type;\n          const oldCodec = (parseCodecs(codecs[type] || '')[0] || {}).type;\n          if (newCodec && oldCodec && newCodec.toLowerCase() !== oldCodec.toLowerCase()) {\n            switchMessages.push(`\"${this.sourceUpdater_.codecs[type]}\" -> \"${codecs[type]}\"`);\n          }\n        });\n        if (switchMessages.length) {\n          this.excludePlaylist({\n            playlistToExclude: playlist,\n            error: {\n              message: `Codec switching not supported: ${switchMessages.join(', ')}.`,\n              internal: true\n            },\n            playlistExclusionDuration: Infinity\n          });\n          return;\n        }\n      } // TODO: when using the muxer shouldn't we just return\n      // the codecs that the muxer outputs?\n\n      return codecs;\n    }\n    /**\n     * Create source buffers and exlude any incompatible renditions.\n     *\n     * @private\n     */\n\n    tryToCreateSourceBuffers_() {\n      // media source is not ready yet or sourceBuffers are already\n      // created.\n      if (this.mediaSource.readyState !== 'open' || this.sourceUpdater_.hasCreatedSourceBuffers()) {\n        return;\n      }\n      if (!this.areMediaTypesKnown_()) {\n        return;\n      }\n      const codecs = this.getCodecsOrExclude_(); // no codecs means that the playlist was excluded\n\n      if (!codecs) {\n        return;\n      }\n      this.sourceUpdater_.createSourceBuffers(codecs);\n      const codecString = [codecs.video, codecs.audio].filter(Boolean).join(',');\n      this.excludeIncompatibleVariants_(codecString);\n    }\n    /**\n     * Excludes playlists with codecs that are unsupported by the muxer and browser.\n     */\n\n    excludeUnsupportedVariants_() {\n      const playlists = this.main().playlists;\n      const ids = []; // TODO: why don't we have a property to loop through all\n      // playlist? Why did we ever mix indexes and keys?\n\n      Object.keys(playlists).forEach(key => {\n        const variant = playlists[key]; // check if we already processed this playlist.\n\n        if (ids.indexOf(variant.id) !== -1) {\n          return;\n        }\n        ids.push(variant.id);\n        const codecs = codecsForPlaylist(this.main, variant);\n        const unsupported = [];\n        if (codecs.audio && !muxerSupportsCodec(codecs.audio) && !browserSupportsCodec(codecs.audio, this.usingManagedMediaSource_)) {\n          unsupported.push(`audio codec ${codecs.audio}`);\n        }\n        if (codecs.video && !muxerSupportsCodec(codecs.video) && !browserSupportsCodec(codecs.video, this.usingManagedMediaSource_)) {\n          unsupported.push(`video codec ${codecs.video}`);\n        }\n        if (codecs.text && codecs.text === 'stpp.ttml.im1t') {\n          unsupported.push(`text codec ${codecs.text}`);\n        }\n        if (unsupported.length) {\n          variant.excludeUntil = Infinity;\n          this.logger_(`excluding ${variant.id} for unsupported: ${unsupported.join(', ')}`);\n        }\n      });\n    }\n    /**\n     * Exclude playlists that are known to be codec or\n     * stream-incompatible with the SourceBuffer configuration. For\n     * instance, Media Source Extensions would cause the video element to\n     * stall waiting for video data if you switched from a variant with\n     * video and audio to an audio-only one.\n     *\n     * @param {Object} media a media playlist compatible with the current\n     * set of SourceBuffers. Variants in the current main playlist that\n     * do not appear to have compatible codec or stream configurations\n     * will be excluded from the default playlist selection algorithm\n     * indefinitely.\n     * @private\n     */\n\n    excludeIncompatibleVariants_(codecString) {\n      const ids = [];\n      const playlists = this.main().playlists;\n      const codecs = unwrapCodecList(parseCodecs(codecString));\n      const codecCount_ = codecCount(codecs);\n      const videoDetails = codecs.video && parseCodecs(codecs.video)[0] || null;\n      const audioDetails = codecs.audio && parseCodecs(codecs.audio)[0] || null;\n      Object.keys(playlists).forEach(key => {\n        const variant = playlists[key]; // check if we already processed this playlist.\n        // or it if it is already excluded forever.\n\n        if (ids.indexOf(variant.id) !== -1 || variant.excludeUntil === Infinity) {\n          return;\n        }\n        ids.push(variant.id);\n        const exclusionReasons = []; // get codecs from the playlist for this variant\n\n        const variantCodecs = codecsForPlaylist(this.mainPlaylistLoader_.main, variant);\n        const variantCodecCount = codecCount(variantCodecs); // if no codecs are listed, we cannot determine that this\n        // variant is incompatible. Wait for mux.js to probe\n\n        if (!variantCodecs.audio && !variantCodecs.video) {\n          return;\n        } // TODO: we can support this by removing the\n        // old media source and creating a new one, but it will take some work.\n        // The number of streams cannot change\n\n        if (variantCodecCount !== codecCount_) {\n          exclusionReasons.push(`codec count \"${variantCodecCount}\" !== \"${codecCount_}\"`);\n        } // only exclude playlists by codec change, if codecs cannot switch\n        // during playback.\n\n        if (!this.sourceUpdater_.canChangeType()) {\n          const variantVideoDetails = variantCodecs.video && parseCodecs(variantCodecs.video)[0] || null;\n          const variantAudioDetails = variantCodecs.audio && parseCodecs(variantCodecs.audio)[0] || null; // the video codec cannot change\n\n          if (variantVideoDetails && videoDetails && variantVideoDetails.type.toLowerCase() !== videoDetails.type.toLowerCase()) {\n            exclusionReasons.push(`video codec \"${variantVideoDetails.type}\" !== \"${videoDetails.type}\"`);\n          } // the audio codec cannot change\n\n          if (variantAudioDetails && audioDetails && variantAudioDetails.type.toLowerCase() !== audioDetails.type.toLowerCase()) {\n            exclusionReasons.push(`audio codec \"${variantAudioDetails.type}\" !== \"${audioDetails.type}\"`);\n          }\n        }\n        if (exclusionReasons.length) {\n          variant.excludeUntil = Infinity;\n          this.logger_(`excluding ${variant.id}: ${exclusionReasons.join(' && ')}`);\n        }\n      });\n    }\n    updateAdCues_(media) {\n      let offset = 0;\n      const seekable = this.seekable();\n      if (seekable.length) {\n        offset = seekable.start(0);\n      }\n      updateAdCues(media, this.cueTagsTrack_, offset);\n    }\n    /**\n     * Calculates the desired forward buffer length based on current time\n     *\n     * @return {number} Desired forward buffer length in seconds\n     */\n\n    goalBufferLength() {\n      const currentTime = this.tech_.currentTime();\n      const initial = Config.GOAL_BUFFER_LENGTH;\n      const rate = Config.GOAL_BUFFER_LENGTH_RATE;\n      const max = Math.max(initial, Config.MAX_GOAL_BUFFER_LENGTH);\n      return Math.min(initial + currentTime * rate, max);\n    }\n    /**\n     * Calculates the desired buffer low water line based on current time\n     *\n     * @return {number} Desired buffer low water line in seconds\n     */\n\n    bufferLowWaterLine() {\n      const currentTime = this.tech_.currentTime();\n      const initial = Config.BUFFER_LOW_WATER_LINE;\n      const rate = Config.BUFFER_LOW_WATER_LINE_RATE;\n      const max = Math.max(initial, Config.MAX_BUFFER_LOW_WATER_LINE);\n      const newMax = Math.max(initial, Config.EXPERIMENTAL_MAX_BUFFER_LOW_WATER_LINE);\n      return Math.min(initial + currentTime * rate, this.bufferBasedABR ? newMax : max);\n    }\n    bufferHighWaterLine() {\n      return Config.BUFFER_HIGH_WATER_LINE;\n    }\n    addDateRangesToTextTrack_(dateRanges) {\n      createMetadataTrackIfNotExists(this.inbandTextTracks_, 'com.apple.streaming', this.tech_);\n      addDateRangeMetadata({\n        inbandTextTracks: this.inbandTextTracks_,\n        dateRanges\n      });\n    }\n    addMetadataToTextTrack(dispatchType, metadataArray, videoDuration) {\n      const timestampOffset = this.sourceUpdater_.videoBuffer ? this.sourceUpdater_.videoTimestampOffset() : this.sourceUpdater_.audioTimestampOffset(); // There's potentially an issue where we could double add metadata if there's a muxed\n      // audio/video source with a metadata track, and an alt audio with a metadata track.\n      // However, this probably won't happen, and if it does it can be handled then.\n\n      createMetadataTrackIfNotExists(this.inbandTextTracks_, dispatchType, this.tech_);\n      addMetadata({\n        inbandTextTracks: this.inbandTextTracks_,\n        metadataArray,\n        timestampOffset,\n        videoDuration\n      });\n    }\n    /**\n     * Utility for getting the pathway or service location from an HLS or DASH playlist.\n     *\n     * @param {Object} playlist for getting pathway from.\n     * @return the pathway attribute of a playlist\n     */\n\n    pathwayAttribute_(playlist) {\n      return playlist.attributes['PATHWAY-ID'] || playlist.attributes.serviceLocation;\n    }\n    /**\n     * Initialize available pathways and apply the tag properties.\n     */\n\n    initContentSteeringController_() {\n      const main = this.main();\n      if (!main.contentSteering) {\n        return;\n      }\n      for (const playlist of main.playlists) {\n        this.contentSteeringController_.addAvailablePathway(this.pathwayAttribute_(playlist));\n      }\n      this.contentSteeringController_.assignTagProperties(main.uri, main.contentSteering); // request the steering manifest immediately if queryBeforeStart is set.\n\n      if (this.contentSteeringController_.queryBeforeStart) {\n        // When queryBeforeStart is true, initial request should omit steering parameters.\n        this.contentSteeringController_.requestSteeringManifest(true);\n        return;\n      } // otherwise start content steering after playback starts\n\n      this.tech_.one('canplay', () => {\n        this.contentSteeringController_.requestSteeringManifest();\n      });\n    }\n    /**\n     * Reset the content steering controller and re-init.\n     */\n\n    resetContentSteeringController_() {\n      this.contentSteeringController_.clearAvailablePathways();\n      this.contentSteeringController_.dispose();\n      this.initContentSteeringController_();\n    }\n    /**\n     * Attaches the listeners for content steering.\n     */\n\n    attachContentSteeringListeners_() {\n      this.contentSteeringController_.on('content-steering', this.excludeThenChangePathway_.bind(this));\n      const contentSteeringEvents = ['contentsteeringloadstart', 'contentsteeringloadcomplete', 'contentsteeringparsed'];\n      contentSteeringEvents.forEach(eventName => {\n        this.contentSteeringController_.on(eventName, metadata => {\n          this.trigger(_extends$1({}, metadata));\n        });\n      });\n      if (this.sourceType_ === 'dash') {\n        this.mainPlaylistLoader_.on('loadedplaylist', () => {\n          const main = this.main(); // check if steering tag or pathways changed.\n\n          const didDashTagChange = this.contentSteeringController_.didDASHTagChange(main.uri, main.contentSteering);\n          const didPathwaysChange = () => {\n            const availablePathways = this.contentSteeringController_.getAvailablePathways();\n            const newPathways = [];\n            for (const playlist of main.playlists) {\n              const serviceLocation = playlist.attributes.serviceLocation;\n              if (serviceLocation) {\n                newPathways.push(serviceLocation);\n                if (!availablePathways.has(serviceLocation)) {\n                  return true;\n                }\n              }\n            } // If we have no new serviceLocations and previously had availablePathways\n\n            if (!newPathways.length && availablePathways.size) {\n              return true;\n            }\n            return false;\n          };\n          if (didDashTagChange || didPathwaysChange()) {\n            this.resetContentSteeringController_();\n          }\n        });\n      }\n    }\n    /**\n     * Simple exclude and change playlist logic for content steering.\n     */\n\n    excludeThenChangePathway_() {\n      const currentPathway = this.contentSteeringController_.getPathway();\n      if (!currentPathway) {\n        return;\n      }\n      this.handlePathwayClones_();\n      const main = this.main();\n      const playlists = main.playlists;\n      const ids = new Set();\n      let didEnablePlaylists = false;\n      Object.keys(playlists).forEach(key => {\n        const variant = playlists[key];\n        const pathwayId = this.pathwayAttribute_(variant);\n        const differentPathwayId = pathwayId && currentPathway !== pathwayId;\n        const steeringExclusion = variant.excludeUntil === Infinity && variant.lastExcludeReason_ === 'content-steering';\n        if (steeringExclusion && !differentPathwayId) {\n          delete variant.excludeUntil;\n          delete variant.lastExcludeReason_;\n          didEnablePlaylists = true;\n        }\n        const noExcludeUntil = !variant.excludeUntil && variant.excludeUntil !== Infinity;\n        const shouldExclude = !ids.has(variant.id) && differentPathwayId && noExcludeUntil;\n        if (!shouldExclude) {\n          return;\n        }\n        ids.add(variant.id);\n        variant.excludeUntil = Infinity;\n        variant.lastExcludeReason_ = 'content-steering'; // TODO: kind of spammy, maybe move this.\n\n        this.logger_(`excluding ${variant.id} for ${variant.lastExcludeReason_}`);\n      });\n      if (this.contentSteeringController_.manifestType_ === 'DASH') {\n        Object.keys(this.mediaTypes_).forEach(key => {\n          const type = this.mediaTypes_[key];\n          if (type.activePlaylistLoader) {\n            const currentPlaylist = type.activePlaylistLoader.media_; // Check if the current media playlist matches the current CDN\n\n            if (currentPlaylist && currentPlaylist.attributes.serviceLocation !== currentPathway) {\n              didEnablePlaylists = true;\n            }\n          }\n        });\n      }\n      if (didEnablePlaylists) {\n        this.changeSegmentPathway_();\n      }\n    }\n    /**\n     * Add, update, or delete playlists and media groups for\n     * the pathway clones for HLS Content Steering.\n     *\n     * See https://datatracker.ietf.org/doc/draft-pantos-hls-rfc8216bis/\n     *\n     * NOTE: Pathway cloning does not currently support the `PER_VARIANT_URIS` and\n     * `PER_RENDITION_URIS` as we do not handle `STABLE-VARIANT-ID` or\n     * `STABLE-RENDITION-ID` values.\n     */\n\n    handlePathwayClones_() {\n      const main = this.main();\n      const playlists = main.playlists;\n      const currentPathwayClones = this.contentSteeringController_.currentPathwayClones;\n      const nextPathwayClones = this.contentSteeringController_.nextPathwayClones;\n      const hasClones = currentPathwayClones && currentPathwayClones.size || nextPathwayClones && nextPathwayClones.size;\n      if (!hasClones) {\n        return;\n      }\n      for (const [id, clone] of currentPathwayClones.entries()) {\n        const newClone = nextPathwayClones.get(id); // Delete the old pathway clone.\n\n        if (!newClone) {\n          this.mainPlaylistLoader_.updateOrDeleteClone(clone);\n          this.contentSteeringController_.excludePathway(id);\n        }\n      }\n      for (const [id, clone] of nextPathwayClones.entries()) {\n        const oldClone = currentPathwayClones.get(id); // Create a new pathway if it is a new pathway clone object.\n\n        if (!oldClone) {\n          const playlistsToClone = playlists.filter(p => {\n            return p.attributes['PATHWAY-ID'] === clone['BASE-ID'];\n          });\n          playlistsToClone.forEach(p => {\n            this.mainPlaylistLoader_.addClonePathway(clone, p);\n          });\n          this.contentSteeringController_.addAvailablePathway(id);\n          continue;\n        } // There have not been changes to the pathway clone object, so skip.\n\n        if (this.equalPathwayClones_(oldClone, clone)) {\n          continue;\n        } // Update a preexisting cloned pathway.\n        // True is set for the update flag.\n\n        this.mainPlaylistLoader_.updateOrDeleteClone(clone, true);\n        this.contentSteeringController_.addAvailablePathway(id);\n      } // Deep copy contents of next to current pathways.\n\n      this.contentSteeringController_.currentPathwayClones = new Map(JSON.parse(JSON.stringify([...nextPathwayClones])));\n    }\n    /**\n     * Determines whether two pathway clone objects are equivalent.\n     *\n     * @param {Object} a The first pathway clone object.\n     * @param {Object} b The second pathway clone object.\n     * @return {boolean} True if the pathway clone objects are equal, false otherwise.\n     */\n\n    equalPathwayClones_(a, b) {\n      if (a['BASE-ID'] !== b['BASE-ID'] || a.ID !== b.ID || a['URI-REPLACEMENT'].HOST !== b['URI-REPLACEMENT'].HOST) {\n        return false;\n      }\n      const aParams = a['URI-REPLACEMENT'].PARAMS;\n      const bParams = b['URI-REPLACEMENT'].PARAMS; // We need to iterate through both lists of params because one could be\n      // missing a parameter that the other has.\n\n      for (const p in aParams) {\n        if (aParams[p] !== bParams[p]) {\n          return false;\n        }\n      }\n      for (const p in bParams) {\n        if (aParams[p] !== bParams[p]) {\n          return false;\n        }\n      }\n      return true;\n    }\n    /**\n     * Changes the current playlists for audio, video and subtitles after a new pathway\n     * is chosen from content steering.\n     */\n\n    changeSegmentPathway_() {\n      const nextPlaylist = this.selectPlaylist();\n      this.pauseLoading(); // Switch audio and text track playlists if necessary in DASH\n\n      if (this.contentSteeringController_.manifestType_ === 'DASH') {\n        this.switchMediaForDASHContentSteering_();\n      }\n      this.switchMedia_(nextPlaylist, 'content-steering');\n    }\n    /**\n     * Iterates through playlists and check their keyId set and compare with the\n     * keyStatusMap, only enable playlists that have a usable key. If the playlist\n     * has no keyId leave it enabled by default.\n     */\n\n    excludeNonUsablePlaylistsByKeyId_() {\n      if (!this.mainPlaylistLoader_ || !this.mainPlaylistLoader_.main) {\n        return;\n      }\n      let nonUsableKeyStatusCount = 0;\n      const NON_USABLE = 'non-usable';\n      this.mainPlaylistLoader_.main.playlists.forEach(playlist => {\n        const keyIdSet = this.mainPlaylistLoader_.getKeyIdSet(playlist); // If the playlist doesn't have keyIDs lets not exclude it.\n\n        if (!keyIdSet || !keyIdSet.size) {\n          return;\n        }\n        keyIdSet.forEach(key => {\n          const USABLE = 'usable';\n          const hasUsableKeyStatus = this.keyStatusMap_.has(key) && this.keyStatusMap_.get(key) === USABLE;\n          const nonUsableExclusion = playlist.lastExcludeReason_ === NON_USABLE && playlist.excludeUntil === Infinity;\n          if (!hasUsableKeyStatus) {\n            // Only exclude playlists that haven't already been excluded as non-usable.\n            if (playlist.excludeUntil !== Infinity && playlist.lastExcludeReason_ !== NON_USABLE) {\n              playlist.excludeUntil = Infinity;\n              playlist.lastExcludeReason_ = NON_USABLE;\n              this.logger_(`excluding playlist ${playlist.id} because the key ID ${key} doesn't exist in the keyStatusMap or is not ${USABLE}`);\n            } // count all nonUsableKeyStatus\n\n            nonUsableKeyStatusCount++;\n          } else if (hasUsableKeyStatus && nonUsableExclusion) {\n            delete playlist.excludeUntil;\n            delete playlist.lastExcludeReason_;\n            this.logger_(`enabling playlist ${playlist.id} because key ID ${key} is ${USABLE}`);\n          }\n        });\n      }); // If for whatever reason every playlist has a non usable key status. Lets try re-including the SD renditions as a failsafe.\n\n      if (nonUsableKeyStatusCount >= this.mainPlaylistLoader_.main.playlists.length) {\n        this.mainPlaylistLoader_.main.playlists.forEach(playlist => {\n          const isNonHD = playlist && playlist.attributes && playlist.attributes.RESOLUTION && playlist.attributes.RESOLUTION.height < 720;\n          const excludedForNonUsableKey = playlist.excludeUntil === Infinity && playlist.lastExcludeReason_ === NON_USABLE;\n          if (isNonHD && excludedForNonUsableKey) {\n            // Only delete the excludeUntil so we don't try and re-exclude these playlists.\n            delete playlist.excludeUntil;\n            videojs.log.warn(`enabling non-HD playlist ${playlist.id} because all playlists were excluded due to ${NON_USABLE} key IDs`);\n          }\n        });\n      }\n    }\n    /**\n     * Adds a keystatus to the keystatus map, tries to convert to string if necessary.\n     *\n     * @param {any} keyId the keyId to add a status for\n     * @param {string} status the status of the keyId\n     */\n\n    addKeyStatus_(keyId, status) {\n      const isString = typeof keyId === 'string';\n      const keyIdHexString = isString ? keyId : bufferToHexString(keyId);\n      const formattedKeyIdString = keyIdHexString.slice(0, 32).toLowerCase();\n      this.logger_(`KeyStatus '${status}' with key ID ${formattedKeyIdString} added to the keyStatusMap`);\n      this.keyStatusMap_.set(formattedKeyIdString, status);\n    }\n    /**\n     * Utility function for adding key status to the keyStatusMap and filtering usable encrypted playlists.\n     *\n     * @param {any} keyId the keyId from the keystatuschange event\n     * @param {string} status the key status string\n     */\n\n    updatePlaylistByKeyStatus(keyId, status) {\n      this.addKeyStatus_(keyId, status);\n      if (!this.waitingForFastQualityPlaylistReceived_) {\n        this.excludeNonUsableThenChangePlaylist_();\n      } // Listen to loadedplaylist with a single listener and check for new contentProtection elements when a playlist is updated.\n\n      this.mainPlaylistLoader_.off('loadedplaylist', this.excludeNonUsableThenChangePlaylist_.bind(this));\n      this.mainPlaylistLoader_.on('loadedplaylist', this.excludeNonUsableThenChangePlaylist_.bind(this));\n    }\n    excludeNonUsableThenChangePlaylist_() {\n      this.excludeNonUsablePlaylistsByKeyId_();\n      this.fastQualityChange_();\n    }\n  }\n\n  /**\n   * Returns a function that acts as the Enable/disable playlist function.\n   *\n   * @param {PlaylistLoader} loader - The main playlist loader\n   * @param {string} playlistID - id of the playlist\n   * @param {Function} changePlaylistFn - A function to be called after a\n   * playlist's enabled-state has been changed. Will NOT be called if a\n   * playlist's enabled-state is unchanged\n   * @param {boolean=} enable - Value to set the playlist enabled-state to\n   * or if undefined returns the current enabled-state for the playlist\n   * @return {Function} Function for setting/getting enabled\n   */\n\n  const enableFunction = (loader, playlistID, changePlaylistFn) => enable => {\n    const playlist = loader.main.playlists[playlistID];\n    const incompatible = isIncompatible(playlist);\n    const currentlyEnabled = isEnabled(playlist);\n    if (typeof enable === 'undefined') {\n      return currentlyEnabled;\n    }\n    if (enable) {\n      delete playlist.disabled;\n    } else {\n      playlist.disabled = true;\n    }\n    const metadata = {\n      renditionInfo: {\n        id: playlistID,\n        bandwidth: playlist.attributes.BANDWIDTH,\n        resolution: playlist.attributes.RESOLUTION,\n        codecs: playlist.attributes.CODECS\n      },\n      cause: 'fast-quality'\n    };\n    if (enable !== currentlyEnabled && !incompatible) {\n      // Ensure the outside world knows about our changes\n      if (enable) {\n        // call fast quality change only when the playlist is enabled\n        changePlaylistFn(playlist);\n        loader.trigger({\n          type: 'renditionenabled',\n          metadata\n        });\n      } else {\n        loader.trigger({\n          type: 'renditiondisabled',\n          metadata\n        });\n      }\n    }\n    return enable;\n  };\n  /**\n   * The representation object encapsulates the publicly visible information\n   * in a media playlist along with a setter/getter-type function (enabled)\n   * for changing the enabled-state of a particular playlist entry\n   *\n   * @class Representation\n   */\n\n  class Representation {\n    constructor(vhsHandler, playlist, id) {\n      const {\n        playlistController_: pc\n      } = vhsHandler;\n      const qualityChangeFunction = pc.fastQualityChange_.bind(pc); // some playlist attributes are optional\n\n      if (playlist.attributes) {\n        const resolution = playlist.attributes.RESOLUTION;\n        this.width = resolution && resolution.width;\n        this.height = resolution && resolution.height;\n        this.bandwidth = playlist.attributes.BANDWIDTH;\n        this.frameRate = playlist.attributes['FRAME-RATE'];\n      }\n      this.codecs = codecsForPlaylist(pc.main(), playlist);\n      this.playlist = playlist; // The id is simply the ordinality of the media playlist\n      // within the main playlist\n\n      this.id = id; // Partially-apply the enableFunction to create a playlist-\n      // specific variant\n\n      this.enabled = enableFunction(vhsHandler.playlists, playlist.id, qualityChangeFunction);\n    }\n  }\n  /**\n   * A mixin function that adds the `representations` api to an instance\n   * of the VhsHandler class\n   *\n   * @param {VhsHandler} vhsHandler - An instance of VhsHandler to add the\n   * representation API into\n   */\n\n  const renditionSelectionMixin = function (vhsHandler) {\n    // Add a single API-specific function to the VhsHandler instance\n    vhsHandler.representations = () => {\n      const main = vhsHandler.playlistController_.main();\n      const playlists = isAudioOnly(main) ? vhsHandler.playlistController_.getAudioTrackPlaylists_() : main.playlists;\n      if (!playlists) {\n        return [];\n      }\n      return playlists.filter(media => !isIncompatible(media)).map((e, i) => new Representation(vhsHandler, e, e.id));\n    };\n  };\n\n  /**\n   * @file playback-watcher.js\n   *\n   * Playback starts, and now my watch begins. It shall not end until my death. I shall\n   * take no wait, hold no uncleared timeouts, father no bad seeks. I shall wear no crowns\n   * and win no glory. I shall live and die at my post. I am the corrector of the underflow.\n   * I am the watcher of gaps. I am the shield that guards the realms of seekable. I pledge\n   * my life and honor to the Playback Watch, for this Player and all the Players to come.\n   */\n\n  const timerCancelEvents = ['seeking', 'seeked', 'pause', 'playing', 'error'];\n  /**\n   * @class PlaybackWatcher\n   */\n\n  class PlaybackWatcher extends videojs.EventTarget {\n    /**\n     * Represents an PlaybackWatcher object.\n     *\n     * @class\n     * @param {Object} options an object that includes the tech and settings\n     */\n    constructor(options) {\n      super();\n      this.playlistController_ = options.playlistController;\n      this.tech_ = options.tech;\n      this.seekable = options.seekable;\n      this.allowSeeksWithinUnsafeLiveWindow = options.allowSeeksWithinUnsafeLiveWindow;\n      this.liveRangeSafeTimeDelta = options.liveRangeSafeTimeDelta;\n      this.media = options.media;\n      this.playedRanges_ = [];\n      this.consecutiveUpdates = 0;\n      this.lastRecordedTime = null;\n      this.checkCurrentTimeTimeout_ = null;\n      this.logger_ = logger('PlaybackWatcher');\n      this.logger_('initialize');\n      const playHandler = () => this.monitorCurrentTime_();\n      const canPlayHandler = () => this.monitorCurrentTime_();\n      const waitingHandler = () => this.techWaiting_();\n      const cancelTimerHandler = () => this.resetTimeUpdate_();\n      const pc = this.playlistController_;\n      const loaderTypes = ['main', 'subtitle', 'audio'];\n      const loaderChecks = {};\n      loaderTypes.forEach(type => {\n        loaderChecks[type] = {\n          reset: () => this.resetSegmentDownloads_(type),\n          updateend: () => this.checkSegmentDownloads_(type)\n        };\n        pc[`${type}SegmentLoader_`].on('appendsdone', loaderChecks[type].updateend); // If a rendition switch happens during a playback stall where the buffer\n        // isn't changing we want to reset. We cannot assume that the new rendition\n        // will also be stalled, until after new appends.\n\n        pc[`${type}SegmentLoader_`].on('playlistupdate', loaderChecks[type].reset); // Playback stalls should not be detected right after seeking.\n        // This prevents one segment playlists (single vtt or single segment content)\n        // from being detected as stalling. As the buffer will not change in those cases, since\n        // the buffer is the entire video duration.\n\n        this.tech_.on(['seeked', 'seeking'], loaderChecks[type].reset);\n      });\n      /**\n       * We check if a seek was into a gap through the following steps:\n       * 1. We get a seeking event and we do not get a seeked event. This means that\n       *    a seek was attempted but not completed.\n       * 2. We run `fixesBadSeeks_` on segment loader appends. This means that we already\n       *    removed everything from our buffer and appended a segment, and should be ready\n       *    to check for gaps.\n       */\n\n      const setSeekingHandlers = fn => {\n        ['main', 'audio'].forEach(type => {\n          pc[`${type}SegmentLoader_`][fn]('appended', this.seekingAppendCheck_);\n        });\n      };\n      this.seekingAppendCheck_ = () => {\n        if (this.fixesBadSeeks_()) {\n          this.consecutiveUpdates = 0;\n          this.lastRecordedTime = this.tech_.currentTime();\n          setSeekingHandlers('off');\n        }\n      };\n      this.clearSeekingAppendCheck_ = () => setSeekingHandlers('off');\n      this.watchForBadSeeking_ = () => {\n        this.clearSeekingAppendCheck_();\n        setSeekingHandlers('on');\n      };\n      this.tech_.on('seeked', this.clearSeekingAppendCheck_);\n      this.tech_.on('seeking', this.watchForBadSeeking_);\n      this.tech_.on('waiting', waitingHandler);\n      this.tech_.on(timerCancelEvents, cancelTimerHandler);\n      this.tech_.on('canplay', canPlayHandler);\n      /*\n        An edge case exists that results in gaps not being skipped when they exist at the beginning of a stream. This case\n        is surfaced in one of two ways:\n         1)  The `waiting` event is fired before the player has buffered content, making it impossible\n            to find or skip the gap. The `waiting` event is followed by a `play` event. On first play\n            we can check if playback is stalled due to a gap, and skip the gap if necessary.\n        2)  A source with a gap at the beginning of the stream is loaded programatically while the player\n            is in a playing state. To catch this case, it's important that our one-time play listener is setup\n            even if the player is in a playing state\n      */\n\n      this.tech_.one('play', playHandler); // Define the dispose function to clean up our events\n\n      this.dispose = () => {\n        this.clearSeekingAppendCheck_();\n        this.logger_('dispose');\n        this.tech_.off('waiting', waitingHandler);\n        this.tech_.off(timerCancelEvents, cancelTimerHandler);\n        this.tech_.off('canplay', canPlayHandler);\n        this.tech_.off('play', playHandler);\n        this.tech_.off('seeking', this.watchForBadSeeking_);\n        this.tech_.off('seeked', this.clearSeekingAppendCheck_);\n        loaderTypes.forEach(type => {\n          pc[`${type}SegmentLoader_`].off('appendsdone', loaderChecks[type].updateend);\n          pc[`${type}SegmentLoader_`].off('playlistupdate', loaderChecks[type].reset);\n          this.tech_.off(['seeked', 'seeking'], loaderChecks[type].reset);\n        });\n        if (this.checkCurrentTimeTimeout_) {\n          window.clearTimeout(this.checkCurrentTimeTimeout_);\n        }\n        this.resetTimeUpdate_();\n      };\n    }\n    /**\n     * Periodically check current time to see if playback stopped\n     *\n     * @private\n     */\n\n    monitorCurrentTime_() {\n      this.checkCurrentTime_();\n      if (this.checkCurrentTimeTimeout_) {\n        window.clearTimeout(this.checkCurrentTimeTimeout_);\n      } // 42 = 24 fps // 250 is what Webkit uses // FF uses 15\n\n      this.checkCurrentTimeTimeout_ = window.setTimeout(this.monitorCurrentTime_.bind(this), 250);\n    }\n    /**\n     * Reset stalled download stats for a specific type of loader\n     *\n     * @param {string} type\n     *        The segment loader type to check.\n     *\n     * @listens SegmentLoader#playlistupdate\n     * @listens Tech#seeking\n     * @listens Tech#seeked\n     */\n\n    resetSegmentDownloads_(type) {\n      const loader = this.playlistController_[`${type}SegmentLoader_`];\n      if (this[`${type}StalledDownloads_`] > 0) {\n        this.logger_(`resetting possible stalled download count for ${type} loader`);\n      }\n      this[`${type}StalledDownloads_`] = 0;\n      this[`${type}Buffered_`] = loader.buffered_();\n    }\n    /**\n     * Checks on every segment `appendsdone` to see\n     * if segment appends are making progress. If they are not\n     * and we are still downloading bytes. We exclude the playlist.\n     *\n     * @param {string} type\n     *        The segment loader type to check.\n     *\n     * @listens SegmentLoader#appendsdone\n     */\n\n    checkSegmentDownloads_(type) {\n      const pc = this.playlistController_;\n      const loader = pc[`${type}SegmentLoader_`];\n      const buffered = loader.buffered_();\n      const isBufferedDifferent = isRangeDifferent(this[`${type}Buffered_`], buffered);\n      this[`${type}Buffered_`] = buffered; // if another watcher is going to fix the issue or\n      // the buffered value for this loader changed\n      // appends are working\n\n      if (isBufferedDifferent) {\n        const metadata = {\n          bufferedRanges: buffered\n        };\n        pc.trigger({\n          type: 'bufferedrangeschanged',\n          metadata\n        });\n        this.resetSegmentDownloads_(type);\n        return;\n      }\n      this[`${type}StalledDownloads_`]++;\n      this.logger_(`found #${this[`${type}StalledDownloads_`]} ${type} appends that did not increase buffer (possible stalled download)`, {\n        playlistId: loader.playlist_ && loader.playlist_.id,\n        buffered: timeRangesToArray(buffered)\n      }); // after 10 possibly stalled appends with no reset, exclude\n\n      if (this[`${type}StalledDownloads_`] < 10) {\n        return;\n      }\n      this.logger_(`${type} loader stalled download exclusion`);\n      this.resetSegmentDownloads_(type);\n      this.tech_.trigger({\n        type: 'usage',\n        name: `vhs-${type}-download-exclusion`\n      });\n      if (type === 'subtitle') {\n        return;\n      } // TODO: should we exclude audio tracks rather than main tracks\n      // when type is audio?\n\n      pc.excludePlaylist({\n        error: {\n          message: `Excessive ${type} segment downloading detected.`\n        },\n        playlistExclusionDuration: Infinity\n      });\n    }\n    /**\n     * The purpose of this function is to emulate the \"waiting\" event on\n     * browsers that do not emit it when they are waiting for more\n     * data to continue playback\n     *\n     * @private\n     */\n\n    checkCurrentTime_() {\n      if (this.tech_.paused() || this.tech_.seeking()) {\n        return;\n      }\n      const currentTime = this.tech_.currentTime();\n      const buffered = this.tech_.buffered();\n      if (this.lastRecordedTime === currentTime && (!buffered.length || currentTime + SAFE_TIME_DELTA >= buffered.end(buffered.length - 1))) {\n        // If current time is at the end of the final buffered region, then any playback\n        // stall is most likely caused by buffering in a low bandwidth environment. The tech\n        // should fire a `waiting` event in this scenario, but due to browser and tech\n        // inconsistencies. Calling `techWaiting_` here allows us to simulate\n        // responding to a native `waiting` event when the tech fails to emit one.\n        return this.techWaiting_();\n      }\n      if (this.consecutiveUpdates >= 5 && currentTime === this.lastRecordedTime) {\n        this.consecutiveUpdates++;\n        this.waiting_();\n      } else if (currentTime === this.lastRecordedTime) {\n        this.consecutiveUpdates++;\n      } else {\n        this.playedRanges_.push(createTimeRanges([this.lastRecordedTime, currentTime]));\n        const metadata = {\n          playedRanges: this.playedRanges_\n        };\n        this.playlistController_.trigger({\n          type: 'playedrangeschanged',\n          metadata\n        });\n        this.consecutiveUpdates = 0;\n        this.lastRecordedTime = currentTime;\n      }\n    }\n    /**\n     * Resets the 'timeupdate' mechanism designed to detect that we are stalled\n     *\n     * @private\n     */\n\n    resetTimeUpdate_() {\n      this.consecutiveUpdates = 0;\n    }\n    /**\n     * Fixes situations where there's a bad seek\n     *\n     * @return {boolean} whether an action was taken to fix the seek\n     * @private\n     */\n\n    fixesBadSeeks_() {\n      const seeking = this.tech_.seeking();\n      if (!seeking) {\n        return false;\n      } // TODO: It's possible that these seekable checks should be moved out of this function\n      // and into a function that runs on seekablechange. It's also possible that we only need\n      // afterSeekableWindow as the buffered check at the bottom is good enough to handle before\n      // seekable range.\n\n      const seekable = this.seekable();\n      const currentTime = this.tech_.currentTime();\n      const isAfterSeekableRange = this.afterSeekableWindow_(seekable, currentTime, this.media(), this.allowSeeksWithinUnsafeLiveWindow);\n      let seekTo;\n      if (isAfterSeekableRange) {\n        const seekableEnd = seekable.end(seekable.length - 1); // sync to live point (if VOD, our seekable was updated and we're simply adjusting)\n\n        seekTo = seekableEnd;\n      }\n      if (this.beforeSeekableWindow_(seekable, currentTime)) {\n        const seekableStart = seekable.start(0); // sync to the beginning of the live window\n        // provide a buffer of .1 seconds to handle rounding/imprecise numbers\n\n        seekTo = seekableStart + (\n        // if the playlist is too short and the seekable range is an exact time (can\n        // happen in live with a 3 segment playlist), then don't use a time delta\n        seekableStart === seekable.end(0) ? 0 : SAFE_TIME_DELTA);\n      }\n      if (typeof seekTo !== 'undefined') {\n        this.logger_(`Trying to seek outside of seekable at time ${currentTime} with ` + `seekable range ${printableRange(seekable)}. Seeking to ` + `${seekTo}.`);\n        this.tech_.setCurrentTime(seekTo);\n        return true;\n      }\n      const sourceUpdater = this.playlistController_.sourceUpdater_;\n      const buffered = this.tech_.buffered();\n      const audioBuffered = sourceUpdater.audioBuffer ? sourceUpdater.audioBuffered() : null;\n      const videoBuffered = sourceUpdater.videoBuffer ? sourceUpdater.videoBuffered() : null;\n      const media = this.media(); // verify that at least two segment durations or one part duration have been\n      // appended before checking for a gap.\n\n      const minAppendedDuration = media.partTargetDuration ? media.partTargetDuration : (media.targetDuration - TIME_FUDGE_FACTOR) * 2; // verify that at least two segment durations have been\n      // appended before checking for a gap.\n\n      const bufferedToCheck = [audioBuffered, videoBuffered];\n      for (let i = 0; i < bufferedToCheck.length; i++) {\n        // skip null buffered\n        if (!bufferedToCheck[i]) {\n          continue;\n        }\n        const timeAhead = timeAheadOf(bufferedToCheck[i], currentTime); // if we are less than two video/audio segment durations or one part\n        // duration behind we haven't appended enough to call this a bad seek.\n\n        if (timeAhead < minAppendedDuration) {\n          return false;\n        }\n      }\n      const nextRange = findNextRange(buffered, currentTime); // we have appended enough content, but we don't have anything buffered\n      // to seek over the gap\n\n      if (nextRange.length === 0) {\n        return false;\n      }\n      seekTo = nextRange.start(0) + SAFE_TIME_DELTA;\n      this.logger_(`Buffered region starts (${nextRange.start(0)}) ` + ` just beyond seek point (${currentTime}). Seeking to ${seekTo}.`);\n      this.tech_.setCurrentTime(seekTo);\n      return true;\n    }\n    /**\n     * Handler for situations when we determine the player is waiting.\n     *\n     * @private\n     */\n\n    waiting_() {\n      if (this.techWaiting_()) {\n        return;\n      } // All tech waiting checks failed. Use last resort correction\n\n      const currentTime = this.tech_.currentTime();\n      const buffered = this.tech_.buffered();\n      const currentRange = findRange(buffered, currentTime); // Sometimes the player can stall for unknown reasons within a contiguous buffered\n      // region with no indication that anything is amiss (seen in Firefox). Seeking to\n      // currentTime is usually enough to kickstart the player. This checks that the player\n      // is currently within a buffered region before attempting a corrective seek.\n      // Chrome does not appear to continue `timeupdate` events after a `waiting` event\n      // until there is ~ 3 seconds of forward buffer available. PlaybackWatcher should also\n      // make sure there is ~3 seconds of forward buffer before taking any corrective action\n      // to avoid triggering an `unknownwaiting` event when the network is slow.\n\n      if (currentRange.length && currentTime + 3 <= currentRange.end(0)) {\n        this.resetTimeUpdate_();\n        this.tech_.setCurrentTime(currentTime);\n        this.logger_(`Stopped at ${currentTime} while inside a buffered region ` + `[${currentRange.start(0)} -> ${currentRange.end(0)}]. Attempting to resume ` + 'playback by seeking to the current time.'); // unknown waiting corrections may be useful for monitoring QoS\n\n        this.tech_.trigger({\n          type: 'usage',\n          name: 'vhs-unknown-waiting'\n        });\n        return;\n      }\n    }\n    /**\n     * Handler for situations when the tech fires a `waiting` event\n     *\n     * @return {boolean}\n     *         True if an action (or none) was needed to correct the waiting. False if no\n     *         checks passed\n     * @private\n     */\n\n    techWaiting_() {\n      const seekable = this.seekable();\n      const currentTime = this.tech_.currentTime();\n      if (this.tech_.seeking()) {\n        // Tech is seeking or already waiting on another action, no action needed\n        return true;\n      }\n      if (this.beforeSeekableWindow_(seekable, currentTime)) {\n        const livePoint = seekable.end(seekable.length - 1);\n        this.logger_(`Fell out of live window at time ${currentTime}. Seeking to ` + `live point (seekable end) ${livePoint}`);\n        this.resetTimeUpdate_();\n        this.tech_.setCurrentTime(livePoint); // live window resyncs may be useful for monitoring QoS\n\n        this.tech_.trigger({\n          type: 'usage',\n          name: 'vhs-live-resync'\n        });\n        return true;\n      }\n      const sourceUpdater = this.tech_.vhs.playlistController_.sourceUpdater_;\n      const buffered = this.tech_.buffered();\n      const videoUnderflow = this.videoUnderflow_({\n        audioBuffered: sourceUpdater.audioBuffered(),\n        videoBuffered: sourceUpdater.videoBuffered(),\n        currentTime\n      });\n      if (videoUnderflow) {\n        // Even though the video underflowed and was stuck in a gap, the audio overplayed\n        // the gap, leading currentTime into a buffered range. Seeking to currentTime\n        // allows the video to catch up to the audio position without losing any audio\n        // (only suffering ~3 seconds of frozen video and a pause in audio playback).\n        this.resetTimeUpdate_();\n        this.tech_.setCurrentTime(currentTime); // video underflow may be useful for monitoring QoS\n\n        this.tech_.trigger({\n          type: 'usage',\n          name: 'vhs-video-underflow'\n        });\n        return true;\n      }\n      const nextRange = findNextRange(buffered, currentTime); // check for gap\n\n      if (nextRange.length > 0) {\n        this.logger_(`Stopped at ${currentTime} and seeking to ${nextRange.start(0)}`);\n        this.resetTimeUpdate_();\n        this.skipTheGap_(currentTime);\n        return true;\n      } // All checks failed. Returning false to indicate failure to correct waiting\n\n      return false;\n    }\n    afterSeekableWindow_(seekable, currentTime, playlist, allowSeeksWithinUnsafeLiveWindow = false) {\n      if (!seekable.length) {\n        // we can't make a solid case if there's no seekable, default to false\n        return false;\n      }\n      let allowedEnd = seekable.end(seekable.length - 1) + SAFE_TIME_DELTA;\n      const isLive = !playlist.endList;\n      const isLLHLS = typeof playlist.partTargetDuration === 'number';\n      if (isLive && (isLLHLS || allowSeeksWithinUnsafeLiveWindow)) {\n        allowedEnd = seekable.end(seekable.length - 1) + playlist.targetDuration * 3;\n      }\n      if (currentTime > allowedEnd) {\n        return true;\n      }\n      return false;\n    }\n    beforeSeekableWindow_(seekable, currentTime) {\n      if (seekable.length &&\n      // can't fall before 0 and 0 seekable start identifies VOD stream\n      seekable.start(0) > 0 && currentTime < seekable.start(0) - this.liveRangeSafeTimeDelta) {\n        return true;\n      }\n      return false;\n    }\n    videoUnderflow_({\n      videoBuffered,\n      audioBuffered,\n      currentTime\n    }) {\n      // audio only content will not have video underflow :)\n      if (!videoBuffered) {\n        return;\n      }\n      let gap; // find a gap in demuxed content.\n\n      if (videoBuffered.length && audioBuffered.length) {\n        // in Chrome audio will continue to play for ~3s when we run out of video\n        // so we have to check that the video buffer did have some buffer in the\n        // past.\n        const lastVideoRange = findRange(videoBuffered, currentTime - 3);\n        const videoRange = findRange(videoBuffered, currentTime);\n        const audioRange = findRange(audioBuffered, currentTime);\n        if (audioRange.length && !videoRange.length && lastVideoRange.length) {\n          gap = {\n            start: lastVideoRange.end(0),\n            end: audioRange.end(0)\n          };\n        } // find a gap in muxed content.\n      } else {\n        const nextRange = findNextRange(videoBuffered, currentTime); // Even if there is no available next range, there is still a possibility we are\n        // stuck in a gap due to video underflow.\n\n        if (!nextRange.length) {\n          gap = this.gapFromVideoUnderflow_(videoBuffered, currentTime);\n        }\n      }\n      if (gap) {\n        this.logger_(`Encountered a gap in video from ${gap.start} to ${gap.end}. ` + `Seeking to current time ${currentTime}`);\n        return true;\n      }\n      return false;\n    }\n    /**\n     * Timer callback. If playback still has not proceeded, then we seek\n     * to the start of the next buffered region.\n     *\n     * @private\n     */\n\n    skipTheGap_(scheduledCurrentTime) {\n      const buffered = this.tech_.buffered();\n      const currentTime = this.tech_.currentTime();\n      const nextRange = findNextRange(buffered, currentTime);\n      this.resetTimeUpdate_();\n      if (nextRange.length === 0 || currentTime !== scheduledCurrentTime) {\n        return;\n      }\n      this.logger_('skipTheGap_:', 'currentTime:', currentTime, 'scheduled currentTime:', scheduledCurrentTime, 'nextRange start:', nextRange.start(0)); // only seek if we still have not played\n\n      this.tech_.setCurrentTime(nextRange.start(0) + TIME_FUDGE_FACTOR);\n      const metadata = {\n        gapInfo: {\n          from: currentTime,\n          to: nextRange.start(0)\n        }\n      };\n      this.playlistController_.trigger({\n        type: 'gapjumped',\n        metadata\n      });\n      this.tech_.trigger({\n        type: 'usage',\n        name: 'vhs-gap-skip'\n      });\n    }\n    gapFromVideoUnderflow_(buffered, currentTime) {\n      // At least in Chrome, if there is a gap in the video buffer, the audio will continue\n      // playing for ~3 seconds after the video gap starts. This is done to account for\n      // video buffer underflow/underrun (note that this is not done when there is audio\n      // buffer underflow/underrun -- in that case the video will stop as soon as it\n      // encounters the gap, as audio stalls are more noticeable/jarring to a user than\n      // video stalls). The player's time will reflect the playthrough of audio, so the\n      // time will appear as if we are in a buffered region, even if we are stuck in a\n      // \"gap.\"\n      //\n      // Example:\n      // video buffer:   0 => 10.1, 10.2 => 20\n      // audio buffer:   0 => 20\n      // overall buffer: 0 => 10.1, 10.2 => 20\n      // current time: 13\n      //\n      // Chrome's video froze at 10 seconds, where the video buffer encountered the gap,\n      // however, the audio continued playing until it reached ~3 seconds past the gap\n      // (13 seconds), at which point it stops as well. Since current time is past the\n      // gap, findNextRange will return no ranges.\n      //\n      // To check for this issue, we see if there is a gap that starts somewhere within\n      // a 3 second range (3 seconds +/- 1 second) back from our current time.\n      const gaps = findGaps(buffered);\n      for (let i = 0; i < gaps.length; i++) {\n        const start = gaps.start(i);\n        const end = gaps.end(i); // gap is starts no more than 4 seconds back\n\n        if (currentTime - start < 4 && currentTime - start > 2) {\n          return {\n            start,\n            end\n          };\n        }\n      }\n      return null;\n    }\n  }\n  const defaultOptions = {\n    errorInterval: 30,\n    getSource(next) {\n      const tech = this.tech({\n        IWillNotUseThisInPlugins: true\n      });\n      const sourceObj = tech.currentSource_ || this.currentSource();\n      return next(sourceObj);\n    }\n  };\n  /**\n   * Main entry point for the plugin\n   *\n   * @param {Player} player a reference to a videojs Player instance\n   * @param {Object} [options] an object with plugin options\n   * @private\n   */\n\n  const initPlugin = function (player, options) {\n    let lastCalled = 0;\n    let seekTo = 0;\n    const localOptions = merge(defaultOptions, options);\n    player.ready(() => {\n      player.trigger({\n        type: 'usage',\n        name: 'vhs-error-reload-initialized'\n      });\n    });\n    /**\n     * Player modifications to perform that must wait until `loadedmetadata`\n     * has been triggered\n     *\n     * @private\n     */\n\n    const loadedMetadataHandler = function () {\n      if (seekTo) {\n        player.currentTime(seekTo);\n      }\n    };\n    /**\n     * Set the source on the player element, play, and seek if necessary\n     *\n     * @param {Object} sourceObj An object specifying the source url and mime-type to play\n     * @private\n     */\n\n    const setSource = function (sourceObj) {\n      if (sourceObj === null || sourceObj === undefined) {\n        return;\n      }\n      seekTo = player.duration() !== Infinity && player.currentTime() || 0;\n      player.one('loadedmetadata', loadedMetadataHandler);\n      player.src(sourceObj);\n      player.trigger({\n        type: 'usage',\n        name: 'vhs-error-reload'\n      });\n      player.play();\n    };\n    /**\n     * Attempt to get a source from either the built-in getSource function\n     * or a custom function provided via the options\n     *\n     * @private\n     */\n\n    const errorHandler = function () {\n      // Do not attempt to reload the source if a source-reload occurred before\n      // 'errorInterval' time has elapsed since the last source-reload\n      if (Date.now() - lastCalled < localOptions.errorInterval * 1000) {\n        player.trigger({\n          type: 'usage',\n          name: 'vhs-error-reload-canceled'\n        });\n        return;\n      }\n      if (!localOptions.getSource || typeof localOptions.getSource !== 'function') {\n        videojs.log.error('ERROR: reloadSourceOnError - The option getSource must be a function!');\n        return;\n      }\n      lastCalled = Date.now();\n      return localOptions.getSource.call(player, setSource);\n    };\n    /**\n     * Unbind any event handlers that were bound by the plugin\n     *\n     * @private\n     */\n\n    const cleanupEvents = function () {\n      player.off('loadedmetadata', loadedMetadataHandler);\n      player.off('error', errorHandler);\n      player.off('dispose', cleanupEvents);\n    };\n    /**\n     * Cleanup before re-initializing the plugin\n     *\n     * @param {Object} [newOptions] an object with plugin options\n     * @private\n     */\n\n    const reinitPlugin = function (newOptions) {\n      cleanupEvents();\n      initPlugin(player, newOptions);\n    };\n    player.on('error', errorHandler);\n    player.on('dispose', cleanupEvents); // Overwrite the plugin function so that we can correctly cleanup before\n    // initializing the plugin\n\n    player.reloadSourceOnError = reinitPlugin;\n  };\n  /**\n   * Reload the source when an error is detected as long as there\n   * wasn't an error previously within the last 30 seconds\n   *\n   * @param {Object} [options] an object with plugin options\n   */\n\n  const reloadSourceOnError = function (options) {\n    initPlugin(this, options);\n  };\n  var version$4 = \"3.16.2\";\n  var version$3 = \"7.1.0\";\n  var version$2 = \"1.3.1\";\n  var version$1 = \"7.2.0\";\n  var version = \"4.0.2\";\n  const Vhs = {\n    PlaylistLoader,\n    Playlist,\n    utils,\n    STANDARD_PLAYLIST_SELECTOR: lastBandwidthSelector,\n    INITIAL_PLAYLIST_SELECTOR: lowestBitrateCompatibleVariantSelector,\n    lastBandwidthSelector,\n    movingAverageBandwidthSelector,\n    comparePlaylistBandwidth,\n    comparePlaylistResolution,\n    xhr: xhrFactory()\n  }; // Define getter/setters for config properties\n\n  Object.keys(Config).forEach(prop => {\n    Object.defineProperty(Vhs, prop, {\n      get() {\n        videojs.log.warn(`using Vhs.${prop} is UNSAFE be sure you know what you are doing`);\n        return Config[prop];\n      },\n      set(value) {\n        videojs.log.warn(`using Vhs.${prop} is UNSAFE be sure you know what you are doing`);\n        if (typeof value !== 'number' || value < 0) {\n          videojs.log.warn(`value of Vhs.${prop} must be greater than or equal to 0`);\n          return;\n        }\n        Config[prop] = value;\n      }\n    });\n  });\n  const LOCAL_STORAGE_KEY = 'videojs-vhs';\n  /**\n   * Updates the selectedIndex of the QualityLevelList when a mediachange happens in vhs.\n   *\n   * @param {QualityLevelList} qualityLevels The QualityLevelList to update.\n   * @param {PlaylistLoader} playlistLoader PlaylistLoader containing the new media info.\n   * @function handleVhsMediaChange\n   */\n\n  const handleVhsMediaChange = function (qualityLevels, playlistLoader) {\n    const newPlaylist = playlistLoader.media();\n    let selectedIndex = -1;\n    for (let i = 0; i < qualityLevels.length; i++) {\n      if (qualityLevels[i].id === newPlaylist.id) {\n        selectedIndex = i;\n        break;\n      }\n    }\n    qualityLevels.selectedIndex_ = selectedIndex;\n    qualityLevels.trigger({\n      selectedIndex,\n      type: 'change'\n    });\n  };\n  /**\n   * Adds quality levels to list once playlist metadata is available\n   *\n   * @param {QualityLevelList} qualityLevels The QualityLevelList to attach events to.\n   * @param {Object} vhs Vhs object to listen to for media events.\n   * @function handleVhsLoadedMetadata\n   */\n\n  const handleVhsLoadedMetadata = function (qualityLevels, vhs) {\n    vhs.representations().forEach(rep => {\n      qualityLevels.addQualityLevel(rep);\n    });\n    handleVhsMediaChange(qualityLevels, vhs.playlists);\n  }; // VHS is a source handler, not a tech. Make sure attempts to use it\n  // as one do not cause exceptions.\n\n  Vhs.canPlaySource = function () {\n    return videojs.log.warn('VHS is no longer a tech. Please remove it from ' + 'your player\\'s techOrder.');\n  };\n  const emeKeySystems = (keySystemOptions, mainPlaylist, audioPlaylist) => {\n    if (!keySystemOptions) {\n      return keySystemOptions;\n    }\n    let codecs = {};\n    if (mainPlaylist && mainPlaylist.attributes && mainPlaylist.attributes.CODECS) {\n      codecs = unwrapCodecList(parseCodecs(mainPlaylist.attributes.CODECS));\n    }\n    if (audioPlaylist && audioPlaylist.attributes && audioPlaylist.attributes.CODECS) {\n      codecs.audio = audioPlaylist.attributes.CODECS;\n    }\n    const videoContentType = getMimeForCodec(codecs.video);\n    const audioContentType = getMimeForCodec(codecs.audio); // upsert the content types based on the selected playlist\n\n    const keySystemContentTypes = {};\n    for (const keySystem in keySystemOptions) {\n      keySystemContentTypes[keySystem] = {};\n      if (audioContentType) {\n        keySystemContentTypes[keySystem].audioContentType = audioContentType;\n      }\n      if (videoContentType) {\n        keySystemContentTypes[keySystem].videoContentType = videoContentType;\n      } // Default to using the video playlist's PSSH even though they may be different, as\n      // videojs-contrib-eme will only accept one in the options.\n      //\n      // This shouldn't be an issue for most cases as early intialization will handle all\n      // unique PSSH values, and if they aren't, then encrypted events should have the\n      // specific information needed for the unique license.\n\n      if (mainPlaylist.contentProtection && mainPlaylist.contentProtection[keySystem] && mainPlaylist.contentProtection[keySystem].pssh) {\n        keySystemContentTypes[keySystem].pssh = mainPlaylist.contentProtection[keySystem].pssh;\n      } // videojs-contrib-eme accepts the option of specifying: 'com.some.cdm': 'url'\n      // so we need to prevent overwriting the URL entirely\n\n      if (typeof keySystemOptions[keySystem] === 'string') {\n        keySystemContentTypes[keySystem].url = keySystemOptions[keySystem];\n      }\n    }\n    return merge(keySystemOptions, keySystemContentTypes);\n  };\n  /**\n   * @typedef {Object} KeySystems\n   *\n   * keySystems configuration for https://github.com/videojs/videojs-contrib-eme\n   * Note: not all options are listed here.\n   *\n   * @property {Uint8Array} [pssh]\n   *           Protection System Specific Header\n   */\n\n  /**\n   * Goes through all the playlists and collects an array of KeySystems options objects\n   * containing each playlist's keySystems and their pssh values, if available.\n   *\n   * @param {Object[]} playlists\n   *        The playlists to look through\n   * @param {string[]} keySystems\n   *        The keySystems to collect pssh values for\n   *\n   * @return {KeySystems[]}\n   *         An array of KeySystems objects containing available key systems and their\n   *         pssh values\n   */\n\n  const getAllPsshKeySystemsOptions = (playlists, keySystems) => {\n    return playlists.reduce((keySystemsArr, playlist) => {\n      if (!playlist.contentProtection) {\n        return keySystemsArr;\n      }\n      const keySystemsOptions = keySystems.reduce((keySystemsObj, keySystem) => {\n        const keySystemOptions = playlist.contentProtection[keySystem];\n        if (keySystemOptions && keySystemOptions.pssh) {\n          keySystemsObj[keySystem] = {\n            pssh: keySystemOptions.pssh\n          };\n        }\n        return keySystemsObj;\n      }, {});\n      if (Object.keys(keySystemsOptions).length) {\n        keySystemsArr.push(keySystemsOptions);\n      }\n      return keySystemsArr;\n    }, []);\n  };\n  /**\n   * Returns a promise that waits for the\n   * [eme plugin](https://github.com/videojs/videojs-contrib-eme) to create a key session.\n   *\n   * Works around https://bugs.chromium.org/p/chromium/issues/detail?id=895449 in non-IE11\n   * browsers.\n   *\n   * As per the above ticket, this is particularly important for Chrome, where, if\n   * unencrypted content is appended before encrypted content and the key session has not\n   * been created, a MEDIA_ERR_DECODE will be thrown once the encrypted content is reached\n   * during playback.\n   *\n   * @param {Object} player\n   *        The player instance\n   * @param {Object[]} sourceKeySystems\n   *        The key systems options from the player source\n   * @param {Object} [audioMedia]\n   *        The active audio media playlist (optional)\n   * @param {Object[]} mainPlaylists\n   *        The playlists found on the main playlist object\n   *\n   * @return {Object}\n   *         Promise that resolves when the key session has been created\n   */\n\n  const waitForKeySessionCreation = ({\n    player,\n    sourceKeySystems,\n    audioMedia,\n    mainPlaylists\n  }) => {\n    if (!player.eme.initializeMediaKeys) {\n      return Promise.resolve();\n    } // TODO should all audio PSSH values be initialized for DRM?\n    //\n    // All unique video rendition pssh values are initialized for DRM, but here only\n    // the initial audio playlist license is initialized. In theory, an encrypted\n    // event should be fired if the user switches to an alternative audio playlist\n    // where a license is required, but this case hasn't yet been tested. In addition, there\n    // may be many alternate audio playlists unlikely to be used (e.g., multiple different\n    // languages).\n\n    const playlists = audioMedia ? mainPlaylists.concat([audioMedia]) : mainPlaylists;\n    const keySystemsOptionsArr = getAllPsshKeySystemsOptions(playlists, Object.keys(sourceKeySystems));\n    const initializationFinishedPromises = [];\n    const keySessionCreatedPromises = []; // Since PSSH values are interpreted as initData, EME will dedupe any duplicates. The\n    // only place where it should not be deduped is for ms-prefixed APIs, but\n    // the existence of modern EME APIs in addition to\n    // ms-prefixed APIs on Edge should prevent this from being a concern.\n    // initializeMediaKeys also won't use the webkit-prefixed APIs.\n\n    keySystemsOptionsArr.forEach(keySystemsOptions => {\n      keySessionCreatedPromises.push(new Promise((resolve, reject) => {\n        player.tech_.one('keysessioncreated', resolve);\n      }));\n      initializationFinishedPromises.push(new Promise((resolve, reject) => {\n        player.eme.initializeMediaKeys({\n          keySystems: keySystemsOptions\n        }, err => {\n          if (err) {\n            reject(err);\n            return;\n          }\n          resolve();\n        });\n      }));\n    }); // The reasons Promise.race is chosen over Promise.any:\n    //\n    // * Promise.any is only available in Safari 14+.\n    // * None of these promises are expected to reject. If they do reject, it might be\n    //   better here for the race to surface the rejection, rather than mask it by using\n    //   Promise.any.\n\n    return Promise.race([\n    // If a session was previously created, these will all finish resolving without\n    // creating a new session, otherwise it will take until the end of all license\n    // requests, which is why the key session check is used (to make setup much faster).\n    Promise.all(initializationFinishedPromises),\n    // Once a single session is created, the browser knows DRM will be used.\n    Promise.race(keySessionCreatedPromises)]);\n  };\n  /**\n   * If the [eme](https://github.com/videojs/videojs-contrib-eme) plugin is available, and\n   * there are keySystems on the source, sets up source options to prepare the source for\n   * eme.\n   *\n   * @param {Object} player\n   *        The player instance\n   * @param {Object[]} sourceKeySystems\n   *        The key systems options from the player source\n   * @param {Object} media\n   *        The active media playlist\n   * @param {Object} [audioMedia]\n   *        The active audio media playlist (optional)\n   *\n   * @return {boolean}\n   *         Whether or not options were configured and EME is available\n   */\n\n  const setupEmeOptions = ({\n    player,\n    sourceKeySystems,\n    media,\n    audioMedia\n  }) => {\n    const sourceOptions = emeKeySystems(sourceKeySystems, media, audioMedia);\n    if (!sourceOptions) {\n      return false;\n    }\n    player.currentSource().keySystems = sourceOptions; // eme handles the rest of the setup, so if it is missing\n    // do nothing.\n\n    if (sourceOptions && !player.eme) {\n      videojs.log.warn('DRM encrypted source cannot be decrypted without a DRM plugin');\n      return false;\n    }\n    return true;\n  };\n  const getVhsLocalStorage = () => {\n    if (!window.localStorage) {\n      return null;\n    }\n    const storedObject = window.localStorage.getItem(LOCAL_STORAGE_KEY);\n    if (!storedObject) {\n      return null;\n    }\n    try {\n      return JSON.parse(storedObject);\n    } catch (e) {\n      // someone may have tampered with the value\n      return null;\n    }\n  };\n  const updateVhsLocalStorage = options => {\n    if (!window.localStorage) {\n      return false;\n    }\n    let objectToStore = getVhsLocalStorage();\n    objectToStore = objectToStore ? merge(objectToStore, options) : options;\n    try {\n      window.localStorage.setItem(LOCAL_STORAGE_KEY, JSON.stringify(objectToStore));\n    } catch (e) {\n      // Throws if storage is full (e.g., always on iOS 5+ Safari private mode, where\n      // storage is set to 0).\n      // https://developer.mozilla.org/en-US/docs/Web/API/Storage/setItem#Exceptions\n      // No need to perform any operation.\n      return false;\n    }\n    return objectToStore;\n  };\n  /**\n   * Parses VHS-supported media types from data URIs. See\n   * https://developer.mozilla.org/en-US/docs/Web/HTTP/Basics_of_HTTP/Data_URIs\n   * for information on data URIs.\n   *\n   * @param {string} dataUri\n   *        The data URI\n   *\n   * @return {string|Object}\n   *         The parsed object/string, or the original string if no supported media type\n   *         was found\n   */\n\n  const expandDataUri = dataUri => {\n    if (dataUri.toLowerCase().indexOf('data:application/vnd.videojs.vhs+json,') === 0) {\n      return JSON.parse(dataUri.substring(dataUri.indexOf(',') + 1));\n    } // no known case for this data URI, return the string as-is\n\n    return dataUri;\n  };\n  /**\n   * Adds a request hook to an xhr object\n   *\n   * @param {Object} xhr object to add the onRequest hook to\n   * @param {function} callback hook function for an xhr request\n   */\n\n  const addOnRequestHook = (xhr, callback) => {\n    if (!xhr._requestCallbackSet) {\n      xhr._requestCallbackSet = new Set();\n    }\n    xhr._requestCallbackSet.add(callback);\n  };\n  /**\n   * Adds a response hook to an xhr object\n   *\n   * @param {Object} xhr object to add the onResponse hook to\n   * @param {function} callback hook function for an xhr response\n   */\n\n  const addOnResponseHook = (xhr, callback) => {\n    if (!xhr._responseCallbackSet) {\n      xhr._responseCallbackSet = new Set();\n    }\n    xhr._responseCallbackSet.add(callback);\n  };\n  /**\n   * Removes a request hook on an xhr object, deletes the onRequest set if empty.\n   *\n   * @param {Object} xhr object to remove the onRequest hook from\n   * @param {function} callback hook function to remove\n   */\n\n  const removeOnRequestHook = (xhr, callback) => {\n    if (!xhr._requestCallbackSet) {\n      return;\n    }\n    xhr._requestCallbackSet.delete(callback);\n    if (!xhr._requestCallbackSet.size) {\n      delete xhr._requestCallbackSet;\n    }\n  };\n  /**\n   * Removes a response hook on an xhr object, deletes the onResponse set if empty.\n   *\n   * @param {Object} xhr object to remove the onResponse hook from\n   * @param {function} callback hook function to remove\n   */\n\n  const removeOnResponseHook = (xhr, callback) => {\n    if (!xhr._responseCallbackSet) {\n      return;\n    }\n    xhr._responseCallbackSet.delete(callback);\n    if (!xhr._responseCallbackSet.size) {\n      delete xhr._responseCallbackSet;\n    }\n  };\n  /**\n   * Whether the browser has built-in HLS support.\n   */\n\n  Vhs.supportsNativeHls = function () {\n    if (!document || !document.createElement) {\n      return false;\n    }\n    const video = document.createElement('video'); // native HLS is definitely not supported if HTML5 video isn't\n\n    if (!videojs.getTech('Html5').isSupported()) {\n      return false;\n    } // HLS manifests can go by many mime-types\n\n    const canPlay = [\n    // Apple santioned\n    'application/vnd.apple.mpegurl',\n    // Apple sanctioned for backwards compatibility\n    'audio/mpegurl',\n    // Very common\n    'audio/x-mpegurl',\n    // Very common\n    'application/x-mpegurl',\n    // Included for completeness\n    'video/x-mpegurl', 'video/mpegurl', 'application/mpegurl'];\n    return canPlay.some(function (canItPlay) {\n      return /maybe|probably/i.test(video.canPlayType(canItPlay));\n    });\n  }();\n  Vhs.supportsNativeDash = function () {\n    if (!document || !document.createElement || !videojs.getTech('Html5').isSupported()) {\n      return false;\n    }\n    return /maybe|probably/i.test(document.createElement('video').canPlayType('application/dash+xml'));\n  }();\n  Vhs.supportsTypeNatively = type => {\n    if (type === 'hls') {\n      return Vhs.supportsNativeHls;\n    }\n    if (type === 'dash') {\n      return Vhs.supportsNativeDash;\n    }\n    return false;\n  };\n  /**\n   * VHS is a source handler, not a tech. Make sure attempts to use it\n   * as one do not cause exceptions.\n   */\n\n  Vhs.isSupported = function () {\n    return videojs.log.warn('VHS is no longer a tech. Please remove it from ' + 'your player\\'s techOrder.');\n  };\n  /**\n   * A global function for setting an onRequest hook\n   *\n   * @param {function} callback for request modifiction\n   */\n\n  Vhs.xhr.onRequest = function (callback) {\n    addOnRequestHook(Vhs.xhr, callback);\n  };\n  /**\n   * A global function for setting an onResponse hook\n   *\n   * @param {callback} callback for response data retrieval\n   */\n\n  Vhs.xhr.onResponse = function (callback) {\n    addOnResponseHook(Vhs.xhr, callback);\n  };\n  /**\n   * Deletes a global onRequest callback if it exists\n   *\n   * @param {function} callback to delete from the global set\n   */\n\n  Vhs.xhr.offRequest = function (callback) {\n    removeOnRequestHook(Vhs.xhr, callback);\n  };\n  /**\n   * Deletes a global onResponse callback if it exists\n   *\n   * @param {function} callback to delete from the global set\n   */\n\n  Vhs.xhr.offResponse = function (callback) {\n    removeOnResponseHook(Vhs.xhr, callback);\n  };\n  const Component = videojs.getComponent('Component');\n  /**\n   * The Vhs Handler object, where we orchestrate all of the parts\n   * of VHS to interact with video.js\n   *\n   * @class VhsHandler\n   * @extends videojs.Component\n   * @param {Object} source the soruce object\n   * @param {Tech} tech the parent tech object\n   * @param {Object} options optional and required options\n   */\n\n  class VhsHandler extends Component {\n    constructor(source, tech, options) {\n      super(tech, options.vhs); // if a tech level `initialBandwidth` option was passed\n      // use that over the VHS level `bandwidth` option\n\n      if (typeof options.initialBandwidth === 'number') {\n        this.options_.bandwidth = options.initialBandwidth;\n      }\n      this.logger_ = logger('VhsHandler'); // we need access to the player in some cases,\n      // so, get it from Video.js via the `playerId`\n\n      if (tech.options_ && tech.options_.playerId) {\n        const _player = videojs.getPlayer(tech.options_.playerId);\n        this.player_ = _player;\n      }\n      this.tech_ = tech;\n      this.source_ = source;\n      this.stats = {};\n      this.ignoreNextSeekingEvent_ = false;\n      this.setOptions_();\n      if (this.options_.overrideNative && tech.overrideNativeAudioTracks && tech.overrideNativeVideoTracks) {\n        tech.overrideNativeAudioTracks(true);\n        tech.overrideNativeVideoTracks(true);\n      } else if (this.options_.overrideNative && (tech.featuresNativeVideoTracks || tech.featuresNativeAudioTracks)) {\n        // overriding native VHS only works if audio tracks have been emulated\n        // error early if we're misconfigured\n        throw new Error('Overriding native VHS requires emulated tracks. ' + 'See https://git.io/vMpjB');\n      } // listen for fullscreenchange events for this player so that we\n      // can adjust our quality selection quickly\n\n      this.on(document, ['fullscreenchange', 'webkitfullscreenchange', 'mozfullscreenchange', 'MSFullscreenChange'], event => {\n        const fullscreenElement = document.fullscreenElement || document.webkitFullscreenElement || document.mozFullScreenElement || document.msFullscreenElement;\n        if (fullscreenElement && fullscreenElement.contains(this.tech_.el())) {\n          this.playlistController_.fastQualityChange_();\n        } else {\n          // When leaving fullscreen, since the in page pixel dimensions should be smaller\n          // than full screen, see if there should be a rendition switch down to preserve\n          // bandwidth.\n          this.playlistController_.checkABR_();\n        }\n      });\n      this.on(this.tech_, 'seeking', function () {\n        if (this.ignoreNextSeekingEvent_) {\n          this.ignoreNextSeekingEvent_ = false;\n          return;\n        }\n        this.setCurrentTime(this.tech_.currentTime());\n      });\n      this.on(this.tech_, 'error', function () {\n        // verify that the error was real and we are loaded\n        // enough to have pc loaded.\n        if (this.tech_.error() && this.playlistController_) {\n          this.playlistController_.pauseLoading();\n        }\n      });\n      this.on(this.tech_, 'play', this.play);\n    }\n    /**\n     * Set VHS options based on options from configuration, as well as partial\n     * options to be passed at a later time.\n     *\n     * @param {Object} options A partial chunk of config options\n     */\n\n    setOptions_(options = {}) {\n      this.options_ = merge(this.options_, options); // defaults\n\n      this.options_.withCredentials = this.options_.withCredentials || false;\n      this.options_.limitRenditionByPlayerDimensions = this.options_.limitRenditionByPlayerDimensions === false ? false : true;\n      this.options_.useDevicePixelRatio = this.options_.useDevicePixelRatio || false;\n      this.options_.useBandwidthFromLocalStorage = typeof this.source_.useBandwidthFromLocalStorage !== 'undefined' ? this.source_.useBandwidthFromLocalStorage : this.options_.useBandwidthFromLocalStorage || false;\n      this.options_.useForcedSubtitles = this.options_.useForcedSubtitles || false;\n      this.options_.useNetworkInformationApi = this.options_.useNetworkInformationApi || false;\n      this.options_.useDtsForTimestampOffset = this.options_.useDtsForTimestampOffset || false;\n      this.options_.customTagParsers = this.options_.customTagParsers || [];\n      this.options_.customTagMappers = this.options_.customTagMappers || [];\n      this.options_.cacheEncryptionKeys = this.options_.cacheEncryptionKeys || false;\n      this.options_.llhls = this.options_.llhls === false ? false : true;\n      this.options_.bufferBasedABR = this.options_.bufferBasedABR || false;\n      if (typeof this.options_.playlistExclusionDuration !== 'number') {\n        this.options_.playlistExclusionDuration = 60;\n      }\n      if (typeof this.options_.bandwidth !== 'number') {\n        if (this.options_.useBandwidthFromLocalStorage) {\n          const storedObject = getVhsLocalStorage();\n          if (storedObject && storedObject.bandwidth) {\n            this.options_.bandwidth = storedObject.bandwidth;\n            this.tech_.trigger({\n              type: 'usage',\n              name: 'vhs-bandwidth-from-local-storage'\n            });\n          }\n          if (storedObject && storedObject.throughput) {\n            this.options_.throughput = storedObject.throughput;\n            this.tech_.trigger({\n              type: 'usage',\n              name: 'vhs-throughput-from-local-storage'\n            });\n          }\n        }\n      } // if bandwidth was not set by options or pulled from local storage, start playlist\n      // selection at a reasonable bandwidth\n\n      if (typeof this.options_.bandwidth !== 'number') {\n        this.options_.bandwidth = Config.INITIAL_BANDWIDTH;\n      } // If the bandwidth number is unchanged from the initial setting\n      // then this takes precedence over the enableLowInitialPlaylist option\n\n      this.options_.enableLowInitialPlaylist = this.options_.enableLowInitialPlaylist && this.options_.bandwidth === Config.INITIAL_BANDWIDTH; // grab options passed to player.src\n\n      ['withCredentials', 'useDevicePixelRatio', 'customPixelRatio', 'limitRenditionByPlayerDimensions', 'bandwidth', 'customTagParsers', 'customTagMappers', 'cacheEncryptionKeys', 'playlistSelector', 'initialPlaylistSelector', 'bufferBasedABR', 'liveRangeSafeTimeDelta', 'llhls', 'useForcedSubtitles', 'useNetworkInformationApi', 'useDtsForTimestampOffset', 'exactManifestTimings', 'leastPixelDiffSelector'].forEach(option => {\n        if (typeof this.source_[option] !== 'undefined') {\n          this.options_[option] = this.source_[option];\n        }\n      });\n      this.limitRenditionByPlayerDimensions = this.options_.limitRenditionByPlayerDimensions;\n      this.useDevicePixelRatio = this.options_.useDevicePixelRatio;\n      const customPixelRatio = this.options_.customPixelRatio; // Ensure the custom pixel ratio is a number greater than or equal to 0\n\n      if (typeof customPixelRatio === 'number' && customPixelRatio >= 0) {\n        this.customPixelRatio = customPixelRatio;\n      }\n    } // alias for public method to set options\n\n    setOptions(options = {}) {\n      this.setOptions_(options);\n    }\n    /**\n     * called when player.src gets called, handle a new source\n     *\n     * @param {Object} src the source object to handle\n     */\n\n    src(src, type) {\n      // do nothing if the src is falsey\n      if (!src) {\n        return;\n      }\n      this.setOptions_(); // add main playlist controller options\n\n      this.options_.src = expandDataUri(this.source_.src);\n      this.options_.tech = this.tech_;\n      this.options_.externVhs = Vhs;\n      this.options_.sourceType = simpleTypeFromSourceType(type); // Whenever we seek internally, we should update the tech\n\n      this.options_.seekTo = time => {\n        this.tech_.setCurrentTime(time);\n      }; // pass player to allow for player level eventing on construction.\n\n      this.options_.player_ = this.player_;\n      this.playlistController_ = new PlaylistController(this.options_);\n      const playbackWatcherOptions = merge({\n        liveRangeSafeTimeDelta: SAFE_TIME_DELTA\n      }, this.options_, {\n        seekable: () => this.seekable(),\n        media: () => this.playlistController_.media(),\n        playlistController: this.playlistController_\n      });\n      this.playbackWatcher_ = new PlaybackWatcher(playbackWatcherOptions);\n      this.attachStreamingEventListeners_();\n      this.playlistController_.on('error', () => {\n        const player = videojs.players[this.tech_.options_.playerId];\n        let error = this.playlistController_.error;\n        if (typeof error === 'object' && !error.code) {\n          error.code = 3;\n        } else if (typeof error === 'string') {\n          error = {\n            message: error,\n            code: 3\n          };\n        }\n        player.error(error);\n      });\n      const defaultSelector = this.options_.bufferBasedABR ? Vhs.movingAverageBandwidthSelector(0.55) : Vhs.STANDARD_PLAYLIST_SELECTOR; // `this` in selectPlaylist should be the VhsHandler for backwards\n      // compatibility with < v2\n\n      this.playlistController_.selectPlaylist = this.selectPlaylist ? this.selectPlaylist.bind(this) : defaultSelector.bind(this);\n      this.playlistController_.selectInitialPlaylist = Vhs.INITIAL_PLAYLIST_SELECTOR.bind(this); // re-expose some internal objects for backwards compatibility with < v2\n\n      this.playlists = this.playlistController_.mainPlaylistLoader_;\n      this.mediaSource = this.playlistController_.mediaSource; // Proxy assignment of some properties to the main playlist\n      // controller. Using a custom property for backwards compatibility\n      // with < v2\n\n      Object.defineProperties(this, {\n        selectPlaylist: {\n          get() {\n            return this.playlistController_.selectPlaylist;\n          },\n          set(selectPlaylist) {\n            this.playlistController_.selectPlaylist = selectPlaylist.bind(this);\n          }\n        },\n        throughput: {\n          get() {\n            return this.playlistController_.mainSegmentLoader_.throughput.rate;\n          },\n          set(throughput) {\n            this.playlistController_.mainSegmentLoader_.throughput.rate = throughput; // By setting `count` to 1 the throughput value becomes the starting value\n            // for the cumulative average\n\n            this.playlistController_.mainSegmentLoader_.throughput.count = 1;\n          }\n        },\n        bandwidth: {\n          get() {\n            let playerBandwidthEst = this.playlistController_.mainSegmentLoader_.bandwidth;\n            const networkInformation = window.navigator.connection || window.navigator.mozConnection || window.navigator.webkitConnection;\n            const tenMbpsAsBitsPerSecond = 10e6;\n            if (this.options_.useNetworkInformationApi && networkInformation) {\n              // downlink returns Mbps\n              // https://developer.mozilla.org/en-US/docs/Web/API/NetworkInformation/downlink\n              const networkInfoBandwidthEstBitsPerSec = networkInformation.downlink * 1000 * 1000; // downlink maxes out at 10 Mbps. In the event that both networkInformationApi and the player\n              // estimate a bandwidth greater than 10 Mbps, use the larger of the two estimates to ensure that\n              // high quality streams are not filtered out.\n\n              if (networkInfoBandwidthEstBitsPerSec >= tenMbpsAsBitsPerSecond && playerBandwidthEst >= tenMbpsAsBitsPerSecond) {\n                playerBandwidthEst = Math.max(playerBandwidthEst, networkInfoBandwidthEstBitsPerSec);\n              } else {\n                playerBandwidthEst = networkInfoBandwidthEstBitsPerSec;\n              }\n            }\n            return playerBandwidthEst;\n          },\n          set(bandwidth) {\n            this.playlistController_.mainSegmentLoader_.bandwidth = bandwidth; // setting the bandwidth manually resets the throughput counter\n            // `count` is set to zero that current value of `rate` isn't included\n            // in the cumulative average\n\n            this.playlistController_.mainSegmentLoader_.throughput = {\n              rate: 0,\n              count: 0\n            };\n          }\n        },\n        /**\n         * `systemBandwidth` is a combination of two serial processes bit-rates. The first\n         * is the network bitrate provided by `bandwidth` and the second is the bitrate of\n         * the entire process after that - decryption, transmuxing, and appending - provided\n         * by `throughput`.\n         *\n         * Since the two process are serial, the overall system bandwidth is given by:\n         *   sysBandwidth = 1 / (1 / bandwidth + 1 / throughput)\n         */\n        systemBandwidth: {\n          get() {\n            const invBandwidth = 1 / (this.bandwidth || 1);\n            let invThroughput;\n            if (this.throughput > 0) {\n              invThroughput = 1 / this.throughput;\n            } else {\n              invThroughput = 0;\n            }\n            const systemBitrate = Math.floor(1 / (invBandwidth + invThroughput));\n            return systemBitrate;\n          },\n          set() {\n            videojs.log.error('The \"systemBandwidth\" property is read-only');\n          }\n        }\n      });\n      if (this.options_.bandwidth) {\n        this.bandwidth = this.options_.bandwidth;\n      }\n      if (this.options_.throughput) {\n        this.throughput = this.options_.throughput;\n      }\n      Object.defineProperties(this.stats, {\n        bandwidth: {\n          get: () => this.bandwidth || 0,\n          enumerable: true\n        },\n        mediaRequests: {\n          get: () => this.playlistController_.mediaRequests_() || 0,\n          enumerable: true\n        },\n        mediaRequestsAborted: {\n          get: () => this.playlistController_.mediaRequestsAborted_() || 0,\n          enumerable: true\n        },\n        mediaRequestsTimedout: {\n          get: () => this.playlistController_.mediaRequestsTimedout_() || 0,\n          enumerable: true\n        },\n        mediaRequestsErrored: {\n          get: () => this.playlistController_.mediaRequestsErrored_() || 0,\n          enumerable: true\n        },\n        mediaTransferDuration: {\n          get: () => this.playlistController_.mediaTransferDuration_() || 0,\n          enumerable: true\n        },\n        mediaBytesTransferred: {\n          get: () => this.playlistController_.mediaBytesTransferred_() || 0,\n          enumerable: true\n        },\n        mediaSecondsLoaded: {\n          get: () => this.playlistController_.mediaSecondsLoaded_() || 0,\n          enumerable: true\n        },\n        mediaAppends: {\n          get: () => this.playlistController_.mediaAppends_() || 0,\n          enumerable: true\n        },\n        mainAppendsToLoadedData: {\n          get: () => this.playlistController_.mainAppendsToLoadedData_() || 0,\n          enumerable: true\n        },\n        audioAppendsToLoadedData: {\n          get: () => this.playlistController_.audioAppendsToLoadedData_() || 0,\n          enumerable: true\n        },\n        appendsToLoadedData: {\n          get: () => this.playlistController_.appendsToLoadedData_() || 0,\n          enumerable: true\n        },\n        timeToLoadedData: {\n          get: () => this.playlistController_.timeToLoadedData_() || 0,\n          enumerable: true\n        },\n        buffered: {\n          get: () => timeRangesToArray(this.tech_.buffered()),\n          enumerable: true\n        },\n        currentTime: {\n          get: () => this.tech_.currentTime(),\n          enumerable: true\n        },\n        currentSource: {\n          get: () => this.tech_.currentSource_,\n          enumerable: true\n        },\n        currentTech: {\n          get: () => this.tech_.name_,\n          enumerable: true\n        },\n        duration: {\n          get: () => this.tech_.duration(),\n          enumerable: true\n        },\n        main: {\n          get: () => this.playlists.main,\n          enumerable: true\n        },\n        playerDimensions: {\n          get: () => this.tech_.currentDimensions(),\n          enumerable: true\n        },\n        seekable: {\n          get: () => timeRangesToArray(this.tech_.seekable()),\n          enumerable: true\n        },\n        timestamp: {\n          get: () => Date.now(),\n          enumerable: true\n        },\n        videoPlaybackQuality: {\n          get: () => this.tech_.getVideoPlaybackQuality(),\n          enumerable: true\n        }\n      });\n      this.tech_.one('canplay', this.playlistController_.setupFirstPlay.bind(this.playlistController_));\n      this.tech_.on('bandwidthupdate', () => {\n        if (this.options_.useBandwidthFromLocalStorage) {\n          updateVhsLocalStorage({\n            bandwidth: this.bandwidth,\n            throughput: Math.round(this.throughput)\n          });\n        }\n      });\n      this.playlistController_.on('selectedinitialmedia', () => {\n        // Add the manual rendition mix-in to VhsHandler\n        renditionSelectionMixin(this);\n      });\n      this.playlistController_.sourceUpdater_.on('createdsourcebuffers', () => {\n        this.setupEme_();\n      }); // the bandwidth of the primary segment loader is our best\n      // estimate of overall bandwidth\n\n      this.on(this.playlistController_, 'progress', function () {\n        this.tech_.trigger('progress');\n      }); // In the live case, we need to ignore the very first `seeking` event since\n      // that will be the result of the seek-to-live behavior\n\n      this.on(this.playlistController_, 'firstplay', function () {\n        this.ignoreNextSeekingEvent_ = true;\n      });\n      this.setupQualityLevels_(); // do nothing if the tech has been disposed already\n      // this can occur if someone sets the src in player.ready(), for instance\n\n      if (!this.tech_.el()) {\n        return;\n      }\n      this.mediaSourceUrl_ = window.URL.createObjectURL(this.playlistController_.mediaSource); // If we are playing HLS with MSE in Safari, add source elements for both the blob and manifest URLs.\n      // The latter will enable Airplay playback on receiver devices.\n\n      if ((videojs.browser.IS_ANY_SAFARI || videojs.browser.IS_IOS) && this.options_.overrideNative && this.options_.sourceType === 'hls' && typeof this.tech_.addSourceElement === 'function') {\n        this.tech_.addSourceElement(this.mediaSourceUrl_);\n        this.tech_.addSourceElement(this.source_.src);\n      } else {\n        this.tech_.src(this.mediaSourceUrl_);\n      }\n    }\n    createKeySessions_() {\n      const audioPlaylistLoader = this.playlistController_.mediaTypes_.AUDIO.activePlaylistLoader;\n      this.logger_('waiting for EME key session creation');\n      waitForKeySessionCreation({\n        player: this.player_,\n        sourceKeySystems: this.source_.keySystems,\n        audioMedia: audioPlaylistLoader && audioPlaylistLoader.media(),\n        mainPlaylists: this.playlists.main.playlists\n      }).then(() => {\n        this.logger_('created EME key session');\n        this.playlistController_.sourceUpdater_.initializedEme();\n      }).catch(err => {\n        this.logger_('error while creating EME key session', err);\n        this.player_.error({\n          message: 'Failed to initialize media keys for EME',\n          code: 3\n        });\n      });\n    }\n    handleWaitingForKey_() {\n      // If waitingforkey is fired, it's possible that the data that's necessary to retrieve\n      // the key is in the manifest. While this should've happened on initial source load, it\n      // may happen again in live streams where the keys change, and the manifest info\n      // reflects the update.\n      //\n      // Because videojs-contrib-eme compares the PSSH data we send to that of PSSH data it's\n      // already requested keys for, we don't have to worry about this generating extraneous\n      // requests.\n      this.logger_('waitingforkey fired, attempting to create any new key sessions');\n      this.createKeySessions_();\n    }\n    /**\n     * If necessary and EME is available, sets up EME options and waits for key session\n     * creation.\n     *\n     * This function also updates the source updater so taht it can be used, as for some\n     * browsers, EME must be configured before content is appended (if appending unencrypted\n     * content before encrypted content).\n     */\n\n    setupEme_() {\n      const audioPlaylistLoader = this.playlistController_.mediaTypes_.AUDIO.activePlaylistLoader;\n      const didSetupEmeOptions = setupEmeOptions({\n        player: this.player_,\n        sourceKeySystems: this.source_.keySystems,\n        media: this.playlists.media(),\n        audioMedia: audioPlaylistLoader && audioPlaylistLoader.media()\n      });\n      this.player_.tech_.on('keystatuschange', e => {\n        this.playlistController_.updatePlaylistByKeyStatus(e.keyId, e.status);\n      });\n      this.handleWaitingForKey_ = this.handleWaitingForKey_.bind(this);\n      this.player_.tech_.on('waitingforkey', this.handleWaitingForKey_);\n      if (!didSetupEmeOptions) {\n        // If EME options were not set up, we've done all we could to initialize EME.\n        this.playlistController_.sourceUpdater_.initializedEme();\n        return;\n      }\n      this.createKeySessions_();\n    }\n    /**\n     * Initializes the quality levels and sets listeners to update them.\n     *\n     * @method setupQualityLevels_\n     * @private\n     */\n\n    setupQualityLevels_() {\n      const player = videojs.players[this.tech_.options_.playerId]; // if there isn't a player or there isn't a qualityLevels plugin\n      // or qualityLevels_ listeners have already been setup, do nothing.\n\n      if (!player || !player.qualityLevels || this.qualityLevels_) {\n        return;\n      }\n      this.qualityLevels_ = player.qualityLevels();\n      this.playlistController_.on('selectedinitialmedia', () => {\n        handleVhsLoadedMetadata(this.qualityLevels_, this);\n      });\n      this.playlists.on('mediachange', () => {\n        handleVhsMediaChange(this.qualityLevels_, this.playlists);\n      });\n    }\n    /**\n     * return the version\n     */\n\n    static version() {\n      return {\n        '@videojs/http-streaming': version$4,\n        'mux.js': version$3,\n        'mpd-parser': version$2,\n        'm3u8-parser': version$1,\n        'aes-decrypter': version\n      };\n    }\n    /**\n     * return the version\n     */\n\n    version() {\n      return this.constructor.version();\n    }\n    canChangeType() {\n      return SourceUpdater.canChangeType();\n    }\n    /**\n     * Begin playing the video.\n     */\n\n    play() {\n      this.playlistController_.play();\n    }\n    /**\n     * a wrapper around the function in PlaylistController\n     */\n\n    setCurrentTime(currentTime) {\n      this.playlistController_.setCurrentTime(currentTime);\n    }\n    /**\n     * a wrapper around the function in PlaylistController\n     */\n\n    duration() {\n      return this.playlistController_.duration();\n    }\n    /**\n     * a wrapper around the function in PlaylistController\n     */\n\n    seekable() {\n      return this.playlistController_.seekable();\n    }\n    /**\n     * Abort all outstanding work and cleanup.\n     */\n\n    dispose() {\n      if (this.playbackWatcher_) {\n        this.playbackWatcher_.dispose();\n      }\n      if (this.playlistController_) {\n        this.playlistController_.dispose();\n      }\n      if (this.qualityLevels_) {\n        this.qualityLevels_.dispose();\n      }\n      if (this.tech_ && this.tech_.vhs) {\n        delete this.tech_.vhs;\n      }\n      if (this.mediaSourceUrl_ && window.URL.revokeObjectURL) {\n        window.URL.revokeObjectURL(this.mediaSourceUrl_);\n        this.mediaSourceUrl_ = null;\n      }\n      if (this.tech_) {\n        this.tech_.off('waitingforkey', this.handleWaitingForKey_);\n      }\n      super.dispose();\n    }\n    convertToProgramTime(time, callback) {\n      return getProgramTime({\n        playlist: this.playlistController_.media(),\n        time,\n        callback\n      });\n    } // the player must be playing before calling this\n\n    seekToProgramTime(programTime, callback, pauseAfterSeek = true, retryCount = 2) {\n      return seekToProgramTime({\n        programTime,\n        playlist: this.playlistController_.media(),\n        retryCount,\n        pauseAfterSeek,\n        seekTo: this.options_.seekTo,\n        tech: this.options_.tech,\n        callback\n      });\n    }\n    /**\n     * Adds the onRequest, onResponse, offRequest and offResponse functions\n     * to the VhsHandler xhr Object.\n     */\n\n    setupXhrHooks_() {\n      /**\n       * A player function for setting an onRequest hook\n       *\n       * @param {function} callback for request modifiction\n       */\n      this.xhr.onRequest = callback => {\n        addOnRequestHook(this.xhr, callback);\n      };\n      /**\n       * A player function for setting an onResponse hook\n       *\n       * @param {callback} callback for response data retrieval\n       */\n\n      this.xhr.onResponse = callback => {\n        addOnResponseHook(this.xhr, callback);\n      };\n      /**\n       * Deletes a player onRequest callback if it exists\n       *\n       * @param {function} callback to delete from the player set\n       */\n\n      this.xhr.offRequest = callback => {\n        removeOnRequestHook(this.xhr, callback);\n      };\n      /**\n       * Deletes a player onResponse callback if it exists\n       *\n       * @param {function} callback to delete from the player set\n       */\n\n      this.xhr.offResponse = callback => {\n        removeOnResponseHook(this.xhr, callback);\n      }; // Trigger an event on the player to notify the user that vhs is ready to set xhr hooks.\n      // This allows hooks to be set before the source is set to vhs when handleSource is called.\n\n      this.player_.trigger('xhr-hooks-ready');\n    }\n    attachStreamingEventListeners_() {\n      const playlistControllerEvents = ['seekablerangeschanged', 'bufferedrangeschanged', 'contentsteeringloadstart', 'contentsteeringloadcomplete', 'contentsteeringparsed'];\n      const playbackWatcher = ['gapjumped', 'playedrangeschanged']; // re-emit streaming events and payloads on the player.\n\n      playlistControllerEvents.forEach(eventName => {\n        this.playlistController_.on(eventName, metadata => {\n          this.player_.trigger(_extends$1({}, metadata));\n        });\n      });\n      playbackWatcher.forEach(eventName => {\n        this.playbackWatcher_.on(eventName, metadata => {\n          this.player_.trigger(_extends$1({}, metadata));\n        });\n      });\n    }\n  }\n  /**\n   * The Source Handler object, which informs video.js what additional\n   * MIME types are supported and sets up playback. It is registered\n   * automatically to the appropriate tech based on the capabilities of\n   * the browser it is running in. It is not necessary to use or modify\n   * this object in normal usage.\n   */\n\n  const VhsSourceHandler = {\n    name: 'videojs-http-streaming',\n    VERSION: version$4,\n    canHandleSource(srcObj, options = {}) {\n      const localOptions = merge(videojs.options, options); // If not opting to experimentalUseMMS, and playback is only supported with MediaSource, cannot handle source\n\n      if (!localOptions.vhs.experimentalUseMMS && !browserSupportsCodec('avc1.4d400d,mp4a.40.2', false)) {\n        return false;\n      }\n      return VhsSourceHandler.canPlayType(srcObj.type, localOptions);\n    },\n    handleSource(source, tech, options = {}) {\n      const localOptions = merge(videojs.options, options);\n      tech.vhs = new VhsHandler(source, tech, localOptions);\n      tech.vhs.xhr = xhrFactory();\n      tech.vhs.setupXhrHooks_();\n      tech.vhs.src(source.src, source.type);\n      return tech.vhs;\n    },\n    canPlayType(type, options) {\n      const simpleType = simpleTypeFromSourceType(type);\n      if (!simpleType) {\n        return '';\n      }\n      const overrideNative = VhsSourceHandler.getOverrideNative(options);\n      const supportsTypeNatively = Vhs.supportsTypeNatively(simpleType);\n      const canUseMsePlayback = !supportsTypeNatively || overrideNative;\n      return canUseMsePlayback ? 'maybe' : '';\n    },\n    getOverrideNative(options = {}) {\n      const {\n        vhs = {}\n      } = options;\n      const defaultOverrideNative = !(videojs.browser.IS_ANY_SAFARI || videojs.browser.IS_IOS);\n      const {\n        overrideNative = defaultOverrideNative\n      } = vhs;\n      return overrideNative;\n    }\n  };\n  /**\n   * Check to see if either the native MediaSource or ManagedMediaSource\n   * objectx exist and support an MP4 container with both H.264 video\n   * and AAC-LC audio.\n   *\n   * @return {boolean} if  native media sources are supported\n   */\n\n  const supportsNativeMediaSources = () => {\n    return browserSupportsCodec('avc1.4d400d,mp4a.40.2', true);\n  }; // register source handlers with the appropriate techs\n\n  if (supportsNativeMediaSources()) {\n    videojs.getTech('Html5').registerSourceHandler(VhsSourceHandler, 0);\n  }\n  videojs.VhsHandler = VhsHandler;\n  videojs.VhsSourceHandler = VhsSourceHandler;\n  videojs.Vhs = Vhs;\n  if (!videojs.use) {\n    videojs.registerComponent('Vhs', Vhs);\n  }\n  videojs.options.vhs = videojs.options.vhs || {};\n  if (!videojs.getPlugin || !videojs.getPlugin('reloadSourceOnError')) {\n    videojs.registerPlugin('reloadSourceOnError', reloadSourceOnError);\n  }\n\n  return videojs;\n\n}));\n"],"names":["global","factory","exports","module","define","amd","globalThis","self","videojs","this","hooks_","hooks","type","fn","concat","removeHook","index","indexOf","slice","splice","FullscreenApi","prefixed","apiMap","specApi","browserApi","i","length","document","history","LogByTypeFactory","name","log","styles","level","args","lvl","levels","lvlRegExp","RegExp","resultName","unshift","toUpperCase","push","window","console","info","test","Array","isArray","log$1","createLogger$1","logByType","delimiter","createLogger","subName","subDelimiter","subStyles","resultDelimiter","undefined","resultStyles","createNewLogger","newName","newDelimiter","newStyles","all","off","debug","warn","error","DEFAULT","hasOwnProperty","Error","filter","fname","historyItem","clear","disable","enable","toString$1","Object","prototype","toString","keys","object","isObject$1","each","forEach","key","reduce","initial","accum","value","isPlain","call","constructor","merge$2","result","sources","source","values$1","defineLazyProperty","obj","getValue","setter","set","defineProperty","enumerable","writable","options","configurable","get","Obj","freeze","__proto__","isObject","merge","values","ANDROID_VERSION","IS_IPOD","IOS_VERSION","IS_ANDROID","IS_FIREFOX","IS_EDGE","IS_CHROMIUM","IS_CHROME","CHROMIUM_VERSION","CHROME_VERSION","IS_CHROMECAST_RECEIVER","Boolean","cast","framework","CastReceiverContext","IE_VERSION","IS_SAFARI","IS_WINDOWS","IS_IPAD","IS_IPHONE","IS_TIZEN","IS_WEBOS","IS_SMART_TV","TOUCH_ENABLED","isReal","navigator","maxTouchPoints","DocumentTouch","UAD","userAgentData","platform","brands","find","b","brand","version","USER_AGENT","userAgent","match","major","parseFloat","minor","exec","IS_IOS","IS_ANY_SAFARI","browser","isNonBlankString","str","trim","isEl","nodeType","isInFrame","parent","x","createQuerier","method","selector","context","querySelector","ctx","createEl","tagName","properties","attributes","content","el","createElement","getOwnPropertyNames","propName","val","textContent","attrName","setAttribute","appendContent","text","innerText","prependTo","child","firstChild","insertBefore","appendChild","hasClass","element","classToCheck","throwIfWhitespace","classList","contains","addClass","classesToAdd","add","prev","current","split","removeClass","classesToRemove","remove","toggleClass","classToToggle","predicate","className","toggle","setAttributes","attrValue","removeAttribute","getAttributes","tag","knownBooleans","attrs","attrVal","includes","getAttribute","attribute","blockTextSelection","body","focus","onselectstart","unblockTextSelection","getBoundingClientRect","parentNode","rect","k","height","computedStyle","width","findPosition","offsetParent","left","top","offsetWidth","offsetHeight","fullscreenElement","offsetLeft","offsetTop","getPointerPosition","event","translated","y","item","nodeName","toLowerCase","transform","map","Number","assignedSlot","parentElement","WebKitCSSMatrix","transformValue","getComputedStyle","matrix","m41","m42","host","position","boxTarget","target","box","boxW","boxH","offsetY","offsetX","changedTouches","pageX","pageY","Math","max","min","isTextNode$1","emptyEl","removeChild","normalizeContent","createTextNode","node","insertContent","isSingleLeftClick","button","buttons","$","$$","prop","computedStyleValue","e","getPropertyValue","copyStyleSheetsToWindow","win","styleSheets","styleSheet","cssRules","rule","cssText","join","style","head","link","rel","media","mediaText","href","Dom","isTextNode","videojs$1","_windowLoaded","autoSetup","vids","getElementsByTagName","audios","divs","mediaEls","mediaEl","autoSetupTimeout","player","wait","vjs","setTimeout","setWindowLoaded","removeEventListener","readyState","addEventListener","createStyleElement","setTextContent","DomData","WeakMap","_supportsPassive","_guid","newGUID","_cleanUpEvents","elem","has","data","handlers","dispatcher","detachEvent","disabled","delete","_handleMultipleEvents","types","callback","fixEvent","fixed_","returnTrue","returnFalse","isPropagationStopped","isImmediatePropagationStopped","old","deprecatedProps","preventDefault","srcElement","relatedTarget","fromElement","toElement","returnValue","defaultPrevented","stopPropagation","cancelBubble","stopImmediatePropagation","clientX","doc","documentElement","scrollLeft","clientLeft","clientY","scrollTop","clientTop","which","charCode","keyCode","passiveEvents","on","guid","hash","handlersCopy","m","n","opts","supportsPassive","passive","attachEvent","removeType","t","trigger","elemData","ownerDocument","bubbles","targetData","one","func","apply","arguments","any","Events","bind_","uid","bound","bind","throttle","last","performance","now","debounce$1","immediate","timeout","cancel","clearTimeout","debounced","later","Fn","UPDATE_REFRESH_INTERVAL","debounce","EVENT_MAP","EventTarget$2","ael","allowedEvents_","queueTrigger","Map","oldTimeout","size","dispatchEvent","objName","name_","isEvented","eventBusEl_","every","isValidEventType","validateTarget","fnName","validateEventType","validateListener","listener","normalizeListenArgs","isTargetingSelf","shift","listen","EventedMixin","removeListenerOnDispose","removeRemoverOnTargetDispose","wrapper","_this","largs","_this2","targetOrType","typeOrListener","evented","eventBusKey","assign","eventedCallbacks","el_","StatefulMixin","state","setState","stateUpdates","changes","from","to","stateful","defaultState","handleStateChanged","string","replace","w","toTitleCase$1","titleCaseEquals","str1","str2","Str","toTitleCase","Component$1","ready","play","player_","isDisposed_","parentComponent_","options_","id_","id","c","handleLanguagechange","children_","childIndex_","childNameIndex_","setTimeoutIds_","Set","setIntervalIds_","rafIds_","namedRafs_","clearingTimersOnDispose_","initChildren","reportTouchActivity","enableTouchActivity","dispose","readyQueue_","restoreEl","replaceChild","isDisposed","localize","tokens","defaultValue","code","language","languages","primaryCode","primaryLang","localizedString","ret","contentEl","contentEl_","children","getChildById","getChild","getDescendant","names","acc","currentChild","setIcon","iconName","experimentalSvgIcons","xmlnsURL","iconContainer","svgEl","createElementNS","setAttributeNS","useEl","iconIsSet_","addChild","component","componentName","componentClassName","componentClass","ComponentClass","getComponent","refNode","childFound","compEl","parentOptions","handleAdd","playerOptions","newChild","workingChildren","Tech","some","wchild","isTech","buildCSSClass","sync","isReady_","triggerReady","readyQueue","show","hide","lockShowing","unlockShowing","num","skipListeners","dimension","dimensions","widthOrHeight","pxIndex","parseInt","currentDimension","computedWidthOrHeight","isNaN","currentDimensions","currentWidth","currentHeight","getPositions","boundingClientRect","right","bottom","center","blur","handleKeyDown","spatialNavigation","enabled","handleKeyPress","emitTapEvents","touchStart","firstTouch","couldBeTap","touches","xdiff","ydiff","sqrt","noTap","reportUserActivity","report","touchHolding","clearInterval","setInterval","touchEnd","timeoutId","clearTimersOnDispose_","interval","intervalId","requestAnimationFrame","requestNamedAnimationFrame","cancelNamedAnimationFrame","cancelAnimationFrame","_ref4","idName","cancelName","getIsDisabled","getIsExpresslyInert","inert","getIsFocusable","tabIndex","getIsAvailableToBeFocused","isVisibleStyleProperty","elementStyle","thisVisibility","elementCenter","clientWidth","innerWidth","clientHeight","innerHeight","pointContainer","elementFromPoint","isVisible","opacity","ComponentToRegister","isComp","isPrototypeOf","reason","components_","Player","players","playerNames","pname","getRange","valueIndex","ranges","rangeIndex","maxIndex","rangeCheck","createTimeRangesObj","timeRangesObj","start","end","Symbol","iterator","createTimeRanges$1","registerComponent","defaultImplementation","seconds","guide","s","floor","h","gm","gh","Infinity","implementation","setFormatTime","customImplementation","resetFormatTime","formatTime","Time","createTimeRanges","createTimeRange","bufferedPercent","buffered","duration","bufferedDuration","MediaError","message","defaultMessages","isPromise","then","silencePromise","status","metadata","errorTypes","MEDIA_ERR_CUSTOM","MEDIA_ERR_ABORTED","MEDIA_ERR_NETWORK","MEDIA_ERR_DECODE","MEDIA_ERR_SRC_NOT_SUPPORTED","MEDIA_ERR_ENCRYPTED","trackToJson_","track","cues","cue","startTime","endTime","textTrackConverter","tech","trackEls","trackObjs","trackEl","json","src","textTracks","addedTrack","addRemoteTextTrack","addCue","ModalDialog","handleKeyDown_","close_","close","opened_","hasBeenOpened_","hasBeenFilled_","closeable","uncloseable","role","descEl_","description","super","label","previouslyActiveEl_","desc","open","fillAlways","fill","wasPlaying_","paused","pauseOnOpen","pause","hadControls_","controls","conditionalFocus_","opened","conditionalBlur_","temporary","closeable_","temp","controlText","fillWith","parentEl","nextSiblingEl","nextSibling","empty","closeButton","content_","activeEl","activeElement","playerEl","originalEvent","focusableEls","focusableEls_","focusIndex","shiftKey","allChildren","querySelectorAll","HTMLAnchorElement","HTMLAreaElement","hasAttribute","HTMLInputElement","HTMLSelectElement","HTMLTextAreaElement","HTMLButtonElement","HTMLIFrameElement","HTMLObjectElement","HTMLEmbedElement","TrackList","tracks","tracks_","addTrack","labelchange_","removeTrack","rtrack","l","getTrackById","change","addtrack","removetrack","labelchange","disableOthers$1","list","disableOthers","selected","TextTrackList","queueChange_","triggerSelectedlanguagechange","triggerSelectedlanguagechange_","kind","selectedlanguagechange_","TextTrackCueList","setCues_","length_","oldLength","cues_","defineProp","getCueById","VideoTrackKind","alternative","captions","main","sign","subtitles","commentary","AudioTrackKind","TextTrackKind","descriptions","chapters","TextTrackMode","hidden","showing","Track","trackProps","newLabel","parseUrl","url","URL","baseURI","getAbsoluteURL","getFileExtension","path","pathParts","pop","isCrossOrigin","winLoc","location","origin","Url","commonjsGlobal","createCommonjsModule","window_1","_extends_1","_extends","r","__esModule","_extends$1","isFunction_1","alert","confirm","prompt","_createForOfIteratorHelperLoose","o","allowArrayLike","it","next","minLen","_arrayLikeToArray","_unsupportedIterableToArray","done","TypeError","arr","len","arr2","interceptors","InterceptorsStorage","typeToInterceptorsMap_","enabled_","_proto","getIsEnabled","reset","addInterceptor","interceptor","interceptorsSet","removeInterceptor","clearInterceptorsByType","getForType","execute","payload","_step","_iterator","RetryManager","maxAttempts_","delayFactor_","fuzzFactor_","initialDelay_","getMaxAttempts","setMaxAttempts","maxAttempts","getDelayFactor","setDelayFactor","delayFactor","getFuzzFactor","setFuzzFactor","fuzzFactor","getInitialDelay","setInitialDelay","initialDelay","createRetry","_temp","_ref","Retry","currentDelay_","currentAttempt_","_proto2","moveToNextAttempt","delayDelta","shouldRetry","getCurrentDelay","getCurrentMinPossibleDelay","getCurrentMaxPossibleDelay","getCurrentFuzzedDelay","lowValue","highValue","random","retry","httpHandler","decodeResponseBody","err","response","responseBody","statusCode","cause","TextDecoder","charset","contentTypeHeader","contentType","_contentType$split","getCharset","headers","decode","String","fromCharCode","Uint8Array","createXHR","requestInterceptorsStorage","responseInterceptorsStorage","retryManager","lib","default_1","initParams","uri","params","_createXHR","requestType","requestInterceptorPayload","updatedPayload","called","getBody","xhr","responseText","responseType","responseXML","firefoxBugTakenEffect","getXml","isJson","JSON","parse","errorFunc","evt","timeoutTimer","retryTimeout","aborted","responseInterceptorPayload","failureResponse","responseUrl","responseURL","_updatedPayload","loadFunc","useXDR","rawRequest","getAllResponseHeaders","row","parseHeaders","_updatedPayload2","cors","XDomainRequest","XMLHttpRequest","stringify","onreadystatechange","onload","onerror","onprogress","onabort","ontimeout","username","password","withCredentials","abort","setRequestHeader","isEmpty","beforeSend","send","array","forEachArray","default","parseCues","srcContent","parser","WebVTT","Parser","vttjs","StringDecoder","errors","oncue","onparsingerror","onflush","groupCollapsed","groupEnd","flush","loadTrack","crossOrigin","tech_","loaded_","TextTrack","settings","srclang","mode","default_","activeCues_","preload_","preloadTextTracks","activeCues","changed","timeupdateHandler","rvf_","requestVideoFrameCallback","stopTracking","startTracking","defineProperties","newMode","ct","currentTime","active","cancelVideoFrameCallback","originalCue","VTTCue","originalCue_","removeCue","cuechange","AudioTrack","newEnabled","VideoTrack","newSelected","HTMLTrackElement","NONE","LOADED","load","LOADING","ERROR","NORMAL","audio","ListClass","changing_","enabledChange_","TrackClass","capitalName","video","selectedChange_","getterName","privateName","REMOTE","remoteText","remoteTextEl","trackElements","trackElements_","addTrackElement_","trackElement","getTrackElementByTrack_","trackElement_","removeTrackElement_","ALL","doccy","topLevel","document_1","_objCreate","create","F","ParsingError","errorData","parseTimeStamp","input","computeSeconds","f","Settings","parseOptions","keyValueDelim","groupDelim","groups","kv","parseCue","regionList","oInput","consumeTimeStamp","ts","Errors","BadTimeStamp","skipWhitespace","substr","v","region","alt","vals","vals0","integer","percent","vertical","line","lineAlign","snapToLines","align","middle","positionAlign","consumeCueSettings","BadSignature","dflt","defaultKey","a","TEXTAREA_ELEMENT","TAG_NAME","u","ruby","rt","lang","DEFAULT_COLOR_CLASS","white","lime","cyan","red","yellow","magenta","blue","black","TAG_ANNOTATION","NEEDS_PARENT","parseContent","nextToken","shouldAdd","localName","annotation","rootDiv","tagStack","innerHTML","createProcessingInstruction","classes","cl","bgColor","colorName","propValue","strongRTLRanges","isStrongRTLChar","currentRange","determineBidi","cueDiv","nodeStack","childNodes","pushNodes","nextTextNode","charCodeAt","StyleBox","CueStyleBox","styleOptions","color","backgroundColor","display","writingMode","unicodeBidi","applyStyles","div","direction","textAlign","font","whiteSpace","textPos","formatStyle","move","BoxPosition","lh","rects","getClientRects","lineHeight","moveBoxToLinePosition","styleBox","containerBox","boxPositions","boxPosition","linePos","textTrackList","mediaElement","trackList","count","computeLinePos","axis","step","round","maxPosition","initialAxis","abs","ceil","reverse","calculatedPercentage","bestPosition","specifiedPosition","percentage","overlapsOppositeAxis","within","overlapsAny","p","intersectPercentage","findBestPosition","toCSSCompatValues","WebVTT$1","unit","toMove","overlaps","b2","boxes","container","reference","getSimpleBoxPosition","decodeURIComponent","encodeURIComponent","convertCueToDOMTree","cuetext","processCues","overlay","paddedOverlay","margin","hasBeenReset","displayState","shouldCompute","fontSize","decoder","buffer","reportOrThrowError","collectNextLine","pos","parseHeader","ontimestampmap","parseTimestampMap","xy","anchor","VTTRegion","lines","regionAnchorX","regionAnchorY","viewportAnchorX","viewportAnchorY","scroll","onregion","parseRegion","stream","alreadyCollectedLine","hasSubstring","vtt","directionSetting","alignSetting","findAlignSetting","_id","_pauseOnExit","_startTime","_endTime","_text","_region","_vertical","_snapToLines","_line","_lineAlign","_position","_positionAlign","_size","_align","setting","findDirectionSetting","SyntaxError","getCueAsHTML","vttcue","scrollSetting","isValidPercentValue","vttregion","_width","_lines","_regionAnchorX","_regionAnchorY","_viewportAnchorX","_viewportAnchorY","_scroll","findScrollSetting","browserIndex","cueShim","regionShim","nativeVTTCue","nativeVTTRegion","shim","restore","onDurationChange_","onDurationChange","trackProgress_","trackProgress","trackCurrentTime_","trackCurrentTime","stopTrackingCurrentTime_","stopTrackingCurrentTime","disposeSourceHandler_","disposeSourceHandler","queuedHanders_","hasStarted_","props","featuresProgressEvents","manualProgressOn","featuresTimeupdateEvents","manualTimeUpdatesOn","nativeCaptions","nativeTextTracks","featuresNativeTextTracks","emulateTextTracks","autoRemoteTextTracks_","initTrackListeners","nativeControlsForTouch","triggerSourceset","manualProgress","manualProgressOff","stopTrackingProgress","progressInterval","numBufferedPercent","bufferedPercent_","duration_","manualTimeUpdates","manualTimeUpdatesOff","currentTimeInterval","manuallyTriggered","clearTracks","removeRemoteTextTrack","cleanupAutoTextTracks","setCrossOrigin","error_","played","setScrubbing","_isScrubbing","scrubbing","setCurrentTime","_seconds","trackListChanges","addWebVttScript_","script","remoteTracks","remoteTextTracks","handleAddTrack","handleRemoveTrack","updateDisplay","textTracksChanges","addTextTrack","createTrackHelper","createRemoteTextTrack","manualCleanup","htmlTrackElement","remoteTextTrackEls","getVideoPlaybackQuality","requestPictureInPicture","Promise","reject","disablePictureInPicture","setDisablePictureInPicture","cb","setPoster","playsinline","setPlaysinline","overrideNativeAudioTracks","override","overrideNativeVideoTracks","canPlayType","_type","srcObj","techs_","canPlaySource","defaultTechOrder_","featuresVolumeControl","featuresMuteControl","featuresFullscreenResize","featuresPlaybackRate","featuresSourceset","featuresVideoFrameCallback","withSourceHandlers","_Tech","registerSourceHandler","handler","sourceHandlers","can","selectSourceHandler","canHandleSource","sh","originalFn","sourceHandler_","setSource","nativeSourceHandler","currentSource_","handleSource","registerTech","middlewares","middlewareInstances","TERMINATOR","setSourceHelper","mediate","middleware","arg","callMethod","middlewareValue","middlewareIterator","terminated","executeRight","allowedGetters","muted","seekable","volume","ended","allowedSetters","setMuted","setVolume","allowedMediators","mw","mws","getOrCreateFactory","mwFactory","mwf","mwi","lastRun","mwrest","_src","MimetypesKind","opus","ogv","mp4","mov","m4v","mkv","m4a","mp3","aac","caf","flac","oga","wav","m3u8","mpd","jpg","jpeg","gif","png","svg","webp","getMimetype","ext","mimetype","filterSource","newsrc","srcobj","fixSource","backKeyCode","SpatialNavKeyCodes","codes","ff","rw","back","isEventKey","keyName","getEventName","SpatialNavigation","focusableComponents","isListening_","isPaused_","onKeyDown_","lastFocusedComponent_","updateFocusableComponents","refocusComponent","handlePlayerFocus_","handlePlayerBlur_","errorDisplay","stop","actualEvent","substring","action","performMediaAction_","userSeek_","liveTracker","isLive","nextSeekedFromUser","resume","nextFocusedElement","isChildrenOfPlayer","currentComponent","getCurrentComponent","closest","searchForTrackSelect_","currentTarget","searchForChildrenCandidates","componentsArray","items","findSuitableDOMChild","buttonContainer","searchForSuitableChild","suitableChild","curComp","currentFocusedComponent","currentPositions","candidates","isInDirection_","bestCandidate","findBestCandidate_","focusedComponent","currentCenter","minDistance","candidate","candidateCenter","distance","calculateDistance_","srcRect","targetRect","userActive","center1","center2","dx","dy","j","techOrder","techName","getTech","isSupported","loadTech_","ClickableComponent","handleMouseOver_","handleMouseOver","handleMouseOut_","handleMouseOut","handleClick_","handleClick","tabIndex_","createControlTextEl","controlTextEl_","controlText_","localizedText","nonIconControl","noUITitleAttributes","clickHandler","PosterImage","update","update_","crossorigin","poster","setSrc","loading","fontMap","monospace","sansSerif","serif","monospaceSansSerif","monospaceSerif","proportionalSansSerif","proportionalSerif","casual","smallcaps","constructColor","hex","tryUpdateStyle","getCSSPositionValue","updateDisplayHandler","updateDisplayOverlay","toggleDisplay","preselectTrack","screenOrientation","screen","orientation","changeOrientationEvent","modes","userPref","cache_","selectedLanguage","firstDesc","firstCaptions","preferredTrack","clearDisplay","allowMultipleShowingTracks","showingTracks","updateForTrack","descriptionsTrack","captionsSubtitlesTrack","CSS","supports","textTrackDisplay","vjsTextTrackCues","controlBarHeight","controlBar","playerHeight","vjsTextTrackCue","inset","insetStyles","videoHeight","playerWidth","playerAspectRatio","videoAspectRatio","videoWidth","insetInlineMatch","insetBlockMatch","updateDisplayState","overrides","textTrackSettings","getValues","textOpacity","backgroundOpacity","windowColor","windowOpacity","edgeStyle","textShadow","fontPercent","fontFamily","fontVariant","cueEl","isAudio","playerType","dir","Button","BigPlayButton","mouseused_","handleMouseDown","playPromise","playToggle","playFocus","PlayToggle","replay","handlePlay","handlePause","handleEnded","handleSeeked","TimeDisplay","updateTextNode_","span","labelText_","textNode_","enableSmoothSeeking","updateContent","time","formattedTime_","oldNode","CurrentTimeDisplay","getCache","DurationDisplay","RemainingTimeDisplay","displayNegative","remainingTimeDisplay","remainingTime","updateShowing","SeekToLive","updateLiveEdgeStatus","updateLiveEdgeStatusHandler_","textEl_","atLiveEdge","seekToLiveEdge","clamp","number","Num","Slider","handleMouseDown_","handleMouseUp_","handleMouseUp","handleMouseMove_","handleMouseMove","bar","barName","playerEvent","progress","getProgress","progress_","sizeKey","toFixed","getPercent","calculateDistance","spatialNavOptions","spatialNavEnabled","horizontalSeek","stepBack","stepForward","bool","vertical_","percentify","partEls_","loadedText","separator","percentageEl_","seekableEnd","bufferedEnd","percent_","part","dataset","seekBarRect","seekBarPoint","tooltipRect","playerRect","seekBarPointPx","spaceLeftOfPoint","spaceRightOfPoint","pullTooltipBy","write","updateTime","liveWindow","secondsBehind","PlayProgressBar","timeTooltip","MouseTimeDisplay","SeekBar","shouldDisableSeekWhileScrubbingOnMobile","disableSeekWhileScrubbingOnMobile","shouldDisableSeekWhileScrubbingOnMobile_","pendingSeekTime_","setEventHandlers_","updateInterval","enableIntervalHandler_","enableInterval_","disableIntervalHandler_","disableInterval_","toggleVisibility_","visibilityState","getCurrentTime_","liveCurrentTime","currentTime_","seekableStart","videoWasPlaying","newTime","mouseDown","mouseTimeDisplay","handleAction","gotoFraction","STEP_SECONDS","ProgressControl","throttledHandleMouseSeek","handleMouseSeek","handleMouseUpHandler_","handleMouseDownHandler_","seekBar","playProgressBar","seekBarEl","removeListenersAddedOnMousedownAndTouchstart","PictureInPictureToggle","handlePictureInPictureChange","handlePictureInPictureEnabledChange","handlePictureInPictureAudioModeChange","currentType","audioPosterMode","audioOnlyMode","isInPictureInPicture","exitPictureInPicture","pictureInPictureEnabled","enableDocumentPictureInPicture","FullscreenToggle","handleFullscreenChange","fsApi_","fullscreenEnabled","isFullscreen","exitFullscreen","requestFullscreen","rangeBarRect","rangeBarPoint","volumeBarPointPx","updateVolume","MouseVolumeLevelDisplay","VolumeBar","updateLastVolume_","updateARIAAttributes","mouseVolumeLevelDisplay","volumeBarEl","volumeBarRect","volumeBarPoint","checkMuted","ariaValue","volumeAsPercentage_","volumeBeforeDrag","lastVolume_","VolumeControl","volumeBar","checkVolumeSupport","throttledHandleMouseMove","orientationClass","MuteToggle","checkMuteSupport","vol","lastVolume","volumeToSet","updateIcon_","updateControlText_","VolumePanel","inline","volumeControl","handleKeyPressHandler_","volumePanelState_","muteToggle","handleVolumeControlKeyUp","sliderActive_","sliderInactive_","SkipForward","validOptions","skipTime","getSkipForwardTime","toLocaleString","skipButtons","forward","currentVideoTime","SkipBackward","getSkipBackwardTime","backward","Menu","menuButton_","menuButton","focusedChild_","boundHandleBlur_","handleBlur","boundHandleTapClick_","handleTapClick","addEventListenerForItem","removeEventListenerForItem","addItem","childComponent","contentElType","append","btn","buttonPressed_","unpressButton","childComponents","foundComponent","stepChild","MenuButton","buttonClass","handleMenuKeyUp_","handleMenuKeyUp","menu","handleMouseLeave","handleSubmenuKeyDown","createMenu","hideThreshold_","title","titleEl","titleComponent","createItems","buildWrapperCSSClass","menuButtonClass","pressButton","handleSubmenuKeyPress","TrackButton","updateHandler","MenuItem","selectable","isSelected_","multiSelectable","menuItemEl","TextTrackMenuItem","kinds","changeHandler","_this3","handleTracksChange","selectedLanguageChangeHandler","handleSelectedLanguageChange","onchange","Event","createEvent","initEvent","referenceTrack","shouldBeSelected","OffTextTrackMenuItem","allHidden","TextTrackButton","TrackMenuItem","label_","kinds_","kind_","ChaptersTrackMenuItem","ChaptersButton","selectCurrentItem_","track_","findChaptersTrack","setTrack","updateHandler_","remoteTextTrackEl","getMenuCaption","mi","DescriptionsButton","SubtitlesButton","CaptionSettingsMenuItem","CaptionsButton","SubsCapsMenuItem","parentSpan","SubsCapsButton","language_","AudioTrackMenuItem","audioTracks","_this4","featuresNativeAudioTracks","AudioTrackButton","PlaybackRateMenuItem","rate","playbackRate","PlaybackRateMenuButton","labelElId_","updateVisibility","updateLabel","handlePlaybackRateschange","labelEl_","rates","playbackRates","playbackRateSupported","Spacer","ControlBar","ErrorDisplay","TextTrackSelect","selectLabelledbyIds","legendId","labelId","SelectOptions","optionText","optionId","option","TextTrackFieldset","legendElement","legendText","selects","selectConfig","selectConfigs","selectClassName","textTrackSelect","TextTrackSettingsColors","textTrackComponentid","ElFgColorFieldset","fieldSets","ElBgColorFieldset","ElWinColorFieldset","TextTrackSettingsFont","TrackSettingsControls","defaultsDescription","resetButton","doneButton","COLOR_BLACK","COLOR_BLUE","COLOR_CYAN","COLOR_GREEN","COLOR_MAGENTA","COLOR_RED","COLOR_WHITE","COLOR_YELLOW","OPACITY_OPAQUE","OPACITY_SEMI","OPACITY_TRANS","parseOptionValue","renderModalComponents","endDialog","setDefaults","persistTextTrackSettings","bindFunctionsToSelectsAndButtons","restoreSettings","textTrackSettingsColors","textTrackSettingsFont","trackSettingsControls","saveSettings","config","selectedIndex","setValues","setSelectedOption","localStorage","getItem","setItem","removeItem","ttDisplay","RESIZE_OBSERVER_AVAILABLE","ResizeObserver","loadListener_","resizeObserver_","debouncedHandler_","resizeHandler","observe","contentWindow","unloadListener_","unobserve","disconnect","resizeObserver","defaults$1","trackingThreshold","liveTolerance","trackLiveHandler_","trackLive_","handlePlay_","handleFirstTimeupdate_","handleFirstTimeupdate","handleSeeked_","seekToLiveEdge_","reset_","handleDurationchange","toggleTracking","deltaTime","lastTime_","pastSeekEnd_","pastSeekEnd","isBehind","seekedBehindLive_","timeupdateSeen_","behindLiveEdge_","liveui","isTracking","hasStarted","trackingInterval_","timeDiff","nextSeekedFromUser_","lastSeekEnd_","seekableEnds","sort","seekableStarts","behindLiveEdge","updateDom_","els","techEl","techAriaAttrs","techAriaAttr","defaults","initialDisplay","takeFocus","class","preventScroll","forceDisplayTimeout","sourcesetLoad","srcUrls","innerHTMLDescriptorPolyfill","cloneNode","dummy","docFrag","createDocumentFragment","Element","getDescriptor","priority","descriptor","getOwnPropertyDescriptor","firstSourceWatch","resetSourceWatch_","innerDescriptor","HTMLMediaElement","getInnerHTMLDescriptor","appendWrapper","appendFn","retval","srcDescriptorPolyfill","setupSourceset","resetSourceset_","srcDescriptor","getSrcDescriptor","oldSetAttribute","oldLoad","currentSrc","Html5","crossoriginTracks","initNetworkState_","handleLateInit_","enableSourceset","setupSourcesetHandling_","isScrubbing_","hasChildNodes","nodes","nodesLength","removeNodes","proxyNativeTracks_","restoreMetadataTracksInIOSNativePlayer_","setControls","proxyWebkitFullscreen_","disposeMediaElement","metadataTracksPreFullscreenState","takeMetadataTrackSnapshot","storedMode","restoreTrackMode","storedTrack","overrideNative_","lowerCaseType","eventName","proxyNativeTracksForType_","elTracks","techTracks","listeners","removeOldTracks","removeTracks","found","playerElIngest","movingMediaElementInDOM","clone","techId","playerId","preload","settingsAttrs","attr","networkState","loadstartFired","setLoadstartFired","triggerLoadstart","eventsToTrigger","isScrubbing","fastSeek","checkProgress","NaN","endFn","beginFn","webkitPresentationMode","nativeIOSFullscreen","supportsFullScreen","webkitEnterFullScreen","enterFullScreen","HAVE_METADATA","exitFullScreen","webkitDisplayingFullscreen","webkitExitFullScreen","webkitKeys","addSourceElement","srcUrl","mimeType","sourceAttributes","sourceElement","removeSourceElement","sourceElements","resetMediaElement","videoPlaybackQuality","webkitDroppedFrameCount","webkitDecodedFrameCount","droppedVideoFrames","totalVideoFrames","creationTime","TEST_VID","canControlVolume","canControl","canMuteVolume","canControlPlaybackRate","canOverrideAttributes","noop","supportsNativeTextTracks","supportsNativeVideoTracks","videoTracks","supportsNativeAudioTracks","TECH_EVENTS_RETRIGGER","TECH_EVENTS_QUEUE","canplay","canplaythrough","playing","seeked","BREAKPOINT_ORDER","BREAKPOINT_CLASSES","charAt","DEFAULT_BREAKPOINTS","tiny","xsmall","small","medium","large","xlarge","huge","getTagSettings","boundDocumentFullscreenChange_","documentFullscreenChange_","boundFullWindowOnEscKey_","fullWindowOnEscKey","boundUpdateStyleEl_","updateStyleEl_","boundApplyInitTime_","applyInitTime_","boundUpdateCurrentBreakpoint_","updateCurrentBreakpoint_","boundHandleTechClick_","handleTechClick_","boundHandleTechDoubleClick_","handleTechDoubleClick_","boundHandleTechTouchStart_","handleTechTouchStart_","boundHandleTechTouchMove_","handleTechTouchMove_","boundHandleTechTouchEnd_","handleTechTouchEnd_","boundHandleTechTap_","handleTechTap_","boundUpdatePlayerHeightOnAudioOnlyMode_","updatePlayerHeightOnAudioOnlyMode_","isFullscreen_","isPosterFromTech_","queuedCallbacks_","userActive_","debugEnabled_","audioOnlyMode_","audioPosterMode_","audioOnlyCache_","hiddenChildren","tagAttributes","languagesToLower","languages_","resetCache_","poster_","controls_","changingSrc_","playCallbacks_","playTerminatedQueue_","autoplay","plugins","scrubbing_","fullscreenchange","fluid_","playerOptionsCopy","middleware_","parsedSVG","DOMParser","parseFromString","sprite","majorVersion","listenForUserActivity_","breakpoints","responsive","styleEl_","playerElIngest_","divEmbed","tabindex","deviceClassNames","VIDEOJS_NO_DYNAMIC_STYLE","defaultsStyleEl","fill_","fluid","aspectRatio","links","linkEl","techGet_","techCall_","posterImage","privDimension","parsedVal","ratio","aspectRatio_","width_","height_","idClass","ratioParts","ratioMultiplier","unloadTech_","titleTechName","camelTechName","techName_","normalizeAutoplay","techOptions","loop","techCanOverridePoster","TechClass","handleTechReady_","textTracksJson_","eventObj","seeking","handleTechLoadStart_","handleTechSourceset_","handleTechWaiting_","handleTechEnded_","handleTechSeeking_","handleTechPlay_","handleTechPause_","handleTechDurationChange_","handleTechFullscreenChange_","handleTechFullscreenError_","handleTechEnterPictureInPicture_","handleTechLeavePictureInPicture_","handleTechError_","handleTechPosterChange_","handleTechTextData_","handleTechRateChange_","usingNativeControls","addTechControlsListeners_","safety","removeTechControlsListeners_","manualAutoplay_","resolveMuted","previouslyMuted","restoreMuted","mutedPromise","catch","promise","updateSourceCaches_","matchingSources","findMimetype","sourceElSources","sourceEls","matchingSourceEls","sourceObj","updateSourceCaches","playerSrc","currentSource","eventSrc","lastSource_","techSrc","request","lastPlaybackRate","queued","timeWhenWaiting","timeUpdateListener","handleTechCanPlay_","handleTechCanPlayThrough_","handleTechPlaying_","handleTechSeeked_","userActions","click","doubleClick","pictureInPictureElement","userWasActive","cancelable","toggleFullscreenClass_","targetPlayer","isFs","matches","fullscreen","togglePictureInPictureClass_","initTime","inactivityTimeout","defaultPlaybackRate","reduceRight","resolve","play_","isSrcReady","isSafariOrIOS","waitToPlay_","resetProgressBar_","runPlayTerminatedQueue_","runPlayCallbacks_","queue","q","callbacks","isFinite","percentAsDecimal","defaultMuted","isFS","oldValue","fullscreenOptions","offHandler","errorHandler","requestFullscreenHelper_","fsOptions","preferFullWindow","enterFullWindow","exitFullscreenHelper_","exitFullWindow","isFullWindow","docOrigOverflow","overflow","isPiP","isInPictureInPicture_","documentPictureInPicture","pipContainer","titleBar","requestWindow","pipWindow","pipVideo","hotkeys","isContentEditable","excludeElement","handleHotkeys","fullscreenKey","keydownEvent","muteKey","playPauseKey","FSToggle","selectSource","techs","_ref6","findFirstPassingTechSourcePair","outerArray","innerArray","tester","outerChoice","innerChoice","foundSourceAndTech","finder","sourceOrder","handleSrc_","isRetry","resetRetryOnError_","middlewareSource","src_","notSupportedMessage","setTech","stopListeningForErrors","sourceTech","vhs","doReset_","resetControlBarUI_","resetPlaybackRate_","resetVolumeBar_","currentTimeDisplay","durationDisplay","progressControl","loadProgressBar","currentSources","techAutoplay","newPoster","usingNativeControls_","hookFunction","newErr","suppressNotSupportedError","triggerSuppressedError","userActivity_","mouseInProgress","lastMoveX","lastMoveY","handleActivity","handleMouseUpAndMouseLeave","screenX","screenY","isAudio_","enableAudioOnlyUI_","playerChildren","disableAudioOnlyUI_","exitPromises","enablePosterModeUI_","disablePosterModeUI_","toJSON","createModal","modal","currentBreakpoint","candidateBreakpoint","breakpoints_","breakpoint_","removeCurrentBreakpoint_","currentBreakpointClass","responsive_","loadMedia","artist","artwork","tt","getMedia","baseOptions","tagOptions","dataSetup","childName","previousLogLevel_","newRates","html5","userLanguage","navigationUI","pluginStorage","pluginExists","getPlugin","markPluginAsActive","triggerSetupEvent","before","createPluginFactory","PluginSubClass","plugin","instance","getEventHash","Plugin","VERSION","isBasic","basicPluginWrapper","createBasicPlugin","deprecateForMajor","oldName","warned","deprecate","BASE_PLUGIN_NAME","registerPlugin","usingPlugin","hasPlugin","normalizeId","getPlayer","rootNode","getRootNode","ShadowRoot","defaultView","PlayerComponent","hook","hookOnce","original","getPlayers","nId","getAllPlayers","comp","use","writeable","mergeOptions","deregisterPlugin","getPlugins","getPluginVersion","addLanguage","EventTarget","dom","NetworkBadStatus","NetworkRequestFailed","NetworkRequestAborted","NetworkRequestTimeout","NetworkBodyParserFailed","StreamingHlsPlaylistParserError","StreamingDashManifestParserError","StreamingContentSteeringParserError","StreamingVttParserError","StreamingFailedToSelectNextSegment","StreamingFailedToDecryptSegment","StreamingFailedToTransmuxSegment","StreamingFailedToAppendSegment","StreamingCodecsChangeError","_interopDefaultLegacy","videojs__default","QualityLevel","representation","bitrate","bandwidth","frameRate","QualityLevelList","levels_","selectedIndex_","addQualityLevel","qualityLevel","getQualityLevelById","removeQualityLevel","removed","addqualitylevel","removequalitylevel","initPlugin","originalPluginFn","qualityLevels","qualityLevelList","disposeHandler","resolveUrl$1","baseUrl","relativeUrl","protocolLess","removeLocation","newUrl","protocol","Stream","_length","_i","pipe","destination","decodeB64ToUint8Array","b64Text","decodedString","atob","Buffer","LineStream","nextNewline","TAB","parseByterange","byterangeString","offset","parseAttributes$1","parseResolution","resolution","ParseStream","customParsers","tagMappers","mapper","mappedLine","newLine","tagType","playlistType","allowed","URI","BYTERANGE","byterange","RESOLUTION","BANDWIDTH","dateTimeString","dateTimeObject","Date","IV","Uint32Array","PRECISE","subkey","clientAttributePattern","isHexaDecimal","isDecimalFloating","addParser","expression","customType","dataParser","segment","addTagMapper","camelCaseKeys","setHoldBack","manifest","serverControl","targetDuration","partTargetDuration","hb","phb","minTargetDuration","minPartDuration","lineStream","parseStream","mainDefinitions","searchParams","lastProgramDateTime","uris","currentMap","currentUri","hasParts","defaultMediaGroups","currentTimeline","allowCache","discontinuityStarts","dateRanges","iFramePlaylists","segments","lastByterangeEnd","lastPartByterangeEnd","dateRangeTags","parts","preloadHints","timeline","preloadSegment","entry","mediaGroup","rendition","definitions","def","endlist","endList","inf","mediaSequence","discontinuitySequence","METHOD","KEYFORMAT","contentProtection","KEYID","schemeIdUri","keyId","pssh","iv","playlist","playlists","mediaGroups","TYPE","NAME","mediaGroupType","autoselect","AUTOSELECT","LANGUAGE","instreamId","CHARACTERISTICS","characteristics","FORCED","forced","discontinuity","getTime","programDateTime","targetduration","timeOffset","precise","cueOut","cueOutCont","cueIn","skip","warnOnMissingAttributes_","segmentIndex","partIndex","renditionReports","canBlockReload","canSkipDateranges","hint","isPart","otherHint","required","partInf","partTarget","dateRange","endDate","startDate","plannedDuration","endOnNextYes","endOnNext","newDateInSeconds","dateRangeWithSameId","findIndex","dateRangeToFind","independentSegments","iFramesOnly","requiredCompatibilityversion","contentSteering","addDef","QUERYPARAM","VALUE","IMPORT","comment","custom","currentVersion","targetVersion","identifier","missing","chunk","regexs","webm","ogg","muxerVideo","muxerAudio","muxerText","mediaTypes","upperMediaTypes","translateLegacyCodec","codec","orig","profile","avcLevel","parseCodecs","codecString","codecs","codecType","details","mediaType","isAudioCodec","getMimeForCodec","browserSupportsCodec","withMMS","MediaSource","isTypeSupported","ManagedMediaSource","muxerSupportsCodec","MPEGURL_REGEX","DASH_REGEX","simpleTypeFromSourceType","isArrayBufferView","ArrayBuffer","isView","toUint8","bytes","byteOffset","byteLength","BigInt","BYTE_TABLE","Uint16Array","bytesToNumber","_ref$signed","signed","_ref$le","le","total","byte","exponent","numberToBytes","_temp2","_ref2$le","byteCount","countBits","countBytes","byteIndex","stringToBytes","stringIsBytes","unescape","view","bytesMatch","_temp3","_ref3","_ref3$offset","_ref3$mask","mask","bByte","oc","MIME_TYPE","HTML","isHTML","XML_APPLICATION","XML_TEXT","XML_XHTML_APPLICATION","XML_SVG_IMAGE","NAMESPACE$3","SVG","XML","XMLNS","conventions","ac","NAMESPACE","NAMESPACE$2","notEmptyString","orderedSetReducer","toOrderedSet","splitOnASCIIWhitespace","copy","dest","Class","Super","pt","NodeType","ELEMENT_NODE","ATTRIBUTE_NODE","TEXT_NODE","CDATA_SECTION_NODE","ENTITY_REFERENCE_NODE","ENTITY_NODE","PROCESSING_INSTRUCTION_NODE","COMMENT_NODE","DOCUMENT_NODE","DOCUMENT_TYPE_NODE","DOCUMENT_FRAGMENT_NODE","NOTATION_NODE","ExceptionCode","ExceptionMessage","INDEX_SIZE_ERR","DOMSTRING_SIZE_ERR","HIERARCHY_REQUEST_ERR","WRONG_DOCUMENT_ERR","INVALID_CHARACTER_ERR","NO_DATA_ALLOWED_ERR","NO_MODIFICATION_ALLOWED_ERR","NOT_FOUND_ERR","NOT_SUPPORTED_ERR","INUSE_ATTRIBUTE_ERR","DOMException","captureStackTrace","NodeList","LiveNodeList","refresh","_node","_refresh","_updateLiveList","inc","_inc","ls","__set__","$$length","NamedNodeMap","_findNodeIndex","_addNamedNode","newAttr","oldAttr","ownerElement","_onRemoveAttribute","namespaceURI","_nsMap","prefix","_onAddAttribute","_removeNamedNode","lastIndex","DOMImplementation$1","Node","_xmlEncoder","_visitNode","Document","_onUpdateChild","cs","_removeChild","previous","previousSibling","lastChild","isDocTypeNode","isElementNode","isElementInsertionPossible","parentChildNodes","docTypeNode","isElementReplacementPossible","assertPreInsertionValidity1to5","hasValidParentNodeType","hasInsertableNodeType","assertPreInsertionValidityInDocument","nodeChildNodes","nodeChildElements","parentElementChild","assertPreReplacementValidityInDocument","hasDoctypeChildThatIsNotChild","_insertBefore","_inDocumentAssertion","cp","newFirst","newLast","pre","Attr","CharacterData","Text","Comment","CDATASection","DocumentType","Notation","Entity","EntityReference","DocumentFragment","ProcessingInstruction","XMLSerializer","nodeSerializeToString","isHtml","nodeFilter","buf","lookupPrefix","visibleNamespaces","namespace","serializeToString","needNamespaceDefine","ns","addSerializedAttribute","qualifiedName","prefixedNodeName","defaultNS","ai","nsi","pubid","publicId","sysid","systemId","sub","internalSubset","importNode","deep","node2","attrs2","_ownerElement","setAttributeNode","INVALID_STATE_ERR","SYNTAX_ERR","INVALID_MODIFICATION_ERR","NAMESPACE_ERR","INVALID_ACCESS_ERR","getNamedItem","setNamedItem","setNamedItemNS","getNamedItemNS","removeNamedItem","removeNamedItemNS","hasFeature","feature","createDocument","doctype","root","createDocumentType","nodeValue","refChild","oldChild","normalize","appendData","hasAttributes","lookupNamespaceURI","isDefaultNamespace","importedNode","getElementById","rtv","getElementsByClassName","classNames","classNamesSet","base","nodeClassNames","nodeClassNamesSet","createComment","createCDATASection","createAttribute","specified","createEntityReference","pl","createAttributeNS","getAttributeNode","removeAttributeNode","_appendSingleChild","setAttributeNodeNS","removeAttributeNS","getAttributeNodeNS","hasAttributeNS","getAttributeNS","getElementsByTagNameNS","substringData","insertData","replaceData","deleteData","splitText","newText","newNode","getTextContent","DOMImplementation","entities","XML_ENTITIES","amp","apos","gt","lt","quot","HTML_ENTITIES","Aacute","aacute","Abreve","abreve","acd","acE","Acirc","acirc","acute","Acy","acy","AElig","aelig","af","Afr","afr","Agrave","agrave","alefsym","aleph","Alpha","alpha","Amacr","amacr","amalg","AMP","And","and","andand","andd","andslope","andv","ang","ange","angle","angmsd","angmsdaa","angmsdab","angmsdac","angmsdad","angmsdae","angmsdaf","angmsdag","angmsdah","angrt","angrtvb","angrtvbd","angsph","angst","angzarr","Aogon","aogon","Aopf","aopf","ap","apacir","apE","ape","apid","ApplyFunction","approx","approxeq","Aring","aring","Ascr","ascr","Assign","ast","asymp","asympeq","Atilde","atilde","Auml","auml","awconint","awint","backcong","backepsilon","backprime","backsim","backsimeq","Backslash","Barv","barvee","Barwed","barwed","barwedge","bbrk","bbrktbrk","bcong","Bcy","bcy","bdquo","becaus","Because","because","bemptyv","bepsi","bernou","Bernoullis","Beta","beta","beth","between","Bfr","bfr","bigcap","bigcirc","bigcup","bigodot","bigoplus","bigotimes","bigsqcup","bigstar","bigtriangledown","bigtriangleup","biguplus","bigvee","bigwedge","bkarow","blacklozenge","blacksquare","blacktriangle","blacktriangledown","blacktriangleleft","blacktriangleright","blank","blk12","blk14","blk34","block","bne","bnequiv","bNot","bnot","Bopf","bopf","bot","bowtie","boxbox","boxDL","boxDl","boxdL","boxdl","boxDR","boxDr","boxdR","boxdr","boxh","boxHD","boxHd","boxhD","boxhd","boxHU","boxHu","boxhU","boxhu","boxminus","boxplus","boxtimes","boxUL","boxUl","boxuL","boxul","boxUR","boxUr","boxuR","boxur","boxV","boxv","boxVH","boxVh","boxvH","boxvh","boxVL","boxVl","boxvL","boxvl","boxVR","boxVr","boxvR","boxvr","bprime","Breve","breve","brvbar","Bscr","bscr","bsemi","bsim","bsime","bsol","bsolb","bsolhsub","bull","bullet","bump","bumpE","bumpe","Bumpeq","bumpeq","Cacute","cacute","Cap","cap","capand","capbrcup","capcap","capcup","capdot","CapitalDifferentialD","caps","caret","caron","Cayleys","ccaps","Ccaron","ccaron","Ccedil","ccedil","Ccirc","ccirc","Cconint","ccups","ccupssm","Cdot","cdot","cedil","Cedilla","cemptyv","cent","CenterDot","centerdot","Cfr","cfr","CHcy","chcy","check","checkmark","Chi","chi","cir","circ","circeq","circlearrowleft","circlearrowright","circledast","circledcirc","circleddash","CircleDot","circledR","circledS","CircleMinus","CirclePlus","CircleTimes","cirE","cire","cirfnint","cirmid","cirscir","ClockwiseContourIntegral","CloseCurlyDoubleQuote","CloseCurlyQuote","clubs","clubsuit","Colon","colon","Colone","colone","coloneq","comma","commat","compfn","complement","complexes","cong","congdot","Congruent","Conint","conint","ContourIntegral","Copf","copf","coprod","Coproduct","COPY","copysr","CounterClockwiseContourIntegral","crarr","Cross","cross","Cscr","cscr","csub","csube","csup","csupe","ctdot","cudarrl","cudarrr","cuepr","cuesc","cularr","cularrp","Cup","cup","cupbrcap","CupCap","cupcap","cupcup","cupdot","cupor","cups","curarr","curarrm","curlyeqprec","curlyeqsucc","curlyvee","curlywedge","curren","curvearrowleft","curvearrowright","cuvee","cuwed","cwconint","cwint","cylcty","Dagger","dagger","daleth","Darr","dArr","darr","dash","Dashv","dashv","dbkarow","dblac","Dcaron","dcaron","Dcy","dcy","DD","dd","ddagger","ddarr","DDotrahd","ddotseq","deg","Del","Delta","delta","demptyv","dfisht","Dfr","dfr","dHar","dharl","dharr","DiacriticalAcute","DiacriticalDot","DiacriticalDoubleAcute","DiacriticalGrave","DiacriticalTilde","diam","Diamond","diamond","diamondsuit","diams","die","DifferentialD","digamma","disin","divide","divideontimes","divonx","DJcy","djcy","dlcorn","dlcrop","dollar","Dopf","dopf","Dot","dot","DotDot","doteq","doteqdot","DotEqual","dotminus","dotplus","dotsquare","doublebarwedge","DoubleContourIntegral","DoubleDot","DoubleDownArrow","DoubleLeftArrow","DoubleLeftRightArrow","DoubleLeftTee","DoubleLongLeftArrow","DoubleLongLeftRightArrow","DoubleLongRightArrow","DoubleRightArrow","DoubleRightTee","DoubleUpArrow","DoubleUpDownArrow","DoubleVerticalBar","DownArrow","Downarrow","downarrow","DownArrowBar","DownArrowUpArrow","DownBreve","downdownarrows","downharpoonleft","downharpoonright","DownLeftRightVector","DownLeftTeeVector","DownLeftVector","DownLeftVectorBar","DownRightTeeVector","DownRightVector","DownRightVectorBar","DownTee","DownTeeArrow","drbkarow","drcorn","drcrop","Dscr","dscr","DScy","dscy","dsol","Dstrok","dstrok","dtdot","dtri","dtrif","duarr","duhar","dwangle","DZcy","dzcy","dzigrarr","Eacute","eacute","easter","Ecaron","ecaron","ecir","Ecirc","ecirc","ecolon","Ecy","ecy","eDDot","Edot","eDot","edot","ee","efDot","Efr","efr","eg","Egrave","egrave","egs","egsdot","elinters","ell","elsdot","Emacr","emacr","emptyset","EmptySmallSquare","emptyv","EmptyVerySmallSquare","emsp","emsp13","emsp14","ENG","eng","ensp","Eogon","eogon","Eopf","eopf","epar","eparsl","eplus","epsi","Epsilon","epsilon","epsiv","eqcirc","eqcolon","eqsim","eqslantgtr","eqslantless","Equal","equals","EqualTilde","equest","Equilibrium","equiv","equivDD","eqvparsl","erarr","erDot","Escr","escr","esdot","Esim","esim","Eta","eta","ETH","eth","Euml","euml","euro","excl","exist","Exists","expectation","ExponentialE","exponentiale","fallingdotseq","Fcy","fcy","female","ffilig","fflig","ffllig","Ffr","ffr","filig","FilledSmallSquare","FilledVerySmallSquare","fjlig","flat","fllig","fltns","fnof","Fopf","fopf","ForAll","forall","fork","forkv","Fouriertrf","fpartint","frac12","frac13","frac14","frac15","frac16","frac18","frac23","frac25","frac34","frac35","frac38","frac45","frac56","frac58","frac78","frasl","frown","Fscr","fscr","gacute","Gamma","gamma","Gammad","gammad","gap","Gbreve","gbreve","Gcedil","Gcirc","gcirc","Gcy","gcy","Gdot","gdot","gE","ge","gEl","gel","geq","geqq","geqslant","ges","gescc","gesdot","gesdoto","gesdotol","gesl","gesles","Gfr","gfr","Gg","gg","ggg","gimel","GJcy","gjcy","gl","gla","glE","glj","gnap","gnapprox","gnE","gne","gneq","gneqq","gnsim","Gopf","gopf","grave","GreaterEqual","GreaterEqualLess","GreaterFullEqual","GreaterGreater","GreaterLess","GreaterSlantEqual","GreaterTilde","Gscr","gscr","gsim","gsime","gsiml","Gt","GT","gtcc","gtcir","gtdot","gtlPar","gtquest","gtrapprox","gtrarr","gtrdot","gtreqless","gtreqqless","gtrless","gtrsim","gvertneqq","gvnE","Hacek","hairsp","half","hamilt","HARDcy","hardcy","hArr","harr","harrcir","harrw","Hat","hbar","Hcirc","hcirc","hearts","heartsuit","hellip","hercon","Hfr","hfr","HilbertSpace","hksearow","hkswarow","hoarr","homtht","hookleftarrow","hookrightarrow","Hopf","hopf","horbar","HorizontalLine","Hscr","hscr","hslash","Hstrok","hstrok","HumpDownHump","HumpEqual","hybull","hyphen","Iacute","iacute","ic","Icirc","icirc","Icy","icy","Idot","IEcy","iecy","iexcl","iff","Ifr","ifr","Igrave","igrave","ii","iiiint","iiint","iinfin","iiota","IJlig","ijlig","Im","Imacr","imacr","image","ImaginaryI","imagline","imagpart","imath","imof","imped","Implies","in","incare","infin","infintie","inodot","Int","int","intcal","integers","Integral","intercal","Intersection","intlarhk","intprod","InvisibleComma","InvisibleTimes","IOcy","iocy","Iogon","iogon","Iopf","iopf","Iota","iota","iprod","iquest","Iscr","iscr","isin","isindot","isinE","isins","isinsv","isinv","Itilde","itilde","Iukcy","iukcy","Iuml","iuml","Jcirc","jcirc","Jcy","jcy","Jfr","jfr","jmath","Jopf","jopf","Jscr","jscr","Jsercy","jsercy","Jukcy","jukcy","Kappa","kappa","kappav","Kcedil","kcedil","Kcy","kcy","Kfr","kfr","kgreen","KHcy","khcy","KJcy","kjcy","Kopf","kopf","Kscr","kscr","lAarr","Lacute","lacute","laemptyv","lagran","Lambda","lambda","Lang","langd","langle","lap","Laplacetrf","laquo","Larr","lArr","larr","larrb","larrbfs","larrfs","larrhk","larrlp","larrpl","larrsim","larrtl","lat","lAtail","latail","late","lates","lBarr","lbarr","lbbrk","lbrace","lbrack","lbrke","lbrksld","lbrkslu","Lcaron","lcaron","Lcedil","lcedil","lceil","lcub","Lcy","lcy","ldca","ldquo","ldquor","ldrdhar","ldrushar","ldsh","lE","LeftAngleBracket","LeftArrow","Leftarrow","leftarrow","LeftArrowBar","LeftArrowRightArrow","leftarrowtail","LeftCeiling","LeftDoubleBracket","LeftDownTeeVector","LeftDownVector","LeftDownVectorBar","LeftFloor","leftharpoondown","leftharpoonup","leftleftarrows","LeftRightArrow","Leftrightarrow","leftrightarrow","leftrightarrows","leftrightharpoons","leftrightsquigarrow","LeftRightVector","LeftTee","LeftTeeArrow","LeftTeeVector","leftthreetimes","LeftTriangle","LeftTriangleBar","LeftTriangleEqual","LeftUpDownVector","LeftUpTeeVector","LeftUpVector","LeftUpVectorBar","LeftVector","LeftVectorBar","lEg","leg","leq","leqq","leqslant","les","lescc","lesdot","lesdoto","lesdotor","lesg","lesges","lessapprox","lessdot","lesseqgtr","lesseqqgtr","LessEqualGreater","LessFullEqual","LessGreater","lessgtr","LessLess","lesssim","LessSlantEqual","LessTilde","lfisht","lfloor","Lfr","lfr","lg","lgE","lHar","lhard","lharu","lharul","lhblk","LJcy","ljcy","Ll","ll","llarr","llcorner","Lleftarrow","llhard","lltri","Lmidot","lmidot","lmoust","lmoustache","lnap","lnapprox","lnE","lne","lneq","lneqq","lnsim","loang","loarr","lobrk","LongLeftArrow","Longleftarrow","longleftarrow","LongLeftRightArrow","Longleftrightarrow","longleftrightarrow","longmapsto","LongRightArrow","Longrightarrow","longrightarrow","looparrowleft","looparrowright","lopar","Lopf","lopf","loplus","lotimes","lowast","lowbar","LowerLeftArrow","LowerRightArrow","loz","lozenge","lozf","lpar","lparlt","lrarr","lrcorner","lrhar","lrhard","lrm","lrtri","lsaquo","Lscr","lscr","Lsh","lsh","lsim","lsime","lsimg","lsqb","lsquo","lsquor","Lstrok","lstrok","Lt","LT","ltcc","ltcir","ltdot","lthree","ltimes","ltlarr","ltquest","ltri","ltrie","ltrif","ltrPar","lurdshar","luruhar","lvertneqq","lvnE","macr","male","malt","maltese","mapsto","mapstodown","mapstoleft","mapstoup","marker","mcomma","Mcy","mcy","mdash","mDDot","measuredangle","MediumSpace","Mellintrf","Mfr","mfr","mho","micro","mid","midast","midcir","middot","minus","minusb","minusd","minusdu","MinusPlus","mlcp","mldr","mnplus","models","Mopf","mopf","mp","Mscr","mscr","mstpos","Mu","mu","multimap","mumap","nabla","Nacute","nacute","nang","nap","napE","napid","napos","napprox","natur","natural","naturals","nbsp","nbump","nbumpe","ncap","Ncaron","ncaron","Ncedil","ncedil","ncong","ncongdot","ncup","Ncy","ncy","ndash","ne","nearhk","neArr","nearr","nearrow","nedot","NegativeMediumSpace","NegativeThickSpace","NegativeThinSpace","NegativeVeryThinSpace","nequiv","nesear","nesim","NestedGreaterGreater","NestedLessLess","NewLine","nexist","nexists","Nfr","nfr","ngE","nge","ngeq","ngeqq","ngeqslant","nges","nGg","ngsim","nGt","ngt","ngtr","nGtv","nhArr","nharr","nhpar","ni","nis","nisd","niv","NJcy","njcy","nlArr","nlarr","nldr","nlE","nle","nLeftarrow","nleftarrow","nLeftrightarrow","nleftrightarrow","nleq","nleqq","nleqslant","nles","nless","nLl","nlsim","nLt","nlt","nltri","nltrie","nLtv","nmid","NoBreak","NonBreakingSpace","Nopf","nopf","Not","not","NotCongruent","NotCupCap","NotDoubleVerticalBar","NotElement","NotEqual","NotEqualTilde","NotExists","NotGreater","NotGreaterEqual","NotGreaterFullEqual","NotGreaterGreater","NotGreaterLess","NotGreaterSlantEqual","NotGreaterTilde","NotHumpDownHump","NotHumpEqual","notin","notindot","notinE","notinva","notinvb","notinvc","NotLeftTriangle","NotLeftTriangleBar","NotLeftTriangleEqual","NotLess","NotLessEqual","NotLessGreater","NotLessLess","NotLessSlantEqual","NotLessTilde","NotNestedGreaterGreater","NotNestedLessLess","notni","notniva","notnivb","notnivc","NotPrecedes","NotPrecedesEqual","NotPrecedesSlantEqual","NotReverseElement","NotRightTriangle","NotRightTriangleBar","NotRightTriangleEqual","NotSquareSubset","NotSquareSubsetEqual","NotSquareSuperset","NotSquareSupersetEqual","NotSubset","NotSubsetEqual","NotSucceeds","NotSucceedsEqual","NotSucceedsSlantEqual","NotSucceedsTilde","NotSuperset","NotSupersetEqual","NotTilde","NotTildeEqual","NotTildeFullEqual","NotTildeTilde","NotVerticalBar","npar","nparallel","nparsl","npart","npolint","npr","nprcue","npre","nprec","npreceq","nrArr","nrarr","nrarrc","nrarrw","nRightarrow","nrightarrow","nrtri","nrtrie","nsc","nsccue","nsce","Nscr","nscr","nshortmid","nshortparallel","nsim","nsime","nsimeq","nsmid","nspar","nsqsube","nsqsupe","nsub","nsubE","nsube","nsubset","nsubseteq","nsubseteqq","nsucc","nsucceq","nsup","nsupE","nsupe","nsupset","nsupseteq","nsupseteqq","ntgl","Ntilde","ntilde","ntlg","ntriangleleft","ntrianglelefteq","ntriangleright","ntrianglerighteq","Nu","nu","numero","numsp","nvap","nVDash","nVdash","nvDash","nvdash","nvge","nvgt","nvHarr","nvinfin","nvlArr","nvle","nvlt","nvltrie","nvrArr","nvrtrie","nvsim","nwarhk","nwArr","nwarr","nwarrow","nwnear","Oacute","oacute","oast","ocir","Ocirc","ocirc","Ocy","ocy","odash","Odblac","odblac","odiv","odot","odsold","OElig","oelig","ofcir","Ofr","ofr","ogon","Ograve","ograve","ogt","ohbar","ohm","oint","olarr","olcir","olcross","oline","olt","Omacr","omacr","Omega","omega","Omicron","omicron","omid","ominus","Oopf","oopf","opar","OpenCurlyDoubleQuote","OpenCurlyQuote","operp","oplus","Or","or","orarr","ord","order","orderof","ordf","ordm","origof","oror","orslope","orv","oS","Oscr","oscr","Oslash","oslash","osol","Otilde","otilde","Otimes","otimes","otimesas","Ouml","ouml","ovbar","OverBar","OverBrace","OverBracket","OverParenthesis","par","para","parallel","parsim","parsl","PartialD","Pcy","pcy","percnt","period","permil","perp","pertenk","Pfr","pfr","Phi","phi","phiv","phmmat","phone","Pi","pi","pitchfork","piv","planck","planckh","plankv","plus","plusacir","plusb","pluscir","plusdo","plusdu","pluse","PlusMinus","plusmn","plussim","plustwo","pm","Poincareplane","pointint","Popf","popf","pound","Pr","pr","prap","prcue","prE","prec","precapprox","preccurlyeq","Precedes","PrecedesEqual","PrecedesSlantEqual","PrecedesTilde","preceq","precnapprox","precneqq","precnsim","precsim","Prime","prime","primes","prnap","prnE","prnsim","prod","Product","profalar","profline","profsurf","Proportion","Proportional","propto","prsim","prurel","Pscr","pscr","Psi","psi","puncsp","Qfr","qfr","qint","Qopf","qopf","qprime","Qscr","qscr","quaternions","quatint","quest","questeq","QUOT","rAarr","race","Racute","racute","radic","raemptyv","Rang","rang","rangd","range","rangle","raquo","Rarr","rArr","rarr","rarrap","rarrb","rarrbfs","rarrc","rarrfs","rarrhk","rarrlp","rarrpl","rarrsim","Rarrtl","rarrtl","rarrw","rAtail","ratail","rationals","RBarr","rBarr","rbarr","rbbrk","rbrace","rbrack","rbrke","rbrksld","rbrkslu","Rcaron","rcaron","Rcedil","rcedil","rceil","rcub","Rcy","rcy","rdca","rdldhar","rdquo","rdquor","rdsh","Re","real","realine","realpart","reals","REG","reg","ReverseElement","ReverseEquilibrium","ReverseUpEquilibrium","rfisht","rfloor","Rfr","rfr","rHar","rhard","rharu","rharul","Rho","rho","rhov","RightAngleBracket","RightArrow","Rightarrow","rightarrow","RightArrowBar","RightArrowLeftArrow","rightarrowtail","RightCeiling","RightDoubleBracket","RightDownTeeVector","RightDownVector","RightDownVectorBar","RightFloor","rightharpoondown","rightharpoonup","rightleftarrows","rightleftharpoons","rightrightarrows","rightsquigarrow","RightTee","RightTeeArrow","RightTeeVector","rightthreetimes","RightTriangle","RightTriangleBar","RightTriangleEqual","RightUpDownVector","RightUpTeeVector","RightUpVector","RightUpVectorBar","RightVector","RightVectorBar","ring","risingdotseq","rlarr","rlhar","rlm","rmoust","rmoustache","rnmid","roang","roarr","robrk","ropar","Ropf","ropf","roplus","rotimes","RoundImplies","rpar","rpargt","rppolint","rrarr","Rrightarrow","rsaquo","Rscr","rscr","Rsh","rsh","rsqb","rsquo","rsquor","rthree","rtimes","rtri","rtrie","rtrif","rtriltri","RuleDelayed","ruluhar","rx","Sacute","sacute","sbquo","Sc","sc","scap","Scaron","scaron","sccue","scE","sce","Scedil","scedil","Scirc","scirc","scnap","scnE","scnsim","scpolint","scsim","Scy","scy","sdot","sdotb","sdote","searhk","seArr","searr","searrow","sect","semi","seswar","setminus","setmn","sext","Sfr","sfr","sfrown","sharp","SHCHcy","shchcy","SHcy","shcy","ShortDownArrow","ShortLeftArrow","shortmid","shortparallel","ShortRightArrow","ShortUpArrow","shy","Sigma","sigma","sigmaf","sigmav","sim","simdot","sime","simeq","simg","simgE","siml","simlE","simne","simplus","simrarr","slarr","SmallCircle","smallsetminus","smashp","smeparsl","smid","smile","smt","smte","smtes","SOFTcy","softcy","sol","solb","solbar","Sopf","sopf","spades","spadesuit","spar","sqcap","sqcaps","sqcup","sqcups","Sqrt","sqsub","sqsube","sqsubset","sqsubseteq","sqsup","sqsupe","sqsupset","sqsupseteq","squ","Square","square","SquareIntersection","SquareSubset","SquareSubsetEqual","SquareSuperset","SquareSupersetEqual","SquareUnion","squarf","squf","srarr","Sscr","sscr","ssetmn","ssmile","sstarf","Star","star","starf","straightepsilon","straightphi","strns","Sub","subdot","subE","sube","subedot","submult","subnE","subne","subplus","subrarr","Subset","subset","subseteq","subseteqq","SubsetEqual","subsetneq","subsetneqq","subsim","subsub","subsup","succ","succapprox","succcurlyeq","Succeeds","SucceedsEqual","SucceedsSlantEqual","SucceedsTilde","succeq","succnapprox","succneqq","succnsim","succsim","SuchThat","Sum","sum","sung","Sup","sup","sup1","sup2","sup3","supdot","supdsub","supE","supe","supedot","Superset","SupersetEqual","suphsol","suphsub","suplarr","supmult","supnE","supne","supplus","Supset","supset","supseteq","supseteqq","supsetneq","supsetneqq","supsim","supsub","supsup","swarhk","swArr","swarr","swarrow","swnwar","szlig","Tab","Tau","tau","tbrk","Tcaron","tcaron","Tcedil","tcedil","Tcy","tcy","tdot","telrec","Tfr","tfr","there4","Therefore","therefore","Theta","theta","thetasym","thetav","thickapprox","thicksim","ThickSpace","thinsp","ThinSpace","thkap","thksim","THORN","thorn","Tilde","tilde","TildeEqual","TildeFullEqual","TildeTilde","times","timesb","timesbar","timesd","tint","toea","topbot","topcir","Topf","topf","topfork","tosa","tprime","TRADE","trade","triangle","triangledown","triangleleft","trianglelefteq","triangleq","triangleright","trianglerighteq","tridot","trie","triminus","TripleDot","triplus","trisb","tritime","trpezium","Tscr","tscr","TScy","tscy","TSHcy","tshcy","Tstrok","tstrok","twixt","twoheadleftarrow","twoheadrightarrow","Uacute","uacute","Uarr","uArr","uarr","Uarrocir","Ubrcy","ubrcy","Ubreve","ubreve","Ucirc","ucirc","Ucy","ucy","udarr","Udblac","udblac","udhar","ufisht","Ufr","ufr","Ugrave","ugrave","uHar","uharl","uharr","uhblk","ulcorn","ulcorner","ulcrop","ultri","Umacr","umacr","uml","UnderBar","UnderBrace","UnderBracket","UnderParenthesis","Union","UnionPlus","Uogon","uogon","Uopf","uopf","UpArrow","Uparrow","uparrow","UpArrowBar","UpArrowDownArrow","UpDownArrow","Updownarrow","updownarrow","UpEquilibrium","upharpoonleft","upharpoonright","uplus","UpperLeftArrow","UpperRightArrow","Upsi","upsi","upsih","Upsilon","upsilon","UpTee","UpTeeArrow","upuparrows","urcorn","urcorner","urcrop","Uring","uring","urtri","Uscr","uscr","utdot","Utilde","utilde","utri","utrif","uuarr","Uuml","uuml","uwangle","vangrt","varepsilon","varkappa","varnothing","varphi","varpi","varpropto","vArr","varr","varrho","varsigma","varsubsetneq","varsubsetneqq","varsupsetneq","varsupsetneqq","vartheta","vartriangleleft","vartriangleright","Vbar","vBar","vBarv","Vcy","vcy","VDash","Vdash","vDash","vdash","Vdashl","Vee","vee","veebar","veeeq","vellip","Verbar","verbar","Vert","vert","VerticalBar","VerticalLine","VerticalSeparator","VerticalTilde","VeryThinSpace","Vfr","vfr","vltri","vnsub","vnsup","Vopf","vopf","vprop","vrtri","Vscr","vscr","vsubnE","vsubne","vsupnE","vsupne","Vvdash","vzigzag","Wcirc","wcirc","wedbar","Wedge","wedge","wedgeq","weierp","Wfr","wfr","Wopf","wopf","wp","wr","wreath","Wscr","wscr","xcap","xcirc","xcup","xdtri","Xfr","xfr","xhArr","xharr","Xi","xi","xlArr","xlarr","xmap","xnis","xodot","Xopf","xopf","xoplus","xotime","xrArr","xrarr","Xscr","xscr","xsqcup","xuplus","xutri","xvee","xwedge","Yacute","yacute","YAcy","yacy","Ycirc","ycirc","Ycy","ycy","yen","Yfr","yfr","YIcy","yicy","Yopf","yopf","Yscr","yscr","YUcy","yucy","Yuml","yuml","Zacute","zacute","Zcaron","zcaron","Zcy","zcy","Zdot","zdot","zeetrf","ZeroWidthSpace","Zeta","zeta","Zfr","zfr","ZHcy","zhcy","zigrarr","Zopf","zopf","Zscr","zscr","zwj","zwnj","entityMap","NAMESPACE$1","nameStartChar","nameChar","tagNamePattern","ParseError$1","locator","XMLReader$1","copyLocator","lineNumber","columnNumber","parseElementStartPart","currentNSMap","entityReplacer","addAttribute","qname","startIndex","attributeNames","fatalError","addValue","warning","setTagName","closed","appendElement$1","domBuilder","localNSMap","qName","nsp","nsPrefix","_copy","startPrefixMapping","startElement","endElement","endPrefixMapping","parseHtmlSpecialContent","elStartEnd","elEndStart","characters","fixSelfClosed","closeMap","lastIndexOf","parseDCC","startCDATA","endCDATA","matchs","lastMatch","startDTD","endDTD","parseInstruction","processingInstruction","ElementAttributes","defaultNSMap","startDocument","defaultNSMapCopy","fixedFromCharCode","surrogate1","surrogate2","appendText","xt","lineEnd","linePattern","lineStart","parseStack","tagStart","currentElement","endMatch","locator2","parse$1","endDocument","getLocalName","getLocator","getQName","getURI","sax","XMLReader","ParseError","normalizeLineEndings","DOMParser$1","DOMHandler","cdata","_locator","_toString","chars","java","appendElement","hander","xmlns","setDocumentLocator","errorImpl","isCallback","Function","build","msg","buildErrorHandler","xml","documentURI","ins","ignorableWhitespace","ch","charNode","skippedEntity","comm","impl","dt","__DOMHandler","merge$1","objects","flatten","lists","urlTypeToSegment","_ref10","indexRange","resolvedUri","startRange","endRange","MAX_SAFE_INTEGER","parseEndNumber","endNumber","segmentRange","static","timescale","sourceDuration","periodDuration","segmentDuration","dynamic","NOW","clientOffset","availabilityStartTime","periodStart","minimumUpdatePeriod","timeShiftBufferDepth","periodStartWC","segmentCount","availableStart","availableEnd","parseByDuration","startNumber","toSegments","sectionDuration","segmentsFromBase","initialization","presentationTime","initSegment","sourceURL","segmentTimeInfo","addSidxSegmentsToPlaylist$1","sidx","sidxByteRange","sidxEnd","mediaReferences","references","referenceType","firstOffset","referencedSize","subsegmentDuration","endIndex","SUPPORTED_MEDIA_TYPES","getUniqueTimelineStarts","timelineStarts","keyFunction","_ref11","getMediaGroupPlaylists","mediaGroupPlaylists","master","group","groupKey","labelKey","mediaProperties","updateMediaSequenceForPlaylist","_ref12","positionManifestOnTimeline","_ref15","oldManifest","newManifest","oldPlaylists","newPlaylists","_ref13","oldPlaylist","findPlaylistWithName","firstNewSegment","oldMatchingSegmentIndex","oldSegment","updateSequenceNumbers","generateSidxKey","byteRangeToString","mergeDiscontiguousPlaylists","playlistsByBaseUrl","cur","allPlaylists","playlistGroup","mergedPlaylists","addSidxSegmentsToPlaylist","sidxMapping","sidxKey","sidxMatch","addSidxSegmentsToPlaylists","formatAudioPlaylist","isAudioOnly","CODECS","serviceLocation","AUDIO","SUBTITLES","formatVttPlaylist","_ref17","m3u8Attributes","vttPlaylist","formatVideoPlaylist","_ref18","videoOnly","_ref19","audioOnly","_ref20","vttOnly","_ref21","flattenMediaGroupPlaylists","mediaGroupObject","labelContents","toM3u8","_ref23","dashPlaylists","locations","previousManifest","eventStream","suggestedPresentationDelay","videoPlaylists","audioPlaylists","vttPlaylists","captionServices","VIDEO","organizedAudioGroup","mainPlaylist","formattedPlaylists","roleLabel","formatted","organizeAudioPlaylists","organizedVttGroup","organizeVttPlaylists","playlistTimelineStarts","_ref24","subs","cc","svcObj","svc","service","channel","easyReader","getLiveRValue","parseByTimeline","segmentTimeline","sIndex","S","d","repeat","segmentTime","nextS","identifierPattern","constructTemplateUrl","format","identifierReplacement","segmentsFromTemplate","templateValues","RepresentationID","Bandwidth","mapSegment","parseTemplateInfo","presentationTimeOffset","segmentsFromList","segmentUrls","segmentUrlMap","segmentUrlObject","segmentUrl","mediaRange","SegmentURLToSegmentObject","generateSegments","_ref25","segmentAttributes","segmentsFn","segmentInfo","template","segmentsInfo","toPlaylists","representations","findChildren","_ref26","getContent","parseDuration","year","month","day","hour","minute","second","parsers","mediaPresentationDuration","parseDivisionValue","parsedValue","parseAttributes","parseFn","keySystemsMap","buildBaseUrls","baseUrlElements","baseUrlElement","initialBaseUrl","resolvedBaseUrl","finalBaseUrl","getSegmentInformation","adaptationSet","segmentTemplate","segmentList","segmentBase","segmentTimelineParentNode","segmentInitializationParentNode","segmentInitialization","toEventStream","eventStreamAttributes","eventAttributes","messageData","contentEncoding","toRepresentations","periodAttributes","periodBaseUrls","periodSegmentInfo","adaptationSetAttributes","adaptationSetBaseUrls","roleAttributes","accessibility","flags","opt","parseCaptionServiceMetadata","labelVal","keySystem","psshNode","adaptationSetSegmentInfo","repBaseUrlElements","repBaseUrls","representationSegmentInfo","inheritBaseUrls","toAdaptationSets","mpdAttributes","mpdBaseUrls","adaptationSets","generateContentSteeringInformation","contentSteeringNodes","eventHandler","infoFromContentSteeringTag","serverURL","queryBeforeStart","getPeriodStart","_ref27","priorPeriodAttributes","mpdType","inheritAttributes","manifestUri","periodNodes","periods","priorPeriod","contentSteeringInfo","representationInfo","stringToMpdXml","manifestString","parseUTCTiming","UTCTimingNode","parseUTCTimingScheme","MAX_UINT32","pow","getUint64","uint8","dv","DataView","getBigUint64","getUint32","parseSidx_1","subarray","referenceId","earliestPresentationTime","referenceCount","getUint16","startsWithSap","sapType","sapDeltaTime","ID3","getId3Offset","returnSize","getId3Size","normalizePath$1","findBox","paths","complete","normalizePaths$1","results","EBML_TAGS","EBML","DocType","Segment","SegmentInfo","Tracks","TrackNumber","DefaultDuration","TrackEntry","TrackType","FlagDefault","CodecID","CodecPrivate","Cluster","Timestamp","TimestampScale","BlockGroup","BlockDuration","Block","SimpleBlock","LENGTH_TABLE","getvint","removeLength","getLength","valueBytes","normalizePath","getInfinityDataSize","innerid","dataHeader","findEbml","normalizePaths","dataStart","dataEnd","NAL_TYPE_ONE","NAL_TYPE_TWO","EMULATION_PREVENTION","discardEmulationPreventionBytes","positions","newLength","newData","sourceIndex","findNal","dataType","nalLimit","nalStart","nalsFound","nalOffset","nalType","CONSTANTS","_isLikely","docType","matroska","fmp4","moof","moov","ac3","avi","riff","findH264Nal","findH265Nal","isLikelyTypes","isLikelyFn","secondsToVideoTs","secondsToAudioTs","videoTsToSeconds","audioTsToSeconds","isLikely","detectContainerForBytes","sampleRate","timestamp","clock_1","resolveUrl","resolveManifestRedirect","req","logger","filterRanges","timeRanges","findRange","TIME_FUDGE_FACTOR","findNextRange","printableRange","strArr","timeRangesToArray","timeRangesList","lastBufferedEnd","timeAheadOf","segmentDurationWithParts","getPartsAndSegments","si","getLastParts","lastSegment","getKnownPartCount","_ref28","partCount","liveEdgeDelay","partHoldBack","holdBack","intervalDuration","endSequence","expired","backwardDuration","forwardDuration","totalDuration","sumDurations","defaultDuration","durationList","durations","playlistEnd","useSafeLiveEnd","liveEdgePadding","lastSegmentEndTime","isExcluded","excludeUntil","isIncompatible","isEnabled","excluded","isLowestEnabledRendition","currentBandwidth","MAX_VALUE","playlistMatch","someAudioVariant","groupName","variant","Playlist","getMediaInfoForTime","startingSegmentIndex","startingPartIndex","exactManifestTimings","partsAndSegments","partAndSegment","isExtremelyCloseToTheEnd","isDisabled","isAes","estimateSegmentRequestTime","bytesReceived","createPlaylistID","groupID","forEachMediaGroup","setupMediaPlaylist","_ref32","playlistErrors_","setupMediaPlaylists","resolveMediaGroupUris","addPropertiesToMain","createGroupID","phonyUri","audioOnlyMain","groupId","DateRangesStorage","offset_","pendingDateRanges_","processedDateRanges_","setOffset","firstSegment","setPendingDateRanges","trimProcessedDateRanges_","pendingDateRange","processDateRange","getDateRangesToProcess","dateRangeClasses","dateRangesToProcess","classListIndex","getStreamingNetworkErrorMetadata","_ref33","parseFailure","isBadStatus","isFailure","errorMetadata","isBadStatusOrParseFailure","errorType","timedout","erroType","EventTarget$1","updateSegment","skipped","updateSegments","oldSegments","newSegments","newIndex","newSegment","resolveSegmentUris","baseUri","getAllSegments","isPlaylistUnchanged","updateMain$1","newMedia","unchangedCheck","oldMedia","mergedPlaylist","skippedSegments","refreshDelay","lastPart","lastDuration","playlistMetadataPayload","renditions","PlaylistLoader","logger_","vhs_","addDateRangesToTextTrack_","addDateRangesToTextTrack","vhsOptions","customTagParsers","customTagMappers","llhls","dateRangesStorage_","handleMediaupdatetimeout_","handleLoadedPlaylist_","mediaPlaylist","availableDateRanges","parameters","nextMSN","nextPart","_HLS_part","_HLS_msn","canSkipUntil","_HLS_skip","parsedUri","addLLHLSQueryDirectives","playlistRequestError","haveMetadata","playlistString","startingState","parseManifest_","_ref31","onwarn","oninfo","customParser","parseManifest","_ref35","_ref36","playlistObject","playlistInfo","lastRequest","pendingMedia_","media_","updateMediaUpdateTimeout_","parsedPlaylist","stopRequest","mediaUpdateTimeout","finalRenditionTimeout","oldRequest","shouldDelay","delay","mediaChange","mainPlaylistRef","started","setupInitialPlaylist","srcUri","mainForMedia","updateOrDeleteClone","isUpdate","pathway","ID","oldPlaylistUri","oldPlaylistId","newPlaylistUri","createCloneURI_","newPlaylistId","createCloneAttributes_","updatedPlaylist","createClonePlaylist_","updateOrDeleteCloneMedia","oldMediaPlaylist","createClonedMediaGroups_","addClonePathway","basePlaylist","playlistId","baseID","newUri","newPlaylistID","newMediaPlaylist","newProps","hostname","HOST","PARAMS","oldAttributes","getKeyIdSet","keyIds","keysystem","callbackWrapper","reqResponse","responseTime","roundTripTime","requestTime","responseHeaders","xhrFactory","XhrFunction","beforeRequest","Vhs","_requestCallbackSet","_responseCallbackSet","xhrMethod","beforeRequestOptions","requestSet","newOptions","requestCallback","callAllRequestHooks","responseSet","responseCallback","callAllResponseHooks","originalAbort","segmentXhrHeaders","Range","byterangeEnd","byterangeStart","byterangeStr","textRange","formatHexString","formatAsciiString","createTransferableMessage","transferable","initSegmentId","segmentKeyId","hexDump","ascii","utils","tagDump","_ref38","textRanges","getProgramTime","_ref39","matchedSegment","segmentEnd","videoTimingInfo","transmuxedPresentationEnd","estimatedStart","transmuxedPresentationStart","findSegmentForPlayerTime","seekTime","programTimeObject","mediaSeconds","programTime","playerTime","transmuxerPrependedSeconds","offsetFromSegmentStart","playerTimeToProgramTime","toISOString","seekToProgramTime","_ref40","retryCount","seekTo","pauseAfterSeek","verifyProgramDateTimeTags","lastSegmentStart","lastSegmentDuration","findSegmentForProgramTime","mediaOffset","comparisonTimeStamp","segmentDateTime","segmentTimeEpoch","getOffsetFromTimestamp","seekToTime","callbackOnCompleted","containerRequest","id3Offset","finished","endRequestAndCallback","_bytes","progressListener","newPart","_len","buffers","_key","totalLen","tempBuffer","concatTypedArrays","overrideMimeType","loaded","dashPlaylistUnchanged","aSegment","bSegment","aByterange","bByterange","dashGroupId","parseMainXml","_ref42","mainXml","parsedManifestInfo","updateMain","oldMain","newMain","noChanges","playlistUpdate","removeOldMediaGroupLabels","equivalentSidx","compareSidxEntry","oldSidxMapping","newSidxMapping","currentSidxInfo","savedSidxInfo","sidxInfo","DashPlaylistLoader","srcUrlOrPlaylist","mainPlaylistLoader","mainPlaylistLoader_","isMain_","addMetadataToTextTrack","refreshXml_","refreshMedia_","loadedPlaylists_","sidxMapping_","childPlaylist_","isPaused","requestErrored_","addSidxSegments_","mediaRequest_","fin","sidxContainer","internal","playlistExclusionDuration","minimumUpdatePeriodTimeout_","createMupOnMedia_","hasPendingRequest","sidxChanged","isFinalRendition","updateMinimumUpdatePeriodTimeout_","haveMain_","requestMain_","mainChanged","manifestInfo","mainXml_","date","mainLoaded_","handleMain_","syncClientServerClock_","utcTiming","clientOffset_","serverTime","addEventStreamToMetadataTrack_","parsedManifest","mpl","mup","createMUPTimeout_","mediaGroupSidx","filterChangedSidxMappings","mediaID","mediaChanged","createMediaUpdateTimeout","metadataArray","eventStreamNode","cueTime","frames","defaultKID","Config","GOAL_BUFFER_LENGTH","MAX_GOAL_BUFFER_LENGTH","BACK_BUFFER_LENGTH","GOAL_BUFFER_LENGTH_RATE","INITIAL_BANDWIDTH","BANDWIDTH_VARIANCE","BUFFER_LOW_WATER_LINE","MAX_BUFFER_LOW_WATER_LINE","EXPERIMENTAL_MAX_BUFFER_LOW_WATER_LINE","BUFFER_LOW_WATER_LINE_RATE","BUFFER_HIGH_WATER_LINE","browserWorkerPolyFill","workerObj","objectUrl","createObjectURL","Blob","blob","BlobBuilder","getBlob","worker","Worker","objURL","terminate","revokeObjectURL","getWorkerString","workerCode$1","Stream$8","init","flushSource","partialFlush","endTimeline","dinf","esds","ftyp","mfhd","minf","mvex","mvhd","trak","tkhd","mdia","mdhd","hdlr","sdtp","stbl","stsd","traf","trex","trun$1","MAJOR_BRAND","MINOR_VERSION","AVC1_BRAND","VIDEO_HDLR","AUDIO_HDLR","HDLR_TYPES","VMHD","SMHD","DREF","STCO","STSC","STSZ","STTS","videoSample","audioSample","audioTrun","videoTrun","trunHeader","MAX_UINT32$1","numbers","avc1","avcC","btrt","dref","mdat","mp4a","pasp","smhd","stco","stsc","stsz","stts","styp","tfdt","tfhd","trun","vmhd","setUint32","audioobjecttype","samplingfrequencyindex","channelcount","samplerate","sequenceNumber","trackFragments","samples","dependsOn","isDependedOn","hasRedundancy","avc1Box","sps","pps","sequenceParameterSets","pictureParameterSets","profileIdc","profileCompatibility","levelIdc","sarRatio","hSpacing","vSpacing","samplesize","trackFragmentHeader","trackFragmentDecodeTime","trackFragmentRun","sampleDependencyTable","upperWordBaseMediaDecodeTime","lowerWordBaseMediaDecodeTime","baseMediaDecodeTime","durationPresent","sizePresent","flagsPresent","compositionTimeOffset","bytesOffest","header","sample","isLeading","paddingValue","isNonSyncSample","degradationPriority","silence","audioTsToVideoTs","videoTsToAudioTs","metadataTsToSeconds","mp4Generator","fileType","movie","sampleForFrame","frame","dataOffset","pts","dts","keyFrame","frameUtils$1","groupNalsIntoFrames","nalUnits","currentNal","currentFrame","nalCount","nalUnitType","groupFramesIntoGops","currentGop","gops","extendFirstKeyFrame","generateSampleTable","baseDataOffset","concatenateNalData","nalsByteLength","numberOfNals","generateSampleTableForFrame","concatenateNalDataForFrame","highPrefix","lowPrefix","zeroFill","timelineStartPts","keepOriginalTimestamps","clock$2","ONE_SECOND_IN_TS","coneOfSilence","metaTable","clock$1","audioFrameUtils$1","prefixWithSilence","audioAppendStartTs","videoBaseMediaDecodeTime","baseMediaDecodeTimeTs","frameDuration","silentFrame","firstFrame","audioGapDuration","audioFillFrameCount","audioFillDuration","trimAdtsFramesByEarliestDts","adtsFrames","earliestAllowedDts","minSegmentDts","minSegmentPts","concatenateFrameData","sumFrameByteLengths","ONE_SECOND_IN_TS$3","trackDecodeInfo$1","clearDtsInfo","maxSegmentDts","maxSegmentPts","calculateTrackBaseMediaDecodeTime","timelineStartInfo","collectDtsInfo","captionPacketParser","parseSei","payloadType","payloadSize","parseUserData","sei","parseCaptionPackets","userData","ccData","emulationPreventionBytesPositions","USER_DATA_REGISTERED_ITU_T_T35","Stream$7","cea708Parser","CaptionStream$2","parse708captions_","parse708captions","captionPackets_","ccStreams_","Cea608Stream","cc708Stream_","Cea708Stream","newCaptionPackets","escapedRBSP","latestDts_","ignoreNextEqualDts_","numSameDts_","flushCCStreams","flushType","flushStream","idx","presortIndex","packet","dispatchCea608Packet","dispatchCea708Packet","activeCea608Channel_","ccStream","setsTextOrXDSActive","setsChannel1Active","setsChannel2Active","CHARACTER_TRANSLATION_708","within708TextBlock","Cea708Window","windowNum","clearText","pendingNewLine","winAttr","penAttr","penLoc","penColor","visible","rowLock","columnLock","relativePositioning","anchorVertical","anchorHorizontal","anchorPoint","rowCount","virtualRowCount","columnCount","windowStyle","penStyle","getText","rows","rowIdx","beforeRowOverflow","addText","backspace","Cea708Service","serviceNum","encoding","currentWindow","windows","createTextDecoder","startPts","setCurrentWindow","textDecoder_","serviceProps","captionServiceEncodings","serviceName","serviceEncodings","current708Packet","services","new708Packet","add708Bytes","push708Packet","ptsVals","byte0","byte1","packet708","packetData","blockSize","seq","sizeCode","pushServiceBlock","initService","handleText","multiByteCharacter","extendedCommands","defineWindow","clearWindows","deleteWindows","displayWindows","hideWindows","toggleWindows","setWindowAttributes","setPenAttributes","setPenColor","setPenLocation","isExtended","getPts","flushDisplayed","char","charCodeArray","newCode","isMultiByte","extended","currentByte","nextByte","unicode","firstByte","secondByte","fillOpacity","fillRed","fillGreen","fillBlue","borderType","borderRed","borderGreen","borderBlue","wordWrap","printDirection","scrollDirection","justify","effectSpeed","effectDirection","displayEffect","displayedText","winId","endPts","pushCaption","textTag","penSize","italics","underline","edgeType","fontStyle","fgOpacity","fgRed","fgGreen","fgBlue","bgOpacity","bgRed","bgGreen","bgBlue","edgeRed","edgeGreen","edgeBlue","column","CHARACTER_TRANSLATION","getCharFromCode","ROWS","createDisplayBuffer","BOTTOM_ROW","indent","field","dataChannel","field_","dataChannel_","setConstants","swap","char0","char1","lastControlCode_","PADDING_","RESUME_CAPTION_LOADING_","mode_","END_OF_CAPTION_","clearFormatting","displayed_","nonDisplayed_","startPts_","ROLL_UP_2_ROWS_","rollUpRows_","setRollUp","ROLL_UP_3_ROWS_","ROLL_UP_4_ROWS_","CARRIAGE_RETURN_","shiftRowsUp_","BACKSPACE_","row_","ERASE_DISPLAYED_MEMORY_","ERASE_NON_DISPLAYED_MEMORY_","RESUME_DIRECT_CAPTIONING_","isSpecialCharacter","column_","isExtCharacter","isMidRowCode","addFormatting","isOffsetControlCode","isPAC","formatting_","indentations","isColorPAC","isNormalChar","logWarning","topRow_","BASE_","EXT_","CONTROL_","OFFSET_","newBaseRow","popOn","baseRow","rollUp","paintOn","captionStream","CaptionStream","streamTypes","H264_STREAM_TYPE","ADTS_STREAM_TYPE","METADATA_STREAM_TYPE","Stream$6","handleRollover$1","TimestampRolloverStream$1","lastDTS","referenceDTS","type_","MetadataStream","timestampRolloverStream","TimestampRolloverStream","handleRollover","typedArray","fromIndex","currentIndex","typedArrayIndexOf","textEncodingDescriptionByte","percentEncode$1","parseUtf8","parseIso88591$1","parseSyncSafeInteger$1","frameParsers","mimeTypeEndIndex","descriptionEndIndex","pictureType","pictureData","owner","privateData","parseId3","parseId3Frames","frameSize","frameStart","tagSize","parseSyncSafeInteger","StreamTypes$3","id3","bufferSize","dispatchType","dataAlignmentIndicator","timeStamp","TransportPacketStream","TransportParseStream","ElementaryStream","metadataStream","Stream$4","CaptionStream$1","StreamTypes$2","bytesInBuffer","everything","parsePsi","parsePat","parsePmt","packetsWaitingForPmt","programMapTable","payloadUnitStartIndicator","pat","section_number","last_section_number","pmtPid","pmt","tableEnd","streamType","pid","processPes_","STREAM_TYPES","h264","adts","segmentHadPmt","timedMetadata","forceFlush","packetFlushable","fragment","trackId","pes","ptsDtsFlags","startPrefix","packetLength","parsePes","flushStreams_","m2ts$1","PAT_PID","MP2T_PACKET_LENGTH","AdtsStream$1","m2ts_1","ONE_SECOND_IN_TS$2","ADTS_SAMPLING_FREQUENCIES$1","handlePartialSegments","frameNum","skipWarn_","frameLength","protectionSkipBytes","oldBuffer","sampleCount","adtsFrameDuration","ExpGolomb$1","workingData","workingBytesAvailable","workingWord","workingBitsAvailable","bitsAvailable","loadWord","workingBytes","availableBytes","skipBits","skipBytes","readBits","bits","valu","skipLeadingZeros","leadingZeroCount","skipUnsignedExpGolomb","skipExpGolomb","readUnsignedExpGolomb","clz","readExpGolomb","readBoolean","readUnsignedByte","H264Stream$1","NalByteStream","PROFILES_WITH_OPTIONAL_SPS_DATA","Stream$2","ExpGolomb","syncPoint","swapBuffer","currentPts","currentDts","readSequenceParameterSet","skipScalingList","nalByteStream","nalUnitTypeCode","expGolombDecoder","lastScale","nextScale","chromaFormatIdc","picOrderCntType","numRefFramesInPicOrderCntCycle","picWidthInMbsMinus1","picHeightInMapUnitsMinus1","frameMbsOnlyFlag","scalingListCount","frameCropLeftOffset","frameCropRightOffset","frameCropTopOffset","frameCropBottomOffset","AacStream$1","H264Stream","ADTS_SAMPLING_FREQUENCIES","parseId3TagSize","isLikelyAacData","parseAdtsSize","lowThree","parseType","parseSampleRate","parseAacTimestamp","percentEncode","aacUtils","setTimestamp","bytesLeft","tempLength","VideoSegmentStream","AudioSegmentStream","Transmuxer","CoalesceStream","frameUtils","audioFrameUtils","trackDecodeInfo","m2ts","clock","AdtsStream","AacStream","ONE_SECOND_IN_TS$1","AUDIO_PROPERTIES","VIDEO_PROPERTIES","retriggerForStream","addPipelineLogRetriggers","transmuxer","pipeline","arrayEquals","generateSegmentTimingInfo","startDts","endDts","prependedContentDuration","firstSequenceNumber","setEarliestDts","earliestDts","setVideoBaseMediaDecodeTime","setAudioAppendStart","videoClockCyclesOfSilencePrefixed","gopsToAlignWith","minPTS","gopCache_","nalUnit","gopForFusion","firstGop","lastGop","resetStream_","getGopForFusion_","alignedGops","alignGopsAtEnd","alignGopsAtEnd_","alignGopsAtStart_","gop","dtsDistance","nearestGopObj","currentGopObj","nearestDistance","alignIndex","gopIndex","alignEndIndex","matchFound","trimIndex","alignGopsWith","newGopsToAlignWith","numberOfTracks","remux","remuxTracks","pendingTracks","videoTrack","pendingBoxes","pendingCaptions","pendingMetadata","pendingBytes","emittedTracks","output","audioTrack","caption","captionStreams","setRemux","hasFlushed","transmuxPipeline_","setupAacPipeline","aacStream","audioTimestampRolloverStream","timedMetadataTimestampRolloverStream","adtsStream","coalesceStream","headOfPipeline","audioSegmentStream","getLogTrigger_","hasAudio","hasVideo","setupTsPipeline","packetStream","elementaryStream","h264Stream","videoSegmentStream","id3Frame","setBaseMediaDecodeTime","isAac","resetCaptions","inspectMp4","textifyMp4","bin","parseType_1","toUnsigned$2","parseType$3","findBox$5","subresults","findBox_1","toUnsigned$1","getUint64$4","parseTfdt$3","parseTfhd$2","baseDataOffsetPresent","sampleDescriptionIndexPresent","defaultSampleDurationPresent","defaultSampleSizePresent","defaultSampleFlagsPresent","durationIsEmpty","defaultBaseIsMoof","sampleDescriptionIndex","defaultSampleDuration","defaultSampleSize","defaultSampleFlags","baseDataOffsetIsMoof","getUint64$3","parseSampleFlags","parseTrun$2","dataOffsetPresent","firstSampleFlagsPresent","sampleDurationPresent","sampleSizePresent","sampleFlagsPresent","sampleCompositionTimeOffsetPresent","getInt32","getUint64$2","parseMp4Date","parseType$2","nalParse","avcStream","avcView","dataReferenceIndex","horizresolution","vertresolution","frameCount","depth","numOfPictureParameterSets","nalSize","configurationVersion","avcProfileIndication","avcLevelIndication","lengthSizeMinusOne","numOfSequenceParameterSets","bufferSizeDB","maxBitrate","avgBitrate","edts","elst","getUint8","edits","entryCount","mediaTime","mediaRate","esId","streamPriority","decoderConfig","objectProfileIndication","decoderConfigDescriptor","audioObjectType","samplingFrequencyIndex","channelConfiguration","majorBrand","minorVersion","compatibleBrands","dataReferences","handlerType","escape","nals","modificationTime","streamDescriptor","nextTrackId","pdin","balance","ctts","compositionOffsets","sampleOffset","stss","syncSamples","chunkOffsets","sampleToChunks","firstChunk","samplesPerChunk","sampleDescriptions","sampleSize","entries","timeToSamples","sampleDelta","layer","alternateGroup","defaultSampleDescriptionIndex","sampleDependsOn","sampleIsDependedOn","sampleHasRedundancy","samplePaddingValue","sampleIsDifferenceSample","sampleDegradationPriority","graphicsmode","opcolor","ab","z","inspectedMp4","compositionStartTime","getVideoTrackIds","getTracks","getTimescaleFromMediaHeader$1","getEmsgID3","mp4Inspector","inspect","textify","parseTraf","parseTfdt","parseHdlr","parseTfhd","parseTrun","parseSidx","uint8ToCString","curChar","retString","getUint64$1","isValidEmsgBox","emsg","hasScheme","scheme_id_uri","isValidV0Box","isDefined","presentation_time_delta","isValidV1Box","presentation_time","emsg$1","parseEmsgBox","boxData","event_duration","emsgBox","message_data","scaleTime","timeDelta","toUnsigned","toHexString","findBox$3","parseType$1","parseTfhd$1","parseTrun$1","parseTfdt$2","window$2","lowestTime","baseTime","scale","timescales","trafBoxes","parsedTrun","traks","videoTrackIds","hdlrs","tkhds","tkhdVersion","codecConfig","codecBox","segmentData","emsgBoxes","parsedBox","parsedId3Frames","probe$2","getTimescaleFromMediaHeader","findBox$2","window$1","getMdatTrafPairs","trafs","mdats","mdatTrafPairs","matchingTraf","parseSamples","truns","allSamples","findBox$1","parseTfdt$1","getMdatTrafPairs$1","parseSamples$1","mapToSample","approximateOffset","parseCaptionNals","videoTrackId","captionNals","pair","headerInfo","seiNal","lastMatchedSample","logs","seiNals","matchingSample","findSeiNals","captionParser","segmentCache","parsedCaptions","parsingPartial","isInitialized","isPartial","isNewInit","parsedData","cachedSegment","trackNals","parseEmbeddedCaptions","pushNals","nal","clearParsedCaptions","resetCaptionStream","clearAllCaptions","webvttParser","parseSegment","vttCues","mdatBox","trafBox","tfdtBox","tfhdBox","trunBoxes","mdatOffset","textDecoder","sampleData","vttcBox","paylBox","sttgBox","cueText","StreamTypes$1","parsePid","parsePayloadUnitStartIndicator","parseAdaptionField","parseNalUnitType","probe$1","pusi","payloadOffset","parsePesType","parsePesTime","videoPacketContainsKeyFrame","frameBuffer","frameI","frameSyncPoint","foundKeyFrame","StreamTypes","probe","parseAudioPes_","pesType","parsed","endLoop","table","parseVideoPes_","firstKeyFrame","inspectTs_","parsePsi_","tsInspector","baseTimestamp","audioCount","audioTimescale","inspectAac_","audioBaseTimestamp","dtsTime","ptsTime","videoBaseTimestamp","adjustTimestamp_","MessageHandlers","initArray","postMessage","gopInfo","timingInfo","videoSegmentTimingInfo","presentation","audioSegmentTimingInfo","trackInfo","audioTimingInfo","wireTransmuxerEvents","pushMp4Captions","trackIds","initMp4WebVttParser","webVttParser","getMp4WebVttText","mp4VttCues","probeMp4StartTime","probeMp4Tracks","probeEmsgID3","id3Frames","emsgData","probeTs","baseStartTime","tsStartTime","timeInfo","videoStart","audioStart","clearAllMp4Captions","clearParsedMp4Captions","setTimestampOffset","timestampOffset","appendStart","onmessage","messageHandlers","TransmuxWorker","processTransmux","audioAppendStart","onData","onTrackInfo","onAudioTimingInfo","onVideoTimingInfo","onVideoSegmentTimingInfo","onAudioSegmentTimingInfo","onId3","onCaptions","onDone","onEndedTimeline","onTransmuxerLog","isEndOfTimeline","triggerSegmentEventFn","transmuxedData","waitForEndedTimelineEvent","currentTransmux","videoFrameDtsTime","videoFramePtsTime","handleData_","handleGopInfo_","_ref48","handleDone_","dequeue","segmentInfoPayload","transmuxQueue","processAction","enqueueAction","transmux","segmentTransmuxer","term","workerCallback","endAction","listenForEndEvent","isArrayBuffer","transfers","REQUEST_ERRORS","abortAll","activeXhrs","handleErrors","handleKeyResponse","finishProcessingFn","errorObj","keyInfo","parseInitSegment","_ref50","initMp4Text","handleSegmentResponse","_ref52","newBytes","stringToArrayBuffer","lastReachedChar","stats","getRequestStats","encryptedBytes","transmuxAndNotify","_ref53","trackInfoFn","timingInfoFn","videoSegmentTimingInfoFn","audioSegmentTimingInfoFn","id3Fn","captionsFn","endedTimelineFn","dataFn","doneFn","fmp4Tracks","isMuxed","audioStartFn","audioEndFn","videoStartFn","videoEndFn","probeResult","handleSegmentBytes","_ref54","bytesAsUint8Array","isLikelyFmp4MediaSegment","isFmp4","_ref49","parseMp4TextSegment","audioCodec","videoCodec","finishLoading","_ref55","_ref56","decrypt","decryptionWorker","decryptionHandler","decrypted","keyBytes","decryptError","encrypted","waitForCompletion","_ref59","didError","segmentFinish","_ref58","requestId","decryptedBytes","decryptSegment","endOfAllRequests","parseError","handleProgress","_ref61","progressFn","progressEvent","getProgressStats","firstBytesReceivedAt","mediaSegmentRequest","_ref62","xhrOptions","abortFn","keyRequestOptions","keyRequestCallback","keyXhr","mapKeyRequestOptions","mapKeyRequestCallback","mapKeyXhr","initSegmentOptions","initSegmentRequestCallback","_ref51","handleInitSegmentResponse","initSegmentXhr","segmentRequestOptions","segmentRequestCallback","segmentXhr","loadendState","activeXhr","_ref60","calledAbortFn","handleLoadEnd","logFn$1","isMaat","mediaAttributes","unwrapCodecList","codecList","_ref63","codecCount","codecObj","codecsForPlaylist","codecInfo","getCodecs","audioGroup","defaultCodecs","audioGroupId","audioType","codecsFromDefault","logFn","representationToString","safeGetComputedStyle","property","stableSort","sortFn","newArray","cmp","comparePlaylistBandwidth","leftBandwidth","rightBandwidth","simpleSelector","playerBandwidth","limitRenditionByPlayerDimensions","playlistController","getAudioTrackPlaylists_","sortedPlaylistReps","rep","enabledPlaylistReps","bandwidthPlaylistReps","highestRemainingBandwidthRep","bandwidthBestRep","chosenRep","haveResolution","resolutionBestRepList","resolutionBestRep","resolutionPlusOneList","resolutionPlusOneSmallest","resolutionPlusOneRep","leastPixelDiffRep","leastPixelDiffSelector","leastPixelDiffList","pixelDiff","lastBandwidthSelector","pixelRatio","useDevicePixelRatio","devicePixelRatio","customPixelRatio","systemBandwidth","playlistController_","compactSegmentUrlDescription","pathname","addMetadata","_ref65","inbandTextTracks","videoDuration","Cue","WebKitDataCue","metadataTrack","metadataTrack_","deprecateOldCue","cuesArray","cuesGroupedByStartTime","timeSlot","sortedStartTimes","cueGroup","finiteDuration","nextTime","dateRangeAttr","scte35Out","scte35In","dateRangeKeysToOmit","createMetadataTrackIfNotExists","inBandMetadataTrackDispatchType","removeCuesFromTrack","finite","segmentInfoString","startOfSegment","mediaIndex","segmentLen","selection","isSyncRequest","independent","hasPartIndex","zeroBasedPartCount","timingInfoPropertyForMedia","shouldWaitForTimelineChange","_ref68","timelineChangeController","loaderType","audioDisabled","lastMainTimelineChange","lastTimelineChange","pendingAudioTimelineChange","pendingTimelineChange","checkAndFixTimelines","segmentLoader","pendingSegment_","timelineChangeController_","currentTimeline_","loaderType_","audioDisabled_","pendingMainTimelineChange","hasPendingTimelineChanges","differentPendingChanges","shouldFixBadTimelineChanges","isAudioTimelineBehind","segmentTooLong","_ref69","maxDuration","getTroublesomeSegmentDurationMessage","sourceType","timingInfos","typeTimingInfo","mediaDuration","isSegmentWayTooLong","isSegmentSlightlyTooLong","segmentTooLongMessage","severity","_ref70","isEncrypted","ke","isMediaInitialization","SegmentLoader","mediaSource","throughput","roundTrip","resetStats_","hasPlayed_","hasPlayed","seekable_","seeking_","mediaSource_","currentMediaInfo_","startingMediaInfo_","segmentMetadataTrack_","segmentMetadataTrack","goalBufferLength_","goalBufferLength","sourceType_","sourceUpdater_","sourceUpdater","inbandTextTracks_","state_","shouldSaveSegmentTimingInfo_","useDtsForTimestampOffset_","useDtsForTimestampOffset","captionServices_","checkBufferTimeout_","shouldForceTimestampOffsetAfterResync_","xhrOptions_","pendingSegments_","isPendingTimestampOffset_","gopBuffer_","timeMapping_","safeAppend_","appendInitSegment_","playlistOfLastInitSegment_","callQueue_","loadQueue_","metadataQueue_","waitingOnRemove_","quotaExceededErrorRetryTimeout_","activeInitSegmentId_","initSegments_","cacheEncryptionKeys_","cacheEncryptionKeys","keyCache_","decrypter_","decrypter","syncController_","syncController","syncPoint_","transmuxer_","createTransmuxer_","triggerSyncInfoUpdate_","isEndOfStream_","ended_","fetchAtBuffer_","newState","hasEnoughInfoToAppend_","processCallQueue_","hasEnoughInfoToLoad_","processLoadQueue_","mediaSequenceSync_","getMediaSequenceSync","mediaBytesTransferred","mediaRequests","mediaRequestsAborted","mediaRequestsTimedout","mediaRequestsErrored","mediaTransferDuration","mediaSecondsLoaded","mediaAppends","abort_","setAudio","removeAudio","clearPendingTimelineChange","monitorBuffer_","abortRequests","checkForAbort_","endOfStream","buffered_","getMediaInfo_","videoBuffered","audioBuffered","initSegmentForMap","storedMap","segmentKey","storedKey","couldBeginLoading_","playlist_","init_","resetEverything","newPlaylist","syncInfo","setDateTimeMappingForStart","oldId","diagnostics","resetLoader","resyncLoader","mediaSequenceDiff","saveExpiredSegmentInfo","resetAppendedStatus","force","removesRemaining","removeFinished","mapping","updatedBuffer","removeGopBuffer","removeVideo","monitorBufferTick_","fillBuffer_","updating","chooseNextRequest_","loadSegment_","appendedLastSegment","appendedLastPart","bufferedTime","preloaded","haveEnoughBuffer","getSyncPoint","targetTime","timelineSegments","getSyncSegmentCandidate","isReliable","getSyncInfoFromMediaSequenceSync_","mediaInfoForTime","nextSegment","hasIndependentSegments","lastSegmentLastPart","forceTimestampOffset","generateSegmentInfo_","finalTargetTime","mediaSequenceSyncInfo","getSyncInfoForTime","isAppended","nextMediaSequenceSyncInfo","overrideCheck","timestampOffsetForSegment_","audioBufferedEnd","audioTimestampOffset","currentTimePts","gopsSafeToAlignWith","videoTimestampOffset","_ref67","timestampOffsetForSegment","earlyAbortWhenNeeded_","measuredBandwidth","requestTimeRemaining","timeUntilRebuffer$1","timeUntilRebuffer","switchCandidate","compatiblePlaylists","enabledPlaylists","rebufferingEstimates","numRequests","rebufferingImpact","noRebufferingPlaylists","estimate","minRebufferMaxBandwidthSelector","timeSavedBySwitching","minimumTimeSaving","handleAbort_","handleProgress_","simpleSegment","handleTrackInfo_","checkForIllegalMediaSwitch","akeys","bkeys","shallowEqual","handleTimingInfo_","timeType","timingInfoProperty","handleCaptions_","captionData","hasAppendedData_","captionTracks","captionTrack","trackName","captionService","createCaptionsTrackIfNotExists","captionArray","addCaptionData","handleId3_","processMetadataQueue_","callQueue","fun","loadQueue","getCurrentMediaInfo_","getPendingSegmentPlaylist","setTimeMapping_","updateMediaSecondsLoaded_","useVideoTimingInfo","firstVideoFrameTimeForData","trueSegmentStart_","currentStart","currentVideoTimestampOffset","updateAppendInitSegmentStatus","updateSourceBufferTimestampOffset_","updateTimingInfoEnd_","saveSegmentTimingInfo","shouldSaveTimelineMapping","appendData_","changedTimestampOffset","getInitSegmentAndUpdateState_","handleQuotaExceededError_","audioBufferStart","audioBufferEnd","videoBufferStart","videoBufferEnd","appendToSourceBuffer_","timeToRemoveUntil","MIN_BACK_BUFFER","handleAppendError_","segmentObj","concatSegments","appendBuffer","handleSegmentTimingInfo_","segmentTimingInfo","transmuxedDecodeStart","transmuxedDecodeEnd","trimBackBuffer_","updateTransmuxerAndRequestSegment_","shouldUpdateTransmuxerTimestampOffset_","createSimplifiedSegmentObj_","isEndOfStream","isWalkingForward","isDiscontinuity","segmentRequestFinished_","_ref75","_ref76","removeToTime","trimTime","maxTrimTime","safeBackBufferTrimTime","previousSegment","saveTransferStats_","saveBandwidthRelatedStats_","bandwidthInfo","handleTimeout_","updateGopBuffer","waitForAppendsToComplete_","timelineMapping","mappingForTimeline","waitForVideo","waitForAudio","waitingOnAppends","checkAppendsDone_","videoQueueCallback","audioQueueCallback","handleAppendsDone_","illegalMediaSwitchError","startingMedia","illegalMediaSwitch","didChange","getSegmentStartTimeForTimestampOffsetCalculation_","prioritizedTimingInfo","markAppended","segmentDurationMessage","recordThroughput_","addSegmentMetadataCue_","badSegmentGuess","badPartGuess","segmentProcessingTime","segmentProcessingThroughput","bufferTypes","sourceBuffer","queuePending","shiftQueue","queueIndex","queueEntry","nextQueueIndexOfType","cleanupBuffer","titleType","inSourceBuffers","sourceBuffers","actions","onError","mime","addSourceBuffer","removeSourceBuffer","newCodecBase","oldCodec","codecsChangeInfo","changeType","pushQueue","_ref79","onUpdateend","descriptiveString","bufferedRangesStr","bufferedRangesToString","SourceUpdater","sourceopenListener_","audioTimestampOffset_","videoTimestampOffset_","delayedAudioAppendQueue_","videoAppendQueued_","onVideoUpdateEnd_","onAudioUpdateEnd_","onVideoError_","videoError_","onAudioError_","audioError_","createdSourceBuffers_","initializedEme_","triggeredReady_","initializedEme","hasCreatedSourceBuffers","hasInitializedAnyEme","createSourceBuffers","addOrChangeSourceBuffers","canRemoveSourceBuffer","SourceBuffer","canChangeType","processedAppend_","videoBuffer","que","audioBuffer","bufferA","bufferB","arity","extents","bufferIntersection","setDuration","uint8ToUtf8","uintArray","VTT_LINE_TERMINATORS","NoVttJsError","VTTSegmentLoader","subtitlesTrack_","featuresNativeTextTracks_","loadVttJs","combinedByteLength","combinedSegment","timestampOffsetForTimeline","checkTimestampOffset","skipEmptySegments_","stopForError","isMp4WebVttSegmentWithCues","requested","parseVTTCues_","updateTimeMapping_","timelines","uniqueCues","cueKey","removeDuplicateCuesFromTrack","isVttType","isTextResult","parseMp4VttCues_","vttCue","cueSetting","keyValString","decodeBytesToString","timestampmap","MPEGTS","LOCAL","mapData","mappingObj","diff","handleRollover_","firstStart","lastStart","valueIn90khz","referenceIn90khz","findAdCue","adStartTime","adEndTime","SyncInfo","appended","start_","end_","segmentIndex_","partIndex_","appended_","isInRange","SyncInfoData","segmentSyncInfo","partsSyncInfo","segmentSyncInfo_","partsSyncInfo_","hasPartsSyncInfo","resetAppendStatus","partSyncInfo","MediaSequenceSync","storage_","diagnostics_","isReliable_","syncInfoData","isReliablePlaylist_","updateStorage_","calculateBaseTime_","getSyncInfoForMediaSequence","startingMediaSequence","startingTime","newStorage","newDiagnostics","currentMediaSequence","prevSyncInfoData","segmentStart","segmentIsAppended","currentPartStart","partStart","partEnd","partIsAppended","fallback","minMediaSequenceFromStorage","DependantMediaSequenceSync","parent_","syncPointStrategies","run","mediaSequenceSync","timelineToDatetimeMappings","lastDistance","datetimeMapping","discontinuitySync","discontinuities","SyncController","mediaSequenceStorage_","_ref81","syncPoints","runStrategies_","syncPointInfo","strategy","selectSyncPoint_","getExpiredTime","bestSyncPoint","bestDistance","bestStrategy","newDistance","lastRemovedSegment","playlistTimestamp","didCalculateSegmentTimeMapping","calculateSegmentTimeMapping_","saveDiscontinuitySyncInfo_","dateTime","accuracy","mediaIndexDiff","TimelineChangeController","pendingTimelineChanges_","lastTimelineChanges_","timelineChangeInfo","workerCode","aesTables","AES","tmp","tables","encTable","decTable","sbox","sboxInv","xInv","th","x2","x4","x8","tEnc","tDec","precompute","_tables","keyLen","rcon","encKey","decKey","encrypted0","encrypted1","encrypted2","encrypted3","out","a2","c2","nInnerRounds","kIndex","table0","table1","table2","table3","AsyncStream","jobs","timeout_","processJob_","job","ntoh","word","Decrypter","initVector","STEP","encrypted32","Int32Array","asyncStream_","decryptChunk_","padded","decipher","decrypted32","init0","init1","init2","init3","wordIx","audioTrackKind_","stopLoaders","activePlaylistLoader","startLoaders","playlistLoader","excludePlaylist","activeTrack","activeGroup","defaultTrack","onTrackChanged","setupListeners","requestOptions","segmentLoaders","initialize","variantLabel","isMainPlaylist","useForcedSubtitles","groupMatch","setupMediaGroups","audioSegmentLoader","mainSegmentLoader","variants","groupKeys","groupPropertyList","onGroupChanged","getActiveGroup","previousActiveLoader","lastGroup","lastGroup_","lastTrack_","onGroupChanging","lastTrack","pc","selectPlaylist","fastQualityChange_","activeTrack_","onAudioTrackChanged","SteeringManifest","priority_","pathwayClones_","version_","ttl","ttl_","reloadUri","reloadUri_","pathwayClones","ContentSteeringController","currentPathway","defaultPathway","availablePathways_","steeringManifest","proxyServerUrl_","manifestType_","ttlTimeout_","request_","currentPathwayClones","nextPathwayClones","excludedSteeringManifestURLs","xhr_","getBandwidth_","assignTagProperties","steeringTag","serverUri","steeringUri","startsWith","decodeDataUriManifest_","pathwayId","defaultServiceLocation","proxyServerURL","requestSteeringManifest","getRequestURI","errorInfo","retrySeconds","startTTLTimeout_","steeringManifestJson","assignSteeringProperties_","parsedMetadata","contentSteeringManifest","setProxyServerUrl_","steeringUrl","steeringUrlObject","proxyServerUrlObject","encodeURI","setSteeringParams_","dataUri","urlObject","getPathway","networkThroughput","pathwayKey","throughputKey","steeringJson","TTL","nextPathway","pathwaysByPriority","chooseNextPathway","proxyURI","steeringURI","ttlMS","clearTTLTimeout_","addAvailablePathway","clearAvailablePathways","excludePathway","didDASHTagChange","baseURL","newTag","getAvailablePathways","Vhs$1","loaderStats","sumLoaderStat","stat","audioSegmentLoader_","mainSegmentLoader_","PlaylistController","externVhs","useCueTags","enableLowInitialPlaylist","bufferBasedABR","experimentalUseMMS","maxPlaylistRetries","useCueTags_","usingManagedMediaSource_","cueTagsTrack_","requestOptions_","pauseLoading","mediaTypes_","createMediaTypes","disableRemotePlayback","handleDurationChange_","handleSourceOpen_","handleSourceEnded_","keyStatusMap_","segmentLoaderSettings","setupMainPlaylistLoaderListeners_","subtitleSegmentLoader_","onLoad","contentSteeringController_","setupSegmentLoaderListeners_","startABRTimer_","stopABRTimer_","triggeredFmp4Usage","loadOnPlay_","timeToLoadedData__","mainAppendsToLoadedData__","audioAppendsToLoadedData__","timeToLoadedDataStart","mainAppendsToLoadedData_","audioAppendsToLoadedData_","appendsToLoadedData_","timeToLoadedData_","checkABR_","nextPlaylist","shouldSwitchToMedia_","switchMedia_","newId","renditionInfo","switchMediaForDASHContentSteering_","dashMediaPlaylists","abrTimer_","defaultPlaylists","defaultGroup","requestTimeout","triggerPresenceUsage_","setupFirstPlay","selectedMedia","attachContentSteeringListeners_","initContentSteeringController_","excludeUnsupportedVariants_","selectInitialPlaylist","initialMedia_","handleUpdatedMediaPlaylist","playlistToExclude","waitingForFastQualityPlaylistReceived_","runFastQualitySwitch_","lastExcludeReason_","stuckAtPlaylistEnd_","updateAdCues_","updateDuration","defaultDemuxed","audioGroupKeys","currentPlaylist","bufferLowWaterLine","bufferHighWaterLine","sharedLogLine","isBuffered","forwardBuffer","maxBufferLowWaterLine","nextBandwidth","currBandwidth","logLine","shouldSwitchToMedia","onSyncInfoUpdate_","onEndOfStream","delegateLoaders_","updateCodecs","tryToCreateSourceBuffers_","getCodecsOrExclude_","mediaSecondsLoaded_","startPoint","mainMediaInfo","absolutePlaylistEnd","pathwayAttribute_","reIncludeDelay","excludeThenChangePathway_","reincluded","errorMessage","delayDuration","fnNames","loaders","dontFilterPlaylist","loader","getSeekableRange_","calculatedEnd","computeFinalSeekable_","mainSeekable","audioSeekable","mainStart","mainEnd","audioEnd","oldSeekable","seekableRanges","updateDuration_","areMediaTypesKnown_","usingAudioLoader","hasMainMediaInfo","hasAudioMediaInfo","playlistCodecs","supportFunction","unsupportedCodecs","unsupportedAudio","supporter","switchMessages","newCodec","excludeIncompatibleVariants_","ids","unsupported","codecCount_","videoDetails","audioDetails","exclusionReasons","variantCodecs","variantCodecCount","variantVideoDetails","variantAudioDetails","adOffset","adTotal","updateAdCues","newMax","_ref66","addDateRangeMetadata","resetContentSteeringController_","availablePathways","newPathways","didPathwaysChange","handlePathwayClones_","didEnablePlaylists","differentPathwayId","noExcludeUntil","changeSegmentPathway_","oldClone","equalPathwayClones_","aParams","bParams","excludeNonUsablePlaylistsByKeyId_","nonUsableKeyStatusCount","keyIdSet","hasUsableKeyStatus","nonUsableExclusion","isNonHD","excludedForNonUsableKey","addKeyStatus_","formattedKeyIdString","uInt8Buffer","padStart","bufferToHexString","updatePlaylistByKeyStatus","excludeNonUsableThenChangePlaylist_","Representation","vhsHandler","qualityChangeFunction","playlistID","changePlaylistFn","incompatible","currentlyEnabled","timerCancelEvents","PlaybackWatcher","allowSeeksWithinUnsafeLiveWindow","liveRangeSafeTimeDelta","playedRanges_","consecutiveUpdates","lastRecordedTime","checkCurrentTimeTimeout_","playHandler","monitorCurrentTime_","canPlayHandler","waitingHandler","techWaiting_","cancelTimerHandler","resetTimeUpdate_","loaderTypes","loaderChecks","resetSegmentDownloads_","updateend","checkSegmentDownloads_","setSeekingHandlers","seekingAppendCheck_","fixesBadSeeks_","clearSeekingAppendCheck_","watchForBadSeeking_","checkCurrentTime_","isBufferedDifferent","isRangeDifferent","bufferedRanges","waiting_","playedRanges","afterSeekableWindow_","beforeSeekableWindow_","minAppendedDuration","bufferedToCheck","nextRange","livePoint","videoUnderflow_","skipTheGap_","allowedEnd","isLLHLS","lastVideoRange","videoRange","audioRange","gapFromVideoUnderflow_","scheduledCurrentTime","gapInfo","gaps","findGaps","defaultOptions","errorInterval","getSource","IWillNotUseThisInPlugins","lastCalled","localOptions","loadedMetadataHandler","cleanupEvents","reloadSourceOnError","STANDARD_PLAYLIST_SELECTOR","INITIAL_PLAYLIST_SELECTOR","movingAverageBandwidthSelector","decay","average","lastSystemBandwidth","comparePlaylistResolution","leftWidth","rightWidth","handleVhsMediaChange","waitForKeySessionCreation","_ref89","sourceKeySystems","audioMedia","mainPlaylists","eme","initializeMediaKeys","keySystemsOptionsArr","keySystems","keySystemsArr","keySystemsOptions","keySystemsObj","keySystemOptions","getAllPsshKeySystemsOptions","initializationFinishedPromises","keySessionCreatedPromises","setupEmeOptions","_ref90","sourceOptions","audioPlaylist","videoContentType","audioContentType","keySystemContentTypes","emeKeySystems","getVhsLocalStorage","storedObject","addOnRequestHook","addOnResponseHook","removeOnRequestHook","removeOnResponseHook","supportsNativeHls","canItPlay","supportsNativeDash","supportsTypeNatively","onRequest","onResponse","offRequest","offResponse","Component","VhsHandler","initialBandwidth","_player","source_","ignoreNextSeekingEvent_","setOptions_","overrideNative","featuresNativeVideoTracks","webkitFullscreenElement","mozFullScreenElement","msFullscreenElement","useBandwidthFromLocalStorage","useNetworkInformationApi","setOptions","playbackWatcherOptions","playbackWatcher_","attachStreamingEventListeners_","defaultSelector","playerBandwidthEst","networkInformation","connection","mozConnection","webkitConnection","networkInfoBandwidthEstBitsPerSec","downlink","invBandwidth","invThroughput","mediaRequests_","mediaRequestsAborted_","mediaRequestsTimedout_","mediaRequestsErrored_","mediaTransferDuration_","mediaBytesTransferred_","mediaAppends_","mainAppendsToLoadedData","audioAppendsToLoadedData","appendsToLoadedData","timeToLoadedData","currentTech","playerDimensions","objectToStore","updateVhsLocalStorage","setupEme_","setupQualityLevels_","mediaSourceUrl_","createKeySessions_","audioPlaylistLoader","handleWaitingForKey_","didSetupEmeOptions","qualityLevels_","convertToProgramTime","setupXhrHooks_","VhsSourceHandler","simpleType","getOverrideNative","defaultOverrideNative"],"mappings":";;;;;;;;;;;CAYA,SAAWA,OAAQC,SACE,iBAAZC,SAA0C,oBAAXC,OAAyBA,OAAOD,QAAUD,UAC9D,mBAAXG,QAAyBA,OAAOC,IAAMD,kCAAOH,UACnDD,OAA+B,oBAAfM,WAA6BA,WAAaN,QAAUO,MAAaC,QAAUP,UAH9F,CAIGQ,QAAO,iBAUFC,OAAS,GAcTC,MAAQ,SAAUC,KAAMC,WAC5BH,OAAOE,MAAQF,OAAOE,OAAS,GAC3BC,KACFH,OAAOE,MAAQF,OAAOE,MAAME,OAAOD,KAE9BH,OAAOE,OA4BVG,WAAa,SAAUH,KAAMC,UAC3BG,MAAQL,MAAMC,MAAMK,QAAQJ,YAC9BG,QAAU,KAGdN,OAAOE,MAAQF,OAAOE,MAAMM,QAC5BR,OAAOE,MAAMO,OAAOH,MAAO,IACpB,IAkCHI,cAAgB,CACpBC,UAAU,GAINC,OAAS,CAAC,CAAC,oBAAqB,iBAAkB,oBAAqB,oBAAqB,mBAAoB,kBAAmB,cAEzI,CAAC,0BAA2B,uBAAwB,0BAA2B,0BAA2B,yBAA0B,wBAAyB,wBACvJC,QAAUD,OAAO,OACnBE,eAGC,IAAIC,EAAI,EAAGA,EAAIH,OAAOI,OAAQD,OAE7BH,OAAOG,GAAG,KAAME,SAAU,CAC5BH,WAAaF,OAAOG,YAMpBD,WAAY,KACT,IAAIC,EAAI,EAAGA,EAAID,WAAWE,OAAQD,IACrCL,cAAcG,QAAQE,IAAMD,WAAWC,GAEzCL,cAAcC,SAAWG,WAAW,KAAOD,QAAQ,OASjDK,QAAU,SAeRC,iBAAmB,CAACC,KAAMC,IAAKC,SAAW,CAACpB,KAAMqB,MAAOC,cACtDC,IAAMJ,IAAIK,OAAOH,OACjBI,UAAY,IAAIC,mBAAYH,eAC9BI,WAAaT,QACJ,QAATlB,MAEFsB,KAAKM,QAAQ5B,KAAK6B,cAAgB,KAEhCT,SACFO,uBAAkBT,MAClBI,KAAKM,QAAQR,SAIfE,KAAKM,QAAQD,WAAa,KAGtBX,QAAS,CACXA,QAAQc,KAAK,GAAG5B,OAAOoB,aAGjBf,OAASS,QAAQF,OAAS,IAChCE,QAAQT,OAAO,EAAGA,OAAS,EAAIA,OAAS,OAKrCwB,OAAOC,mBAOR/B,GAAK8B,OAAOC,QAAQhC,MACnBC,IAAe,UAATD,OAGTC,GAAK8B,OAAOC,QAAQC,MAAQF,OAAOC,QAAQb,KAKxClB,IAAOsB,KAAQE,UAAUS,KAAKlC,OAGnCC,GAAGkC,MAAMC,QAAQd,MAAQ,QAAU,QAAQS,OAAOC,QAASV,aAsNvDe,eApNGC,eAAepB,UAKlBqB,UALwBC,iEAAY,IAAKpB,8DAAS,GAElDC,MAAQ,gBA0BHF,qCAAOG,kDAAAA,6BACdiB,UAAU,MAAOlB,MAAOC,aAI1BiB,UAAYtB,iBAAiBC,KAAMC,IAAKC,QAmBxCD,IAAIsB,aAAe,CAACC,QAASC,aAAcC,mBACnCC,qBAAmCC,IAAjBH,aAA6BA,aAAeH,UAC9DO,kBAA6BD,IAAdF,UAA0BA,UAAYxB,cAEpDkB,yBADepB,iBAAQ2B,4BAAmBH,SACfG,gBAAiBE,eAcrD5B,IAAI6B,gBAAkB,CAACC,QAASC,aAAcC,YACrCb,eAAeW,QAASC,aAAcC,WAsB/ChC,IAAIK,OAAS,CACX4B,IAAK,uBACLC,IAAK,GACLC,MAAO,uBACPrB,KAAM,iBACNsB,KAAM,aACNC,MAAO,QACPC,QAASpC,OAeXF,IAAIE,MAAQE,SACS,iBAARA,IAAkB,KACtBJ,IAAIK,OAAOkC,eAAenC,WACvB,IAAIoC,iBAAUpC,mCAEtBF,MAAQE,WAEHF,OAYTF,IAAIH,QAAU,IAAMA,QAAU,GAAGd,OAAOc,SAAW,GAWnDG,IAAIH,QAAQ4C,OAASC,QACX7C,SAAW,IAAI4C,QAAOE,aAErB,IAAIpC,mBAAYmC,aAAW3B,KAAK4B,YAAY,MAQvD3C,IAAIH,QAAQ+C,MAAQ,KACd/C,UACFA,QAAQF,OAAS,IAOrBK,IAAIH,QAAQgD,QAAU,KACJ,OAAZhD,UACFA,QAAQF,OAAS,EACjBE,QAAU,OAOdG,IAAIH,QAAQiD,OAAS,KACH,OAAZjD,UACFA,QAAU,KAUdG,IAAIqC,MAAQ,0CAAIlC,kDAAAA,oCAASiB,UAAU,QAASlB,MAAOC,OAQnDH,IAAIoC,KAAO,0CAAIjC,kDAAAA,oCAASiB,UAAU,OAAQlB,MAAOC,OASjDH,IAAImC,MAAQ,0CAAIhC,kDAAAA,oCAASiB,UAAU,QAASlB,MAAOC,OAC5CH,IAOKmB,CAAe,WACvBG,aAAeJ,MAAMI,aAgCrByB,WAAaC,OAAOC,UAAUC,SAc9BC,KAAO,SAAUC,eACdC,WAAWD,QAAUJ,OAAOG,KAAKC,QAAU,aAY3CE,KAAKF,OAAQtE,IACpBqE,KAAKC,QAAQG,SAAQC,KAAO1E,GAAGsE,OAAOI,KAAMA,gBAoBrCC,OAAOL,OAAQtE,QAAI4E,+DAAU,SAC7BP,KAAKC,QAAQK,QAAO,CAACE,MAAOH,MAAQ1E,GAAG6E,MAAOP,OAAOI,KAAMA,MAAME,kBAajEL,WAAWO,eACTA,OAA0B,iBAAVA,eAUlBC,QAAQD,cACRP,WAAWO,QAAqC,oBAA3Bb,WAAWe,KAAKF,QAAgCA,MAAMG,cAAgBf,gBAmB3FgB,gBACDC,OAAS,kCADGC,qDAAAA,uCAElBA,QAAQX,SAAQY,SACTA,QAGLb,KAAKa,QAAQ,CAACP,MAAOJ,OACdK,QAAQD,QAIRC,QAAQI,OAAOT,QAClBS,OAAOT,KAAO,IAEhBS,OAAOT,KAAOQ,QAAQC,OAAOT,KAAMI,QANjCK,OAAOT,KAAOI,YASbK,gBASAG,eAASD,8DAAS,SACnBF,OAAS,OACV,MAAMT,OAAOW,UACZA,OAAO5B,eAAeiB,KAAM,OACxBI,MAAQO,OAAOX,KACrBS,OAAOtD,KAAKiD,cAGTK,gBAYAI,mBAAmBC,IAAKd,IAAKe,cAAUC,wEACxCC,IAAMb,OAASZ,OAAO0B,eAAeJ,IAAKd,IAAK,CACnDI,MAAAA,MACAe,YAAY,EACZC,UAAU,IAENC,QAAU,CACdC,cAAc,EACdH,YAAY,EACZI,YACQnB,MAAQW,kBACdE,IAAIb,OACGA,eAGPY,SACFK,QAAQJ,IAAMA,KAETzB,OAAO0B,eAAeJ,IAAKd,IAAKqB,aAGrCG,IAAmBhC,OAAOiC,OAAO,CACnCC,UAAW,KACX5B,KAAMA,KACNG,OAAQA,OACR0B,SAAU9B,WACVQ,QAASA,QACTuB,MAAOpB,QACPqB,OAAQjB,SACRC,mBAAoBA,yBAsClBiB,gBAxBAC,SAAU,EAQVC,YAAc,KAQdC,YAAa,EAgBbC,YAAa,EAQbC,SAAU,EAQVC,aAAc,EAgBdC,WAAY,EAQZC,iBAAmB,KAWnBC,eAAiB,WAQfC,uBAAyBC,QAAQrF,OAAOsF,MAAQtF,OAAOsF,KAAKC,WAAavF,OAAOsF,KAAKC,UAAUC,yBASjGC,WAAa,KAQbC,WAAY,EAQZC,YAAa,EAQbC,SAAU,EAWVC,WAAY,EAQZC,UAAW,EAQXC,UAAW,EAQXC,aAAc,QASZC,cAAgBZ,QAAQa,WAAa,iBAAkBlG,QAAUA,OAAOmG,UAAUC,gBAAkBpG,OAAOqG,eAAiBrG,OAAOhB,oBAAoBgB,OAAOqG,gBAC9JC,IAAMtG,OAAOmG,WAAanG,OAAOmG,UAAUI,iBAC7CD,KAAOA,IAAIE,UAAYF,IAAIG,SAK7B5B,WAA8B,YAAjByB,IAAIE,SACjBzB,QAAUM,QAAQiB,IAAIG,OAAOC,MAAKC,GAAiB,mBAAZA,EAAEC,SACzC5B,YAAcK,QAAQiB,IAAIG,OAAOC,MAAKC,GAAiB,aAAZA,EAAEC,SAC7C3B,WAAaF,SAAWC,YACxBE,iBAAmBC,gBAAkBmB,IAAIG,OAAOC,MAAKC,GAAiB,aAAZA,EAAEC,SAAyB,IAAIC,SAAW,KACpGlB,WAA8B,YAAjBW,IAAIE,WAMdxB,YAAa,OACV8B,WAAa9G,OAAOmG,WAAanG,OAAOmG,UAAUY,WAAa,GACrEpC,QAAU,QAAQxE,KAAK2G,YACvBlC,YAAc,iBACNoC,MAAQF,WAAWE,MAAM,qBAC3BA,OAASA,MAAM,GACVA,MAAM,GAER,KALK,GAOdnC,WAAa,WAAW1E,KAAK2G,YAC7BpC,gBAAkB,iBAGVsC,MAAQF,WAAWE,MAAM,8CAC1BA,aACI,WAEHC,MAAQD,MAAM,IAAME,WAAWF,MAAM,IACrCG,MAAQH,MAAM,IAAME,WAAWF,MAAM,WACvCC,OAASE,MACJD,WAAWF,MAAM,GAAK,IAAMA,MAAM,IAChCC,OAGJ,KAdS,GAgBlBnC,WAAa,WAAW3E,KAAK2G,YAC7B/B,QAAU,OAAO5E,KAAK2G,YACtB9B,YAAc,UAAU7E,KAAK2G,aAAe,SAAS3G,KAAK2G,YAC1D7B,WAAaF,SAAWC,YACxBE,iBAAmBC,eAAiB,iBAC5B6B,MAAQF,WAAWE,MAAM,gCAC3BA,OAASA,MAAM,GACVE,WAAWF,MAAM,IAEnB,KAL2B,GAOpCvB,WAAa,iBACLpC,OAAS,kBAAkB+D,KAAKN,gBAClCD,QAAUxD,QAAU6D,WAAW7D,OAAO,WACrCwD,SAAW,gBAAgB1G,KAAK2G,aAAe,UAAU3G,KAAK2G,cAEjED,QAAU,IAELA,QAPI,GASbf,SAAW,SAAS3F,KAAK2G,YACzBf,SAAW,SAAS5F,KAAK2G,YACzBd,YAAcF,UAAYC,SAC1BL,UAAY,UAAUvF,KAAK2G,cAAgB7B,YAAcJ,aAAeE,UAAYiB,YACpFL,WAAa,WAAWxF,KAAK2G,YAC7BlB,QAAU,QAAQzF,KAAK2G,aAAepB,WAAaO,gBAAkB,UAAU9F,KAAK2G,YACpFjB,UAAY,UAAU1F,KAAK2G,cAAgBlB,cAUvCyB,OAASxB,WAAaD,SAAWjB,QASjC2C,eAAiB5B,WAAa2B,UAAYpC,cAE5CsC,QAAuBnF,OAAOiC,OAAO,CACvCC,UAAW,KACPK,qBAAoBA,SACpBC,yBAAwBA,aACxBC,wBAAuBA,YACvBH,6BAA4BA,iBAC5BI,wBAAuBA,YACvBC,qBAAoBA,SACpBC,yBAAwBA,aACxBC,uBAAsBA,WACtBC,8BAA6BA,kBAC7BC,4BAA2BA,gBAC/BC,uBAAwBA,uBACpBK,wBAAuBA,YACvBC,uBAAsBA,WACtBC,wBAAuBA,YACvBC,qBAAoBA,SACpBC,uBAAsBA,WACtBC,sBAAqBA,UACrBC,sBAAqBA,UACrBC,yBAAwBA,aAC5BC,cAAeA,cACfoB,OAAQA,OACRC,cAAeA,yBAmBRE,iBAAiBC,WAMF,iBAARA,KAAoBpC,QAAQoC,IAAIC,iBA2BvCxB,gBAEAlH,WAAagB,OAAOhB,kBAYpB2I,KAAK3E,cACLP,WAAWO,QAA6B,IAAnBA,MAAM4E,kBAU3BC,uBAIE7H,OAAO8H,SAAW9H,OAAOpC,KAChC,MAAOmK,UACA,YAcFC,cAAcC,eACd,SAAUC,SAAUC,aACpBX,iBAAiBU,iBACblJ,SAASiJ,QAAQ,MAEtBT,iBAAiBW,WACnBA,QAAUnJ,SAASoJ,cAAcD,gBAE7BE,IAAMV,KAAKQ,SAAWA,QAAUnJ,gBAC/BqJ,IAAIJ,SAAWI,IAAIJ,QAAQC,oBAsB7BI,eAASC,+DAAU,MAAOC,kEAAa,GAAIC,kEAAa,GAAIC,qDAC7DC,GAAK3J,SAAS4J,cAAcL,gBAClCnG,OAAOyG,oBAAoBL,YAAY7F,SAAQ,SAAUmG,gBACjDC,IAAMP,WAAWM,UAIN,gBAAbA,SACFE,YAAYL,GAAII,KACPJ,GAAGG,YAAcC,KAAoB,aAAbD,WACjCH,GAAGG,UAAYC,QAGnB3G,OAAOyG,oBAAoBJ,YAAY9F,SAAQ,SAAUsG,UACvDN,GAAGO,aAAaD,SAAUR,WAAWQ,cAEnCP,SACFS,cAAcR,GAAID,SAEbC,YAeAK,YAAYL,GAAIS,kBACO,IAAnBT,GAAGK,YACZL,GAAGU,UAAYD,KAEfT,GAAGK,YAAcI,KAEZT,YAYAW,UAAUC,MAAOzB,QACpBA,OAAO0B,WACT1B,OAAO2B,aAAaF,MAAOzB,OAAO0B,YAElC1B,OAAO4B,YAAYH,gBAmBdI,SAASC,QAASC,8BApKApC,QAErBA,IAAInJ,QAAQ,MAAQ,QAChB,IAAIsD,MAAM,2CAkKlBkI,CAAkBD,cACXD,QAAQG,UAAUC,SAASH,uBAe3BI,SAASL,wCAAYM,sEAAAA,8CAC5BN,QAAQG,UAAUI,OAAOD,aAAarH,QAAO,CAACuH,KAAMC,UAAYD,KAAKjM,OAAOkM,QAAQC,MAAM,SAAS,KAC5FV,iBAeAW,YAAYX,aAEdA,eACHtJ,MAAMkB,KAAK,6DACJ,oCAJsBgJ,yEAAAA,iDAM/BZ,QAAQG,UAAUU,UAAUD,gBAAgB3H,QAAO,CAACuH,KAAMC,UAAYD,KAAKjM,OAAOkM,QAAQC,MAAM,SAAS,KAClGV,iBAoCAc,YAAYd,QAASe,cAAeC,iBAClB,mBAAdA,YACTA,UAAYA,UAAUhB,QAASe,gBAER,kBAAdC,YACTA,eAAY7J,GAEd4J,cAAcL,MAAM,OAAO3H,SAAQkI,WAAajB,QAAQG,UAAUe,OAAOD,UAAWD,aAC7EhB,iBAYAmB,cAAcpC,GAAIF,YACzBrG,OAAOyG,oBAAoBJ,YAAY9F,SAAQ,SAAUsG,gBACjD+B,UAAYvC,WAAWQ,UACzB+B,MAAAA,YAAwE,IAAdA,UAC5DrC,GAAGsC,gBAAgBhC,UAEnBN,GAAGO,aAAaD,UAAwB,IAAd+B,UAAqB,GAAKA,uBAkBjDE,cAAcC,WACfzH,IAAM,GAKN0H,cAAgB,CAAC,WAAY,WAAY,cAAe,OAAQ,QAAS,UAAW,mBACtFD,KAAOA,IAAI1C,YAAc0C,IAAI1C,WAAW1J,OAAS,EAAG,OAChDsM,MAAQF,IAAI1C,eACb,IAAI3J,EAAIuM,MAAMtM,OAAS,EAAGD,GAAK,EAAGA,IAAK,OACpCmK,SAAWoC,MAAMvM,GAAGK,SAEtBmM,QAAUD,MAAMvM,GAAGkE,MAInBoI,cAAcG,SAAStC,YAIzBqC,QAAsB,OAAZA,SAEZ5H,IAAIuF,UAAYqC,gBAGb5H,aAeA8H,aAAa7C,GAAI8C,kBACjB9C,GAAG6C,aAAaC,oBAehBvC,aAAaP,GAAI8C,UAAWzI,OACnC2F,GAAGO,aAAauC,UAAWzI,gBAYpBiI,gBAAgBtC,GAAI8C,WAC3B9C,GAAGsC,gBAAgBQ,oBAMZC,qBACP1M,SAAS2M,KAAKC,QACd5M,SAAS6M,cAAgB,kBAChB,YAOFC,uBACP9M,SAAS6M,cAAgB,kBAChB,YAuBFE,sBAAsBpD,OACzBA,IAAMA,GAAGoD,uBAAyBpD,GAAGqD,WAAY,OAC7CC,KAAOtD,GAAGoD,wBACV1I,OAAS,UACd,SAAU,SAAU,OAAQ,QAAS,MAAO,SAASV,SAAQuJ,SAC5CnL,IAAZkL,KAAKC,KACP7I,OAAO6I,GAAKD,KAAKC,OAGhB7I,OAAO8I,SACV9I,OAAO8I,OAASjF,WAAWkF,cAAczD,GAAI,YAE1CtF,OAAOgJ,QACVhJ,OAAOgJ,MAAQnF,WAAWkF,cAAczD,GAAI,WAEvCtF,iBA6BFiJ,aAAa3D,QACfA,IAAMA,KAAOA,GAAG4D,mBACZ,CACLC,KAAM,EACNC,IAAK,EACLJ,MAAO,EACPF,OAAQ,SAGNE,MAAQ1D,GAAG+D,YACXP,OAASxD,GAAGgE,iBACdH,KAAO,EACPC,IAAM,OACH9D,GAAG4D,cAAgB5D,KAAO3J,SAASP,cAAcmO,oBACtDJ,MAAQ7D,GAAGkE,WACXJ,KAAO9D,GAAGmE,UACVnE,GAAKA,GAAG4D,mBAEH,CACLC,KAAAA,KACAC,IAAAA,IACAJ,MAAAA,MACAF,OAAAA,iBA+BKY,mBAAmBpE,GAAIqE,aACxBC,WAAa,CACjBlF,EAAG,EACHmF,EAAG,MAED7F,OAAQ,KACN8F,KAAOxE,QACJwE,MAAwC,SAAhCA,KAAKC,SAASC,eAA0B,OAC/CC,UAAYlB,cAAce,KAAM,gBAClC,UAAUhN,KAAKmN,WAAY,OACvB7I,OAAS6I,UAAU/O,MAAM,GAAI,GAAG+L,MAAM,OAAOiD,IAAIC,QACvDP,WAAWlF,GAAKtD,OAAO,GACvBwI,WAAWC,GAAKzI,OAAO,QAClB,GAAI,YAAYtE,KAAKmN,WAAY,OAChC7I,OAAS6I,UAAU/O,MAAM,GAAI,GAAG+L,MAAM,OAAOiD,IAAIC,QACvDP,WAAWlF,GAAKtD,OAAO,IACvBwI,WAAWC,GAAKzI,OAAO,OAErB0I,KAAKM,cAAgBN,KAAKM,aAAaC,eAAiB1N,OAAO2N,gBAAiB,OAC5EC,eAAiB5N,OAAO6N,iBAAiBV,KAAKM,aAAaC,eAAeJ,UAC1EQ,OAAS,IAAI9N,OAAO2N,gBAAgBC,gBAC1CX,WAAWlF,GAAK+F,OAAOC,IACvBd,WAAWC,GAAKY,OAAOE,IAEzBb,KAAOA,KAAKnB,YAAcmB,KAAKc,YAG7BC,SAAW,GACXC,UAAY7B,aAAaU,MAAMoB,QAC/BC,IAAM/B,aAAa3D,IACnB2F,KAAOD,IAAIhC,MACXkC,KAAOF,IAAIlC,WACbqC,QAAUxB,MAAMwB,SAAWH,IAAI5B,IAAM0B,UAAU1B,KAC/CgC,QAAUzB,MAAMyB,SAAWJ,IAAI7B,KAAO2B,UAAU3B,aAChDQ,MAAM0B,iBACRD,QAAUzB,MAAM0B,eAAe,GAAGC,MAAQN,IAAI7B,KAC9CgC,QAAUxB,MAAM0B,eAAe,GAAGE,MAAQP,IAAI5B,IAC1CpF,SACFoH,SAAWxB,WAAWlF,EACtByG,SAAWvB,WAAWC,IAG1BgB,SAAShB,EAAI,EAAI2B,KAAKC,IAAI,EAAGD,KAAKE,IAAI,EAAGP,QAAUD,OACnDL,SAASnG,EAAI8G,KAAKC,IAAI,EAAGD,KAAKE,IAAI,EAAGN,QAAUH,OACxCJ,kBAYAc,aAAahM,cACbP,WAAWO,QAA6B,IAAnBA,MAAM4E,kBAY3BqH,QAAQtG,SACRA,GAAGa,YACRb,GAAGuG,YAAYvG,GAAGa,mBAEbb,YAmCAwG,iBAAiBzG,eAGD,mBAAZA,UACTA,QAAUA,YAKJtI,MAAMC,QAAQqI,SAAWA,QAAU,CAACA,UAAU6E,KAAIvK,QAGnC,mBAAVA,QACTA,MAAQA,SAEN2E,KAAK3E,QAAUgM,aAAahM,OACvBA,MAEY,iBAAVA,OAAsB,KAAK7C,KAAK6C,OAClChE,SAASoQ,eAAepM,iBAEhCnB,QAAOmB,OAASA,iBAeZmG,cAAcR,GAAID,gBACzByG,iBAAiBzG,SAAS/F,SAAQ0M,MAAQ1G,GAAGe,YAAY2F,QAClD1G,YAgBA2G,cAAc3G,GAAID,gBAClBS,cAAc8F,QAAQtG,IAAKD,kBAY3B6G,kBAAkBvC,mBAKJjM,IAAjBiM,MAAMwC,aAA0CzO,IAAlBiM,MAAMyC,UAenB,IAAjBzC,MAAMwC,aAAkCzO,IAAlBiM,MAAMyC,UASb,YAAfzC,MAAM/O,MAAuC,IAAjB+O,MAAMwC,QAAkC,IAAlBxC,MAAMyC,UAKzC,cAAfzC,MAAM/O,MAAyC,IAAjB+O,MAAMwC,QAAkC,IAAlBxC,MAAMyC,SAGzC,IAAjBzC,MAAMwC,QAAkC,IAAlBxC,MAAMyC,iBA2B5BC,EAAI1H,cAAc,iBAoBlB2H,GAAK3H,cAAc,6BAiBhBoE,cAAczD,GAAIiH,UACpBjH,KAAOiH,WACH,MAE8B,mBAA5B5P,OAAO6N,iBAAiC,KAC7CgC,uBAEFA,mBAAqB7P,OAAO6N,iBAAiBlF,IAC7C,MAAOmH,SACA,UAEFD,mBAAqBA,mBAAmBE,iBAAiBH,OAASC,mBAAmBD,MAAQ,SAE/F,YAUAI,wBAAwBC,SAC3BjR,SAASkR,aAAavN,SAAQwN,uBAExBC,SAAW,IAAID,WAAWC,UAAU7C,KAAI8C,MAAQA,KAAKC,UAASC,KAAK,IACnEC,MAAQxR,SAAS4J,cAAc,SACrC4H,MAAMxH,YAAcoH,SACpBH,IAAIjR,SAASyR,KAAK/G,YAAY8G,OAC9B,MAAOV,SACDY,KAAO1R,SAAS4J,cAAc,QACpC8H,KAAKC,IAAM,aACXD,KAAKzS,KAAOkS,WAAWlS,KAEvByS,KAAKE,MAAQT,WAAWS,MAAMC,UAC9BH,KAAKI,KAAOX,WAAWW,KACvBb,IAAIjR,SAASyR,KAAK/G,YAAYgH,cAKhCK,IAAmB3O,OAAOiC,OAAO,CACnCC,UAAW,KACX4B,OAAQA,OACRyB,KAAMA,KACNE,UAAWA,UACXS,SAAUA,SACVU,YAAaA,YACbM,UAAWA,UACXK,SAAUA,SACVM,SAAUA,SACVM,YAAaA,YACbG,YAAaA,YACbK,cAAeA,cACfG,cAAeA,cACfM,aAAcA,aACdtC,aAAcA,aACd+B,gBAAiBA,gBACjBS,mBAAoBA,mBACpBI,qBAAsBA,qBACtBC,sBAAuBA,sBACvBO,aAAcA,aACdS,mBAAoBA,mBACpBiE,WAAYhC,aACZC,QAASA,QACTE,iBAAkBA,iBAClBhG,cAAeA,cACfmG,cAAeA,cACfC,kBAAmBA,kBACnBG,EAAGA,EACHC,GAAIA,GACJvD,cAAeA,cACf4D,wBAAyBA,8BAUvBiB,UADAC,eAAgB,QAMdC,UAAY,eACoB,IAAhCF,UAAUhN,QAAQkN,uBAGhBC,KAAOhR,MAAMiC,UAAU9D,MAAM2E,KAAKlE,SAASqS,qBAAqB,UAChEC,OAASlR,MAAMiC,UAAU9D,MAAM2E,KAAKlE,SAASqS,qBAAqB,UAClEE,KAAOnR,MAAMiC,UAAU9D,MAAM2E,KAAKlE,SAASqS,qBAAqB,aAChEG,SAAWJ,KAAKjT,OAAOmT,OAAQC,SAGjCC,UAAYA,SAASzS,OAAS,MAC3B,IAAID,EAAI,EAAGgR,EAAI0B,SAASzS,OAAQD,EAAIgR,EAAGhR,IAAK,OACzC2S,QAAUD,SAAS1S,OAGrB2S,UAAWA,QAAQjG,aAchB,CACLkG,iBAAiB,iBAbM3Q,IAAnB0Q,QAAQE,OAAsB,CAKhB,OAJAF,QAAQjG,aAAa,eAMnCyF,UAAUQ,eAYRP,eACVQ,iBAAiB,aAcZA,iBAAiBE,KAAMC,KAEzB3L,WAGD2L,MACFZ,UAAYY,KAEd7R,OAAO8R,WAAWX,UAAWS,gBAQtBG,kBACPb,eAAgB,EAChBlR,OAAOgS,oBAAoB,OAAQD,iBAEjC7L,WAC0B,aAAxBlH,SAASiT,WACXF,kBAUA/R,OAAOkS,iBAAiB,OAAQH,wBAkB9BI,mBAAqB,SAAUtH,iBAC7B2F,MAAQxR,SAAS4J,cAAc,gBACrC4H,MAAM3F,UAAYA,UACX2F,OAYH4B,eAAiB,SAAUzJ,GAAID,SAC/BC,GAAGwH,WACLxH,GAAGwH,WAAWG,QAAU5H,QAExBC,GAAGK,YAAcN,aAmBjB2J,QAAU,IAAIC,YAkOdC,iBA9MAC,MAPiB,WAeZC,iBACAD,iBAsBAE,eAAeC,KAAM1U,UACvBoU,QAAQO,IAAID,mBAGXE,KAAOR,QAAQlO,IAAIwO,MAGU,IAA/BE,KAAKC,SAAS7U,MAAMc,gBACf8T,KAAKC,SAAS7U,MAKjB0U,KAAKX,oBACPW,KAAKX,oBAAoB/T,KAAM4U,KAAKE,YAAY,GACvCJ,KAAKK,aACdL,KAAKK,YAAY,KAAO/U,KAAM4U,KAAKE,aAKnC3Q,OAAOyG,oBAAoBgK,KAAKC,UAAU/T,QAAU,WAC/C8T,KAAKC,gBACLD,KAAKE,kBACLF,KAAKI,UAIkC,IAA5C7Q,OAAOyG,oBAAoBgK,MAAM9T,QACnCsT,QAAQa,OAAOP,eAmBVQ,sBAAsBjV,GAAIyU,KAAMS,MAAOC,UAC9CD,MAAMzQ,SAAQ,SAAU1E,MAEtBC,GAAGyU,KAAM1U,KAAMoV,sBAaVC,SAAStG,UACZA,MAAMuG,cACDvG,eAEAwG,oBACA,WAEAC,qBACA,MAQJzG,QAAUA,MAAM0G,uBAAyB1G,MAAM2G,8BAA+B,OAC3EC,IAAM5G,OAAShN,OAAOgN,MAC5BA,MAAQ,SAOF6G,gBAAkB,CAAC,SAAU,SAAU,cAAe,OAAQ,kBAAmB,kBAAmB,cAAe,sBACpH,MAAMjR,OAAOgR,IAKXC,gBAAgBtI,SAAS3I,MAGd,gBAARA,KAAyBgR,IAAIE,iBACjC9G,MAAMpK,KAAOgR,IAAIhR,SAMlBoK,MAAMoB,SACTpB,MAAMoB,OAASpB,MAAM+G,YAAc/U,UAIhCgO,MAAMgH,gBACThH,MAAMgH,cAAgBhH,MAAMiH,cAAgBjH,MAAMoB,OAASpB,MAAMkH,UAAYlH,MAAMiH,aAIrFjH,MAAM8G,eAAiB,WACjBF,IAAIE,gBACNF,IAAIE,iBAEN9G,MAAMmH,aAAc,EACpBP,IAAIO,aAAc,EAClBnH,MAAMoH,kBAAmB,GAE3BpH,MAAMoH,kBAAmB,EAGzBpH,MAAMqH,gBAAkB,WAClBT,IAAIS,iBACNT,IAAIS,kBAENrH,MAAMsH,cAAe,EACrBV,IAAIU,cAAe,EACnBtH,MAAM0G,qBAAuBF,YAE/BxG,MAAM0G,qBAAuBD,YAG7BzG,MAAMuH,yBAA2B,WAC3BX,IAAIW,0BACNX,IAAIW,2BAENvH,MAAM2G,8BAAgCH,WACtCxG,MAAMqH,mBAERrH,MAAM2G,8BAAgCF,YAGhB,OAAlBzG,MAAMwH,cAAsCzT,IAAlBiM,MAAMwH,QAAuB,OACnDC,IAAMzV,SAAS0V,gBACf/I,KAAO3M,SAAS2M,KACtBqB,MAAM2B,MAAQ3B,MAAMwH,SAAWC,KAAOA,IAAIE,YAAchJ,MAAQA,KAAKgJ,YAAc,IAAMF,KAAOA,IAAIG,YAAcjJ,MAAQA,KAAKiJ,YAAc,GAC7I5H,MAAM4B,MAAQ5B,MAAM6H,SAAWJ,KAAOA,IAAIK,WAAanJ,MAAQA,KAAKmJ,WAAa,IAAML,KAAOA,IAAIM,WAAapJ,MAAQA,KAAKoJ,WAAa,GAI3I/H,MAAMgI,MAAQhI,MAAMiI,UAAYjI,MAAMkI,QAIjB,OAAjBlI,MAAMwC,aAAoCzO,IAAjBiM,MAAMwC,SAIjCxC,MAAMwC,OAAwB,EAAfxC,MAAMwC,OAAa,EAAmB,EAAfxC,MAAMwC,OAAa,EAAmB,EAAfxC,MAAMwC,OAAa,EAAI,UAIxFxC,MAAMuG,QAAS,EAERvG,YA4BHmI,cAAgB,CAAC,aAAc,sBAiB5BC,GAAGzC,KAAM1U,KAAMC,OAClBkC,MAAMC,QAAQpC,aACTkV,sBAAsBiC,GAAIzC,KAAM1U,KAAMC,IAE1CmU,QAAQO,IAAID,OACfN,QAAQxO,IAAI8O,KAAM,UAEdE,KAAOR,QAAQlO,IAAIwO,SAGpBE,KAAKC,WACRD,KAAKC,SAAW,IAEbD,KAAKC,SAAS7U,QACjB4U,KAAKC,SAAS7U,MAAQ,IAEnBC,GAAGmX,OACNnX,GAAGmX,KAAO5C,WAEZI,KAAKC,SAAS7U,MAAM8B,KAAK7B,IACpB2U,KAAKE,aACRF,KAAKI,UAAW,EAChBJ,KAAKE,WAAa,SAAU/F,MAAOsI,SAC7BzC,KAAKI,gBAGTjG,MAAQsG,SAAStG,aACX8F,SAAWD,KAAKC,SAAS9F,MAAM/O,SACjC6U,SAAU,OAENyC,aAAezC,SAASvU,MAAM,OAC/B,IAAIiX,EAAI,EAAGC,EAAIF,aAAaxW,OAAQyW,EAAIC,IACvCzI,MAAM2G,gCADoC6B,QAK1CD,aAAaC,GAAGtS,KAAKyP,KAAM3F,MAAOsI,MAClC,MAAOxF,GACPxP,MAAMmB,MAAMqO,OAOW,IAA/B+C,KAAKC,SAAS7U,MAAMc,UAClB4T,KAAKT,iBAAkB,KACrBjO,SAAU,GArFI,cACU,kBAArBsO,iBAAgC,CACzCA,kBAAmB,YAEXmD,KAAOtT,OAAO0B,eAAe,GAAI,UAAW,CAChDK,MACEoO,kBAAmB,KAGvBvS,OAAOkS,iBAAiB,OAAQ,KAAMwD,MACtC1V,OAAOgS,oBAAoB,OAAQ,KAAM0D,MACzC,MAAO5F,YAIJyC,kBAuECoD,IAAqBR,cAAc7W,QAAQL,OAAS,IACtDgG,QAAU,CACR2R,SAAS,IAGbjD,KAAKT,iBAAiBjU,KAAM4U,KAAKE,WAAY9O,cACpC0O,KAAKkD,aACdlD,KAAKkD,YAAY,KAAO5X,KAAM4U,KAAKE,qBAkBhCzR,IAAIqR,KAAM1U,KAAMC,QAElBmU,QAAQO,IAAID,mBAGXE,KAAOR,QAAQlO,IAAIwO,UAGpBE,KAAKC,mBAGN1S,MAAMC,QAAQpC,aACTkV,sBAAsB7R,IAAKqR,KAAM1U,KAAMC,UAI1C4X,WAAa,SAAUnN,GAAIoN,GAC/BlD,KAAKC,SAASiD,GAAK,GACnBrD,eAAe/J,GAAIoN,YAIRhV,IAAT9C,KAAoB,KACjB,MAAM8X,KAAKlD,KAAKC,SACf1Q,OAAOC,UAAUV,eAAeuB,KAAK2P,KAAKC,UAAY,GAAIiD,IAC5DD,WAAWnD,KAAMoD,gBAKjBjD,SAAWD,KAAKC,SAAS7U,SAG1B6U,YAKA5U,OAMDA,GAAGmX,SACA,IAAII,EAAI,EAAGA,EAAI3C,SAAS/T,OAAQ0W,IAC/B3C,SAAS2C,GAAGJ,OAASnX,GAAGmX,MAC1BvC,SAAStU,OAAOiX,IAAK,GAI3B/C,eAAeC,KAAM1U,WAZnB6X,WAAWnD,KAAM1U,eA+BZ+X,QAAQrD,KAAM3F,MAAOsI,YAItBW,SAAW5D,QAAQO,IAAID,MAAQN,QAAQlO,IAAIwO,MAAQ,GACnD7K,OAAS6K,KAAK3G,YAAc2G,KAAKuD,iBAKlB,iBAAVlJ,MACTA,MAAQ,CACN/O,KAAM+O,MACNoB,OAAQuE,MAEA3F,MAAMoB,SAChBpB,MAAMoB,OAASuE,MAIjB3F,MAAQsG,SAAStG,OAGbiJ,SAASlD,YACXkD,SAASlD,WAAW7P,KAAKyP,KAAM3F,MAAOsI,MAKpCxN,SAAWkF,MAAM0G,yBAA4C,IAAlB1G,MAAMmJ,QACnDH,QAAQ9S,KAAK,KAAM4E,OAAQkF,MAAOsI,WAG7B,IAAKxN,SAAWkF,MAAMoH,kBAAoBpH,MAAMoB,QAAUpB,MAAMoB,OAAOpB,MAAM/O,MAAO,CACpFoU,QAAQO,IAAI5F,MAAMoB,SACrBiE,QAAQxO,IAAImJ,MAAMoB,OAAQ,UAEtBgI,WAAa/D,QAAQlO,IAAI6I,MAAMoB,QAGjCpB,MAAMoB,OAAOpB,MAAM/O,QAErBmY,WAAWnD,UAAW,EAEkB,mBAA7BjG,MAAMoB,OAAOpB,MAAM/O,OAC5B+O,MAAMoB,OAAOpB,MAAM/O,QAGrBmY,WAAWnD,UAAW,UAKlBjG,MAAMoH,0BAePiC,IAAI1D,KAAM1U,KAAMC,OACnBkC,MAAMC,QAAQpC,aACTkV,sBAAsBkD,IAAK1D,KAAM1U,KAAMC,UAE1CoY,KAAO,WACXhV,IAAIqR,KAAM1U,KAAMqY,MAChBpY,GAAGqY,MAAMzY,KAAM0Y,YAIjBF,KAAKjB,KAAOnX,GAAGmX,KAAOnX,GAAGmX,MAAQ5C,UACjC2C,GAAGzC,KAAM1U,KAAMqY,eAgBRG,IAAI9D,KAAM1U,KAAMC,UACjBoY,KAAO,WACXhV,IAAIqR,KAAM1U,KAAMqY,MAChBpY,GAAGqY,MAAMzY,KAAM0Y,YAIjBF,KAAKjB,KAAOnX,GAAGmX,KAAOnX,GAAGmX,MAAQ5C,UAGjC2C,GAAGzC,KAAM1U,KAAMqY,UAGbI,OAAsBtU,OAAOiC,OAAO,CACtCC,UAAW,KACXgP,SAAUA,SACV8B,GAAIA,GACJ9T,IAAKA,IACL0U,QAASA,QACTK,IAAKA,IACLI,IAAKA,YA6BDE,MAAQ,SAAUxO,QAASjK,GAAI0Y,KAE9B1Y,GAAGmX,OACNnX,GAAGmX,KAAO5C,iBAINoE,MAAQ3Y,GAAG4Y,KAAK3O,gBAQtB0O,MAAMxB,KAAOuB,IAAMA,IAAM,IAAM1Y,GAAGmX,KAAOnX,GAAGmX,KACrCwB,OAgBHE,SAAW,SAAU7Y,GAAI0T,UACzBoF,KAAOhX,OAAOiX,YAAYC,aACZ,iBACVA,IAAMlX,OAAOiX,YAAYC,MAC3BA,IAAMF,MAAQpF,OAChB1T,iBACA8Y,KAAOE,OAgCPC,WAAa,SAAUb,KAAM1E,KAAMwF,eACnCC,QAD8ClP,+DAAUnI,aAEtDsX,OAAS,KACbnP,QAAQoP,aAAaF,SACrBA,QAAU,MAING,UAAY,iBACV5Z,KAAOE,KACPyB,KAAOiX,cACTiB,MAAQ,WACVJ,QAAU,KACVI,MAAQ,KACHL,WACHd,KAAKC,MAAM3Y,KAAM2B,QAGhB8X,SAAWD,WACdd,KAAKC,MAAM3Y,KAAM2B,MAEnB4I,QAAQoP,aAAaF,SACrBA,QAAUlP,QAAQ2J,WAAW2F,MAAO7F,cAItC4F,UAAUF,OAASA,OACZE,eAGLE,GAAkBtV,OAAOiC,OAAO,CAClCC,UAAW,KACXqT,wBA5H8B,GA6H9BhB,MAAOA,MACPI,SAAUA,SACVa,SAAUT,iBAMRU,gBAUEC,cAWJ1C,GAAGnX,KAAMC,UAGD6Z,IAAMja,KAAKoU,sBACZA,iBAAmB,OACxBkD,GAAGtX,KAAMG,KAAMC,SACVgU,iBAAmB6F,IAa1BzW,IAAIrD,KAAMC,IACRoD,IAAIxD,KAAMG,KAAMC,IAalBmY,IAAIpY,KAAMC,UAGF6Z,IAAMja,KAAKoU,sBACZA,iBAAmB,OACxBmE,IAAIvY,KAAMG,KAAMC,SACXgU,iBAAmB6F,IAc1BtB,IAAIxY,KAAMC,UAGF6Z,IAAMja,KAAKoU,sBACZA,iBAAmB,OACxBuE,IAAI3Y,KAAMG,KAAMC,SACXgU,iBAAmB6F,IAkB1B/B,QAAQhJ,aACA/O,KAAO+O,MAAM/O,MAAQ+O,MAON,iBAAVA,QACTA,MAAQ,CACN/O,KAAAA,OAGJ+O,MAAQsG,SAAStG,OACblP,KAAKka,eAAe/Z,OAASH,KAAK,KAAOG,YACtC,KAAOA,MAAM+O,OAEpBgJ,QAAQlY,KAAMkP,OAEhBiL,aAAajL,OAEN6K,YACHA,UAAY,IAAIK,WAEZja,KAAO+O,MAAM/O,MAAQ+O,UACvBO,IAAMsK,UAAU1T,IAAIrG,MACnByP,MACHA,IAAM,IAAI2K,IACVL,UAAUhU,IAAI/F,KAAMyP,YAEhB4K,WAAa5K,IAAIpJ,IAAIlG,MAC3BsP,IAAI2F,OAAOjV,MACX+B,OAAOuX,aAAaY,kBACdd,QAAUrX,OAAO8R,YAAW,KAChCvE,IAAI2F,OAAOjV,MAEM,IAAbsP,IAAI6K,OACN7K,IAAM,KACNsK,UAAU3E,OAAOpV,YAEdkY,QAAQhJ,SACZ,GACHO,IAAI1J,IAAI5F,KAAMoZ,UAiClBS,cAAczV,UAAU2V,eAAiB,GASzCF,cAAczV,UAAU6P,iBAAmB4F,cAAczV,UAAU+S,GASnE0C,cAAczV,UAAU2P,oBAAsB8F,cAAczV,UAAUf,IAStEwW,cAAczV,UAAUgW,cAAgBP,cAAczV,UAAU2T,cAM1DsC,QAAU5U,KACU,mBAAbA,IAAIvE,KACNuE,IAAIvE,OAEW,iBAAbuE,IAAIvE,KACNuE,IAAIvE,KAETuE,IAAI6U,MACC7U,IAAI6U,MAET7U,IAAIP,aAAeO,IAAIP,YAAYhE,KAC9BuE,IAAIP,YAAYhE,YAEXuE,IAYV8U,UAAYhW,QAAUA,kBAAkBsV,iBAAmBtV,OAAOiW,aAAe,CAAC,KAAM,MAAO,MAAO,WAAWC,OAAMxM,GAA0B,mBAAd1J,OAAO0J,KA+B1IyM,iBAAmB1a,MAGT,iBAATA,MAAqB,KAAKkC,KAAKlC,OAASmC,MAAMC,QAAQpC,SAAWA,KAAKc,OAkBvE6Z,eAAiB,CAACxK,OAAQ1K,IAAKmV,cAC9BzK,SAAWA,OAAOhB,WAAaoL,UAAUpK,cACtC,IAAIxM,mCAA4B0W,QAAQ5U,iBAAQmV,oDAoBpDC,kBAAoB,CAAC7a,KAAMyF,IAAKmV,cAC/BF,iBAAiB1a,YACd,IAAI2D,uCAAgC0W,QAAQ5U,iBAAQmV,mDAoBxDE,iBAAmB,CAACC,SAAUtV,IAAKmV,aACf,mBAAbG,eACH,IAAIpX,qCAA8B0W,QAAQ5U,iBAAQmV,kCAsBtDI,oBAAsB,CAACrb,KAAM2B,KAAMsZ,gBAGjCK,gBAAkB3Z,KAAKR,OAAS,GAAKQ,KAAK,KAAO3B,MAAQ2B,KAAK,KAAO3B,KAAK6a,gBAC5ErK,OACAnQ,KACA+a,gBACAE,iBACF9K,OAASxQ,KAAK6a,YAIVlZ,KAAKR,QAAU,GACjBQ,KAAK4Z,SAENlb,KAAM+a,UAAYzZ,OAKnB6O,OAAS7O,KAAK,GACdtB,KAAOsB,KAAK,GACZyZ,SAAWzZ,KAAK,IAElBqZ,eAAexK,OAAQxQ,KAAMib,QAC7BC,kBAAkB7a,KAAML,KAAMib,QAC9BE,iBAAiBC,SAAUpb,KAAMib,QACjCG,SAAWrC,MAAM/Y,KAAMob,UAChB,CACLE,gBAAAA,gBACA9K,OAAAA,OACAnQ,KAAAA,KACA+a,SAAAA,WAqBEI,OAAS,CAAChL,OAAQnG,OAAQhK,KAAM+a,YACpCJ,eAAexK,OAAQA,OAAQnG,QAC3BmG,OAAOhB,SACTsJ,OAAOzO,QAAQmG,OAAQnQ,KAAM+a,UAE7B5K,OAAOnG,QAAQhK,KAAM+a,WAUnBK,aAAe,CAwBnBjE,oCAAM7V,kDAAAA,mCACE2Z,gBACJA,gBADI9K,OAEJA,OAFInQ,KAGJA,KAHI+a,SAIJA,UACEC,oBAAoBnb,KAAMyB,KAAM,SACpC6Z,OAAOhL,OAAQ,KAAMnQ,KAAM+a,WAGtBE,gBAAiB,OAEdI,wBAA0B,IAAMxb,KAAKwD,IAAI8M,OAAQnQ,KAAM+a,UAI7DM,wBAAwBjE,KAAO2D,SAAS3D,WAKlCkE,6BAA+B,IAAMzb,KAAKwD,IAAI,UAAWgY,yBAI/DC,6BAA6BlE,KAAO2D,SAAS3D,KAC7C+D,OAAOtb,KAAM,KAAM,UAAWwb,yBAC9BF,OAAOhL,OAAQ,KAAM,UAAWmL,gCA0BpClD,iDAAO9W,uDAAAA,qCACC2Z,gBACJA,gBADI9K,OAEJA,OAFInQ,KAGJA,KAHI+a,SAIJA,UACEC,oBAAoBnb,KAAMyB,KAAM,UAGhC2Z,gBACFE,OAAOhL,OAAQ,MAAOnQ,KAAM+a,cAGvB,OAKCQ,QAAU,WACdC,MAAKnY,IAAI8M,OAAQnQ,KAAMub,yCADLE,wDAAAA,gCAElBV,SAASzC,MAAM,KAAMmD,QAKvBF,QAAQnE,KAAO2D,SAAS3D,KACxB+D,OAAOhL,OAAQ,MAAOnQ,KAAMub,WA2BhC/C,kDAAOlX,uDAAAA,qCACC2Z,gBACJA,gBADI9K,OAEJA,OAFInQ,KAGJA,KAHI+a,SAIJA,UACEC,oBAAoBnb,KAAMyB,KAAM,UAGhC2Z,gBACFE,OAAOhL,OAAQ,MAAOnQ,KAAM+a,cAGvB,OACCQ,QAAU,WACdG,OAAKrY,IAAI8M,OAAQnQ,KAAMub,yCADLE,wDAAAA,gCAElBV,SAASzC,MAAM,KAAMmD,QAKvBF,QAAQnE,KAAO2D,SAAS3D,KACxB+D,OAAOhL,OAAQ,MAAOnQ,KAAMub,WAsBhClY,IAAIsY,aAAcC,eAAgBb,cAE3BY,cAAgBjB,iBAAiBiB,cACpCtY,IAAIxD,KAAK2a,YAAamB,aAAcC,oBAG/B,OACCzL,OAASwL,aACT3b,KAAO4b,eAGbjB,eAAexK,OAAQtQ,KAAM,OAC7Bgb,kBAAkB7a,KAAMH,KAAM,OAC9Bib,iBAAiBC,SAAUlb,KAAM,OAGjCkb,SAAWrC,MAAM7Y,KAAMkb,eAIlB1X,IAAI,UAAW0X,UAChB5K,OAAOhB,UACT9L,IAAI8M,OAAQnQ,KAAM+a,UAClB1X,IAAI8M,OAAQ,UAAW4K,WACdR,UAAUpK,UACnBA,OAAO9M,IAAIrD,KAAM+a,UACjB5K,OAAO9M,IAAI,UAAW0X,aAgB5BhD,QAAQhJ,MAAOsI,MACbsD,eAAe9a,KAAK2a,YAAa3a,KAAM,iBACjCG,KAAO+O,OAA0B,iBAAVA,MAAqBA,MAAM/O,KAAO+O,UAC1D2L,iBAAiB1a,YACd,IAAI2D,MAAM,iCAA0B0W,QAAQxa,oBAAoB,2FAEjEkY,QAAQlY,KAAK2a,YAAazL,MAAOsI,iBAqBnCwE,QAAQ1L,YAAQnK,+DAAU,SAC3B8V,YACJA,aACE9V,WAGA8V,YAAa,KACV3L,OAAO2L,aAAa3M,eACjB,IAAIxL,iCAA0BmY,gDAEtC3L,OAAOqK,YAAcrK,OAAO2L,kBAE5B3L,OAAOqK,YAAcnQ,SAAS,OAAQ,CACpCuC,UAAW,yBAGfzI,OAAO4X,OAAO5L,OAAQiL,cAClBjL,OAAO6L,kBACT7L,OAAO6L,iBAAiBtX,SAAQ0Q,WAC9BA,cAKJjF,OAAOgH,GAAG,WAAW,KACnBhH,OAAO9M,OACN8M,OAAQA,OAAO8L,IAAK9L,OAAOqK,aAAa9V,SAAQ,SAAUoG,KACrDA,KAAOsJ,QAAQO,IAAI7J,MACrBsJ,QAAQa,OAAOnK,QAGnB/I,OAAO8R,YAAW,KAChB1D,OAAOqK,YAAc,OACpB,MAEErK,aAcH+L,cAAgB,CAOpBC,MAAO,GAcPC,SAASC,kBAKHC,cAHwB,mBAAjBD,eACTA,aAAeA,gBAGjB5X,KAAK4X,cAAc,CAACtX,MAAOJ,OAGrB9E,KAAKsc,MAAMxX,OAASI,QACtBuX,QAAUA,SAAW,GACrBA,QAAQ3X,KAAO,CACb4X,KAAM1c,KAAKsc,MAAMxX,KACjB6X,GAAIzX,aAGHoX,MAAMxX,KAAOI,SAMhBuX,SAAW/B,UAAU1a,YAYlBkY,QAAQ,CACXuE,QAAAA,QACAtc,KAAM,iBAGHsc,mBAsBFG,SAAStM,OAAQuM,qBACxBvY,OAAO4X,OAAO5L,OAAQ+L,eAItB/L,OAAOgM,MAAQhY,OAAO4X,OAAO,GAAI5L,OAAOgM,MAAOO,cAGN,mBAA9BvM,OAAOwM,oBAAqCpC,UAAUpK,SAC/DA,OAAOgH,GAAG,eAAgBhH,OAAOwM,oBAE5BxM,aAiBHf,YAAc,SAAUwN,cACN,iBAAXA,OACFA,OAEFA,OAAOC,QAAQ,KAAKC,GAAKA,EAAE1N,iBAY9B2N,cAAgB,SAAUH,cACR,iBAAXA,OACFA,OAEFA,OAAOC,QAAQ,KAAKC,GAAKA,EAAEjb,iBAe9Bmb,gBAAkB,SAAUC,KAAMC,aAC/BH,cAAcE,QAAUF,cAAcG,WAG3CC,IAAmBhZ,OAAOiC,OAAO,CACnCC,UAAW,KACX+I,YAAaA,YACbgO,YAAaL,cACbC,gBAAiBA,wBA2BbK,YAqBJnY,YAAYwO,OAAQ1N,QAASsX,WAEtB5J,QAAU7T,KAAK0d,UACbC,QAAU9J,OAAS7T,UAEnB2d,QAAU9J,YAEZ+J,aAAc,OAGdC,iBAAmB,UAGnBC,SAAWxY,QAAQ,GAAItF,KAAK8d,UAGjC3X,QAAUnG,KAAK8d,SAAWxY,QAAQtF,KAAK8d,SAAU3X,cAG5C4X,IAAM5X,QAAQ6X,IAAM7X,QAAQ0E,IAAM1E,QAAQ0E,GAAGmT,IAG7Che,KAAK+d,IAAK,OAEPC,GAAKnK,QAAUA,OAAOmK,IAAMnK,OAAOmK,MAAQ,iBAC5CD,cAASC,yBAAgBrJ,gBAE3B8F,MAAQtU,QAAQ9E,MAAQ,KAGzB8E,QAAQ0E,QACLuR,IAAMjW,QAAQ0E,IACW,IAArB1E,QAAQqE,gBACZ4R,IAAMpc,KAAKwK,YAEdrE,QAAQ4G,WAAa/M,KAAKoc,KAC5BjW,QAAQ4G,UAAUP,MAAM,KAAK3H,SAAQoZ,GAAKje,KAAKmM,SAAS8R,MAKzD,KAAM,MAAO,MAAO,MAAO,WAAWpZ,SAAQzE,UACxCA,SAAM6C,MAIW,IAApBkD,QAAQ6V,UAEVA,QAAQhc,KAAM,CACZic,YAAajc,KAAKoc,IAAM,MAAQ,YAE7B8B,qBAAuBle,KAAKke,qBAAqBlF,KAAKhZ,WACtDsX,GAAGtX,KAAK2d,QAAS,iBAAkB3d,KAAKke,uBAE/CtB,SAAS5c,KAAMA,KAAKqF,YAAYwX,mBAC3BsB,UAAY,QACZC,YAAc,QACdC,gBAAkB,QAClBC,eAAiB,IAAIC,SACrBC,gBAAkB,IAAID,SACtBE,QAAU,IAAIF,SACdG,WAAa,IAAItE,SACjBuE,0BAA2B,GAGH,IAAzBxY,QAAQyY,mBACLA,oBAKFnB,MAAMA,QACyB,IAAhCtX,QAAQ0Y,0BACLC,sBAmFTC,cAAQ5Y,+DAAU,OAEZnG,KAAK4d,gBAGL5d,KAAKgf,mBACFA,YAAY/d,OAAS,QAavBiX,QAAQ,CACX/X,KAAM,UACNkY,SAAS,SAENuF,aAAc,EAGf5d,KAAKme,cACF,IAAInd,EAAIhB,KAAKme,UAAUld,OAAS,EAAGD,GAAK,EAAGA,IAC1ChB,KAAKme,UAAUnd,GAAG+d,cACfZ,UAAUnd,GAAG+d,eAMnBZ,UAAY,UACZC,YAAc,UACdC,gBAAkB,UAClBR,iBAAmB,KACpB7d,KAAKoc,MAEHpc,KAAKoc,IAAIlO,aACP/H,QAAQ8Y,eACL7C,IAAIlO,WAAWgR,aAAa/Y,QAAQ8Y,UAAWjf,KAAKoc,UAEpDA,IAAIlO,WAAWkD,YAAYpR,KAAKoc,WAGpCA,IAAM,WAIRuB,QAAU,MASjBwB,oBACS5X,QAAQvH,KAAK4d,aAStB/J,gBACS7T,KAAK2d,QAcdxX,QAAQP,YACDA,UAGAkY,SAAWxY,QAAQtF,KAAK8d,SAAUlY,KAChC5F,KAAK8d,UAHH9d,KAAK8d,SAYhBjT,YACS7K,KAAKoc,IAkBd5R,SAASC,QAASC,WAAYC,mBACrBH,SAASC,QAASC,WAAYC,YAyCvCyU,SAASrC,OAAQsC,YAAQC,oEAAevC,aAChCwC,KAAOvf,KAAK2d,QAAQ6B,UAAYxf,KAAK2d,QAAQ6B,WAC7CC,UAAYzf,KAAK2d,QAAQ8B,WAAazf,KAAK2d,QAAQ8B,YACnDD,SAAWC,WAAaA,UAAUF,MAClCG,YAAcH,MAAQA,KAAK/S,MAAM,KAAK,GACtCmT,YAAcF,WAAaA,UAAUC,iBACvCE,gBAAkBN,oBAClBE,UAAYA,SAASzC,QACvB6C,gBAAkBJ,SAASzC,QAClB4C,aAAeA,YAAY5C,UACpC6C,gBAAkBD,YAAY5C,SAE5BsC,SACFO,gBAAkBA,gBAAgB5C,QAAQ,cAAc,SAAU9T,MAAO3I,aACjE2E,MAAQma,OAAO9e,MAAQ,OACzBsf,IAAM3a,kBACW,IAAVA,QACT2a,IAAM3W,OAED2W,QAGJD,gBAQT1B,wBASA4B,mBACS9f,KAAK+f,YAAc/f,KAAKoc,IASjC4B,YACShe,KAAK+d,IAUd1c,cACSrB,KAAKya,MASduF,kBACShgB,KAAKme,UAYd8B,aAAajC,WACJhe,KAAKoe,YAAYJ,IAY1BkC,SAAS7e,SACFA,YAGErB,KAAKqe,gBAAgBhd,MAiB9B8e,gDAAiBC,wDAAAA,gCAEfA,MAAQA,MAAMrb,QAAO,CAACsb,IAAK1I,IAAM0I,IAAIhgB,OAAOsX,IAAI,QAC5C2I,aAAetgB,SACd,IAAIgB,EAAI,EAAGA,EAAIof,MAAMnf,OAAQD,OAChCsf,aAAeA,aAAaJ,SAASE,MAAMpf,KACtCsf,eAAiBA,aAAaJ,uBAI9BI,aAeTC,QAAQC,cAAU3V,0DAAK7K,KAAK6K,SAMrB7K,KAAK2d,QAAQG,SAAS2C,kCAGrBC,SAAW,6BAIXC,cAAgBnW,SAAS,OAAQ,CACrCuC,UAAW,qCACV,eACc,SAEX6T,MAAQ1f,SAAS2f,gBAAgBH,SAAU,OACjDE,MAAME,eAAe,KAAM,UAAW,qBAChCC,MAAQ7f,SAAS2f,gBAAgBH,SAAU,cACjDE,MAAMhV,YAAYmV,OAClBA,MAAMD,eAAe,KAAM,2BAAqBN,WAChDG,cAAc/U,YAAYgV,OAGtB5gB,KAAKghB,WACPnW,GAAGqU,aAAayB,cAAe9V,GAAGP,cAAc,0BAEhDO,GAAGe,YAAY+U,oBAEZK,YAAa,EACXL,cAqBTM,SAASxV,WACHyV,UACAC,cAFUhb,+DAAU,GAAI5F,6DAAQP,KAAKme,UAAUld,UAK9B,iBAAVwK,MAAoB,CAC7B0V,cAAgBjE,cAAczR,aACxB2V,mBAAqBjb,QAAQkb,gBAAkBF,cAGrDhb,QAAQ9E,KAAO8f,oBAITG,eAAiB9D,YAAY+D,aAAaH,wBAC3CE,qBACG,IAAIxd,0BAAmBsd,0CAOD,mBAAnBE,sBACF,KAETJ,UAAY,IAAII,eAAethB,KAAK2d,SAAW3d,KAAMmG,cAIrD+a,UAAYzV,SAEVyV,UAAUrD,kBACZqD,UAAUrD,iBAAiBzM,YAAY8P,gBAEpC/C,UAAUzd,OAAOH,MAAO,EAAG2gB,WAChCA,UAAUrD,iBAAmB7d,KACD,mBAAjBkhB,UAAUlD,UACdI,YAAY8C,UAAUlD,MAAQkD,WAKrCC,cAAgBA,eAAiBD,UAAU7f,MAAQ6b,cAAcgE,UAAU7f,QACvE8f,qBACG9C,gBAAgB8C,eAAiBD,eACjC7C,gBAAgB9O,YAAY4R,gBAAkBD,WAKzB,mBAAjBA,UAAUrW,IAAqBqW,UAAUrW,KAAM,KAEpD2W,QAAU,KACVxhB,KAAKme,UAAU5d,MAAQ,KAErBP,KAAKme,UAAU5d,MAAQ,GAAG6b,IAC5BoF,QAAUxhB,KAAKme,UAAU5d,MAAQ,GAAG6b,IAC3BvS,KAAK7J,KAAKme,UAAU5d,MAAQ,MACrCihB,QAAUxhB,KAAKme,UAAU5d,MAAQ,UAGhCuf,YAAYnU,aAAauV,UAAUrW,KAAM2W,gBAIzCN,UAUT9P,YAAY8P,cACe,iBAAdA,YACTA,UAAYlhB,KAAKkgB,SAASgB,aAEvBA,YAAclhB,KAAKme,qBAGpBsD,YAAa,MACZ,IAAIzgB,EAAIhB,KAAKme,UAAUld,OAAS,EAAGD,GAAK,EAAGA,OAC1ChB,KAAKme,UAAUnd,KAAOkgB,UAAW,CACnCO,YAAa,OACRtD,UAAUzd,OAAOM,EAAG,aAIxBygB,kBAGLP,UAAUrD,iBAAmB,UACxBO,YAAY8C,UAAUlD,MAAQ,UAC9BK,gBAAgBnB,cAAcgE,UAAU7f,SAAW,UACnDgd,gBAAgB9O,YAAY2R,UAAU7f,SAAW,WAChDqgB,OAASR,UAAUrW,KACrB6W,QAAUA,OAAOxT,aAAelO,KAAK8f,kBAClCA,YAAY1O,YAAY8P,UAAUrW,MAO3C+T,qBACQoB,SAAWhgB,KAAK8d,SAASkC,YAC3BA,SAAU,OAEN2B,cAAgB3hB,KAAK8d,SACrB8D,UAAYnW,cACVpK,KAAOoK,MAAMpK,SACfuW,KAAOnM,MAAMmM,aAKW3U,IAAxB0e,cAActgB,QAChBuW,KAAO+J,cAActgB,QAKV,IAATuW,aAMS,IAATA,OACFA,KAAO,IAMTA,KAAKiK,cAAgB7hB,KAAK8d,SAAS+D,oBAM7BC,SAAW9hB,KAAKihB,SAAS5f,KAAMuW,MACjCkK,gBACGzgB,MAAQygB,eAKbC,sBACEC,KAAOxE,YAAY+D,aAAa,QAEpCQ,gBADEzf,MAAMC,QAAQyd,UACEA,SAEA1b,OAAOG,KAAKub,UAEhC+B,gBAGC1hB,OAAOiE,OAAOG,KAAKzE,KAAK8d,UAAU/Z,QAAO,SAAU0H,cAC1CsW,gBAAgBE,MAAK,SAAUC,cACf,iBAAXA,OACFzW,QAAUyW,OAEZzW,QAAUyW,OAAO7gB,YAExBoO,KAAIhE,YACFpK,KACAuW,WACiB,iBAAVnM,OACTpK,KAAOoK,MACPmM,KAAOoI,SAAS3e,OAASrB,KAAK8d,SAASzc,OAAS,KAEhDA,KAAOoK,MAAMpK,KACbuW,KAAOnM,OAEF,CACLpK,KAAAA,KACAuW,KAAAA,SAED7T,QAAO0H,cAIFwS,EAAIT,YAAY+D,aAAa9V,MAAMmM,KAAKyJ,gBAAkBnE,cAAczR,MAAMpK,cAC7E4c,IAAM+D,KAAKG,OAAOlE,MACxBpZ,QAAQ+c,YAYfQ,sBAGS,GAWT3E,MAAMrd,QAAIiiB,gEACHjiB,UAGAJ,KAAKsiB,cAKND,KACFjiB,GAAGgF,KAAKpF,WAGHgU,WAAW5T,GAAI,UARf4e,YAAchf,KAAKgf,aAAe,aAClCA,YAAY/c,KAAK7B,KAgB1BmiB,oBACOD,UAAW,OAGXtO,YAAW,iBACRwO,WAAaxiB,KAAKgf,iBAGnBA,YAAc,GACfwD,YAAcA,WAAWvhB,OAAS,GACpCuhB,WAAW3d,SAAQ,SAAUzE,IAC3BA,GAAGgF,KAAKpF,QACPA,WAUAkY,QAAQ,WACZ,GAqBLtG,EAAExH,SAAUC,gBACHuH,EAAExH,SAAUC,SAAWrK,KAAK8f,aAqBrCjO,GAAGzH,SAAUC,gBACJwH,GAAGzH,SAAUC,SAAWrK,KAAK8f,aAatCjU,SAASE,qBACAF,SAAS7L,KAAKoc,IAAKrQ,cAS5BI,2CAAYC,+DAAAA,uCACVD,SAASnM,KAAKoc,OAAQhQ,cASxBK,8CAAeC,kEAAAA,0CACbD,YAAYzM,KAAKoc,OAAQ1P,iBAc3BE,YAAYC,cAAeC,WACzBF,YAAY5M,KAAKoc,IAAKvP,cAAeC,WAOvC2V,YACOhW,YAAY,cAOnBiW,YACOvW,SAAS,cAShBwW,mBACOxW,SAAS,oBAShByW,qBACOnW,YAAY,oBAkBnBiB,aAAaC,kBACJD,aAAa1N,KAAKoc,IAAKzO,WAchCvC,aAAauC,UAAWzI,OACtBkG,aAAapL,KAAKoc,IAAKzO,UAAWzI,OAWpCiI,gBAAgBQ,WACdR,gBAAgBnN,KAAKoc,IAAKzO,WAgB5BY,MAAMsU,IAAKC,sBACF9iB,KAAK+iB,UAAU,QAASF,IAAKC,eAgBtCzU,OAAOwU,IAAKC,sBACH9iB,KAAK+iB,UAAU,SAAUF,IAAKC,eAYvCE,WAAWzU,MAAOF,aAEXE,MAAMA,OAAO,QACbF,OAAOA,QA+Bd0U,UAAUE,cAAeJ,IAAKC,uBAChB7f,IAAR4f,WAEU,OAARA,KAAgBA,KAAQA,MAC1BA,IAAM,IAIyB,KAA5B,GAAKA,KAAKriB,QAAQ,OAA6C,KAA7B,GAAKqiB,KAAKriB,QAAQ,WAClD4b,IAAI1J,MAAMuQ,eAAiBJ,SAE3BzG,IAAI1J,MAAMuQ,eADE,SAARJ,IACuB,GAEAA,IAAM,UAInCC,oBAOE5K,QAAQ,wBAOZlY,KAAKoc,WACD,QAIHnR,IAAMjL,KAAKoc,IAAI1J,MAAMuQ,eACrBC,QAAUjY,IAAIzK,QAAQ,aACX,IAAb0iB,QAEKC,SAASlY,IAAIxK,MAAM,EAAGyiB,SAAU,IAMlCC,SAASnjB,KAAKoc,IAAI,SAAWc,cAAc+F,gBAAiB,IAerEG,iBAAiBH,mBACXI,sBAAwB,KACN,UAAlBJ,eAA+C,WAAlBA,oBACzB,IAAInf,MAAM,0DAElBuf,sBAAwB/U,cAActO,KAAKoc,IAAK6G,eAGhDI,sBAAwBja,WAAWia,uBAKL,IAA1BA,uBAA+BC,MAAMD,uBAAwB,OACzD9Q,qBAAgB2K,cAAc+F,gBACpCI,sBAAwBrjB,KAAKoc,IAAI7J,aAE5B8Q,sBAyBTE,0BACS,CACLhV,MAAOvO,KAAKojB,iBAAiB,SAC7B/U,OAAQrO,KAAKojB,iBAAiB,WAYlCI,sBACSxjB,KAAKojB,iBAAiB,SAW/BK,uBACSzjB,KAAKojB,iBAAiB,UAa/BM,qBACQvV,KAAOnO,KAAKoc,IAAInO,8BAyBf,CACL0V,mBAvByB,CACzB1Z,EAAGkE,KAAKlE,EACRmF,EAAGjB,KAAKiB,EACRb,MAAOJ,KAAKI,MACZF,OAAQF,KAAKE,OACbM,IAAKR,KAAKQ,IACViV,MAAOzV,KAAKyV,MACZC,OAAQ1V,KAAK0V,OACbnV,KAAMP,KAAKO,MAgBXoV,OAZa,CACb7Z,EAAGkE,KAAKO,KAAOP,KAAKI,MAAQ,EAC5Ba,EAAGjB,KAAKQ,IAAMR,KAAKE,OAAS,EAC5BE,MAAO,EACPF,OAAQ,EACRM,IAAKR,KAAKQ,IAAMR,KAAKE,OAAS,EAC9BuV,MAAOzV,KAAKO,KAAOP,KAAKI,MAAQ,EAChCsV,OAAQ1V,KAAKQ,IAAMR,KAAKE,OAAS,EACjCK,KAAMP,KAAKO,KAAOP,KAAKI,MAAQ,IAWnCT,aACOsO,IAAItO,QAMXiW,YACO3H,IAAI2H,OAUXC,cAAc9U,OACRlP,KAAK2d,UAGW,QAAdzO,MAAMpK,KAAmB9E,KAAK2d,QAAQG,SAAS+D,cAAcoC,mBAAqBjkB,KAAK2d,QAAQG,SAAS+D,cAAcoC,kBAAkBC,SAC1IhV,MAAMqH,uBAEHoH,QAAQqG,cAAc9U,QAa/BiV,eAAejV,YACR8U,cAAc9U,OAgBrBkV,oBAEMC,WAAa,EACbC,WAAa,SASbC,gBACCjN,GAAG,cAAc,SAAUpI,OAED,IAAzBA,MAAMsV,QAAQvjB,SAEhBqjB,WAAa,CACXzT,MAAO3B,MAAMsV,QAAQ,GAAG3T,MACxBC,MAAO5B,MAAMsV,QAAQ,GAAG1T,OAG1BuT,WAAaniB,OAAOiX,YAAYC,MAEhCmL,YAAa,WAGZjN,GAAG,aAAa,SAAUpI,UAEzBA,MAAMsV,QAAQvjB,OAAS,EACzBsjB,YAAa,OACR,GAAID,WAAY,OAGfG,MAAQvV,MAAMsV,QAAQ,GAAG3T,MAAQyT,WAAWzT,MAC5C6T,MAAQxV,MAAMsV,QAAQ,GAAG1T,MAAQwT,WAAWxT,MAC5BC,KAAK4T,KAAKF,MAAQA,MAAQC,MAAQA,OA5B/B,KA8BvBH,YAAa,aAIbK,MAAQ,WACZL,YAAa,QAIVjN,GAAG,aAAcsN,YACjBtN,GAAG,cAAesN,YAIlBtN,GAAG,YAAY,SAAUpI,UAC5BoV,WAAa,MAEM,IAAfC,WAAqB,CAELriB,OAAOiX,YAAYC,MAAQiL,WA9CtB,MAmDrBnV,MAAM8G,sBAODkC,QAAQ,YAgCrB4G,0BAEO9e,KAAK6T,WAAa7T,KAAK6T,SAASgR,gCAK/BC,OAASjM,MAAM7Y,KAAK6T,SAAU7T,KAAK6T,SAASgR,wBAC9CE,kBACCzN,GAAG,cAAc,WACpBwN,cAIKE,cAAcD,cAEnBA,aAAe/kB,KAAKilB,YAAYH,OAAQ,cAEpCI,SAAW,SAAUhW,OACzB4V,cAEKE,cAAcD,oBAEhBzN,GAAG,YAAawN,aAChBxN,GAAG,WAAY4N,eACf5N,GAAG,cAAe4N,UAoCzBlR,WAAW5T,GAAImZ,aAGT4L,iBACJ/kB,GAAKyY,MAAM7Y,KAAMI,SACZglB,wBACLD,UAAYjjB,OAAO8R,YAAW,KACxBhU,KAAKse,eAAexJ,IAAIqQ,iBACrB7G,eAAelJ,OAAO+P,WAE7B/kB,OACCmZ,cACE+E,eAAejS,IAAI8Y,WACjBA,UAkBT1L,aAAa0L,kBACPnlB,KAAKse,eAAexJ,IAAIqQ,kBACrB7G,eAAelJ,OAAO+P,WAC3BjjB,OAAOuX,aAAa0L,YAEfA,UAuBTF,YAAY7kB,GAAIilB,UACdjlB,GAAKyY,MAAM7Y,KAAMI,SACZglB,8BACCE,WAAapjB,OAAO+iB,YAAY7kB,GAAIilB,sBACrC7G,gBAAgBnS,IAAIiZ,YAClBA,WAkBTN,cAAcM,mBACRtlB,KAAKwe,gBAAgB1J,IAAIwQ,mBACtB9G,gBAAgBpJ,OAAOkQ,YAC5BpjB,OAAO8iB,cAAcM,aAEhBA,WA4BTC,sBAAsBnlB,QAKhB4d,eAJCoH,wBAKLhlB,GAAKyY,MAAM7Y,KAAMI,IACjB4d,GAAK9b,OAAOqjB,uBAAsB,KAC5BvlB,KAAKye,QAAQ3J,IAAIkJ,UACdS,QAAQrJ,OAAO4I,IAEtB5d,aAEGqe,QAAQpS,IAAI2R,IACVA,GAeTwH,2BAA2BnkB,KAAMjB,IAC3BJ,KAAK0e,WAAW5J,IAAIzT,YACjBokB,0BAA0BpkB,WAE5B+jB,wBACLhlB,GAAKyY,MAAM7Y,KAAMI,UACX4d,GAAKhe,KAAKulB,uBAAsB,KACpCnlB,KACIJ,KAAK0e,WAAW5J,IAAIzT,YACjBqd,WAAWtJ,OAAO/T,qBAGtBqd,WAAW3Y,IAAI1E,KAAM2c,IACnB3c,KASTokB,0BAA0BpkB,MACnBrB,KAAK0e,WAAW5J,IAAIzT,aAGpBqkB,qBAAqB1lB,KAAK0e,WAAWrY,IAAIhF,YACzCqd,WAAWtJ,OAAO/T,OAmBzBqkB,qBAAqB1H,WACfhe,KAAKye,QAAQ3J,IAAIkJ,WACdS,QAAQrJ,OAAO4I,IACpB9b,OAAOwjB,qBAAqB1H,KAEvBA,GAaToH,wBACMplB,KAAK2e,gCAGJA,0BAA2B,OAC3BpG,IAAI,WAAW,MACjB,CAAC,aAAc,6BAA8B,CAAC,UAAW,wBAAyB,CAAC,iBAAkB,gBAAiB,CAAC,kBAAmB,kBAAkB1T,SAAQ8gB,YAAEC,OAAQC,uBAIxKD,QAAQ/gB,SAAQ,CAACoG,IAAKnG,MAAQ9E,KAAK6lB,YAAY/gB,eAEjD6Z,0BAA2B,MAapCmH,uBACSve,QAAQvH,KAAKoc,IAAIjH,UAW1B4Q,6BACS/lB,KAAKoc,IAAI4J,QAAUhmB,KAAKoc,IAAIhE,cAAcxB,gBAAgBoP,MAUnEC,eAAepb,WACGA,IAAM7K,KAAKoc,KACZ8J,UAAY,KAAOlmB,KAAK8lB,iBAAmB9lB,KAAK+lB,uBAUjEI,0BAA0Btb,aAQfub,uBAAuBta,eACxBua,aAAenkB,OAAO6N,iBAAiBjE,QAAS,MAChDwa,eAAiBD,aAAapU,iBAAiB,oBAG9B,SAFHoU,aAAapU,iBAAiB,aAC3B,CAAC,SAAU,YACexE,SAAS6Y,uBA4EvDzb,KACHA,GAAK7K,KAAK6K,kBAvCOiB,YACbA,QAAQ8C,YAAc9C,QAAQ+C,aAAe/C,QAAQmC,wBAAwBI,OAASvC,QAAQmC,wBAAwBM,QAAU,SAC3H,QAMHgY,cAAgB,CACpBtc,EAAG6B,QAAQmC,wBAAwBS,KAAO5C,QAAQ8C,YAAc,EAChEQ,EAAGtD,QAAQmC,wBAAwBU,IAAM7C,QAAQ+C,aAAe,MAE9D0X,cAActc,EAAI,SACb,KAELsc,cAActc,GAAK/I,SAAS0V,gBAAgB4P,aAAetkB,OAAOukB,mBAC7D,KAELF,cAAcnX,EAAI,SACb,KAELmX,cAAcnX,GAAKlO,SAAS0V,gBAAgB8P,cAAgBxkB,OAAOykB,oBAC9D,MAELC,eAAiB1lB,SAAS2lB,iBAAiBN,cAActc,EAAGsc,cAAcnX,QACvEwX,gBAAgB,IACjBA,iBAAmB9a,eACd,MAEL8a,eAAe1Y,kBAGV,EAFP0Y,eAAiBA,eAAe1Y,YAalC4Y,CAAUjc,MAjEWiB,QAiEYjB,GAhE9Bub,uBAAuBta,QAAQ8D,gBAG/BwW,uBAAuBta,UAAsC,MAA1BA,QAAQ4G,MAAMqU,SAA+D,QAA5C7kB,OAAO6N,iBAAiBjE,SAASuC,QAA+D,QAA3CnM,OAAO6N,iBAAiBjE,SAASyC,UA6DnH1D,GAAG+E,eAAiB/E,GAAGqb,UAAY,QAjExDpa,iCA0FFzK,KAAM2lB,wBACT,iBAAT3lB,OAAsBA,WACzB,IAAIyC,yCAAkCzC,8CAExC2gB,KAAOxE,YAAY+D,aAAa,QAGhCY,OAASH,MAAQA,KAAKG,OAAO6E,qBAC7BC,OAASzJ,cAAgBwJ,qBAAuBxJ,YAAYjZ,UAAU2iB,cAAcF,oBAAoBziB,cAC1G4d,SAAW8E,OAAQ,KACjBE,aAEFA,OADEhF,OACO,qDAEA,+BAEL,IAAIre,oCAA6BzC,mBAAU8lB,aAEnD9lB,KAAO6b,cAAc7b,MAChBmc,YAAY4J,cACf5J,YAAY4J,YAAc,UAEtBC,OAAS7J,YAAY+D,aAAa,aAC3B,WAATlgB,MAAqBgmB,QAAUA,OAAOC,QAAS,OAC3CA,QAAUD,OAAOC,QACjBC,YAAcjjB,OAAOG,KAAK6iB,YAM5BA,SAAWC,YAAYtmB,OAAS,GAAKsmB,YAAY9X,KAAI+X,OAASF,QAAQE,SAAQ5M,MAAMrT,eAChF,IAAIzD,MAAM,2EAGpB0Z,YAAY4J,YAAY/lB,MAAQ2lB,oBAChCxJ,YAAY4J,YAAY7X,YAAYlO,OAAS2lB,oBACtCA,wCAYW3lB,SACbA,MAASmc,YAAY4J,mBAGnB5J,YAAY4J,YAAY/lB,gBAwF1BomB,SAAS1M,OAAQ2M,WAAYC,OAAQC,4BA9B1B7M,OAAQxa,MAAOsnB,aACZ,iBAAVtnB,OAAsBA,MAAQ,GAAKA,MAAQsnB,eAC9C,IAAI/jB,mCAA4BiX,yDAAgDxa,sDAA6CsnB,gBA6BrIC,CAAW/M,OAAQ6M,WAAYD,OAAO1mB,OAAS,GACxC0mB,OAAOC,YAAYF,qBAYnBK,oBAAoBJ,YACvBK,qBAEFA,mBADa/kB,IAAX0kB,QAA0C,IAAlBA,OAAO1mB,OACjB,CACdA,OAAQ,EACRgnB,cACQ,IAAInkB,MAAM,oCAElBokB,YACQ,IAAIpkB,MAAM,qCAIJ,CACd7C,OAAQ0mB,OAAO1mB,OACfgnB,MAAOR,SAASzO,KAAK,KAAM,QAAS,EAAG2O,QACvCO,IAAKT,SAASzO,KAAK,KAAM,MAAO,EAAG2O,SAGnCzlB,OAAOimB,QAAUjmB,OAAOimB,OAAOC,WACjCJ,cAAc9lB,OAAOimB,OAAOC,UAAY,KAAOT,QAAU,IAAIhhB,UAExDqhB,uBAiBAK,mBAAmBJ,MAAOC,YAC7B5lB,MAAMC,QAAQ0lB,OACTF,oBAAoBE,YACRhlB,IAAVglB,YAA+BhlB,IAARilB,IACzBH,sBAEFA,oBAAoB,CAAC,CAACE,MAAOC,OAhJtC1K,YAAY8K,kBAAkB,YAAa9K,mBAkKrC+K,sBAAwB,SAAUC,QAASC,OAC/CD,QAAUA,QAAU,EAAI,EAAIA,YACxBE,EAAI3X,KAAK4X,MAAMH,QAAU,IACzB9Q,EAAI3G,KAAK4X,MAAMH,QAAU,GAAK,IAC9BI,EAAI7X,KAAK4X,MAAMH,QAAU,YACvBK,GAAK9X,KAAK4X,MAAMF,MAAQ,GAAK,IAC7BK,GAAK/X,KAAK4X,MAAMF,MAAQ,aAG1BnF,MAAMkF,UAAYA,UAAYO,EAAAA,KAGhCH,EAAIlR,EAAIgR,EAAI,KAIdE,EAAIA,EAAI,GAAKE,GAAK,EAAIF,EAAI,IAAM,GAIhClR,IAAMkR,GAAKC,IAAM,KAAOnR,EAAI,GAAK,IAAMA,EAAIA,GAAK,IAGhDgR,EAAIA,EAAI,GAAK,IAAMA,EAAIA,EAChBE,EAAIlR,EAAIgR,OAIbM,eAAiBT,+BAUZU,cAAcC,sBACrBF,eAAiBE,8BAMVC,kBACPH,eAAiBT,+BAqBVa,WAAWZ,aAASC,6DAAQD,eAC5BQ,eAAeR,QAASC,WAG7BY,KAAoB/kB,OAAOiC,OAAO,CACpCC,UAAW,KACX8iB,iBAAkBjB,mBAClBkB,gBAAiBlB,mBACjBY,cAAeA,cACfE,gBAAiBA,gBACjBC,WAAYA,sBAsBLI,gBAAgBC,SAAUC,cAE7BzB,MACAC,IAFAyB,iBAAmB,MAGlBD,gBACI,EAEJD,UAAaA,SAASxoB,SACzBwoB,SAAWpB,mBAAmB,EAAG,QAE9B,IAAIrnB,EAAI,EAAGA,EAAIyoB,SAASxoB,OAAQD,IACnCinB,MAAQwB,SAASxB,MAAMjnB,GACvBknB,IAAMuB,SAASvB,IAAIlnB,GAGfknB,IAAMwB,WACRxB,IAAMwB,UAERC,kBAAoBzB,IAAMD,aAErB0B,iBAAmBD,kBAwBnBE,WAAW1kB,UAGdA,iBAAiB0kB,kBACZ1kB,MAEY,iBAAVA,WACJqa,KAAOra,MACc,iBAAVA,WAEX2kB,QAAU3kB,MACNP,WAAWO,SAGM,iBAAfA,MAAMqa,YACVA,KAAOra,MAAMqa,MAEpBjb,OAAO4X,OAAOlc,KAAMkF,QAEjBlF,KAAK6pB,eACHA,QAAUD,WAAWE,gBAAgB9pB,KAAKuf,OAAS,aA+LnDwK,UAAU7kB,cACVA,MAAAA,OAA+D,mBAAfA,MAAM8kB,cAYtDC,eAAe/kB,OAClB6kB,UAAU7kB,QACZA,MAAM8kB,KAAK,MAAMhY,QArMrB4X,WAAWrlB,UAAUgb,KAAO,EAQ5BqK,WAAWrlB,UAAUslB,QAAU,GAW/BD,WAAWrlB,UAAU2lB,OAAS,KAe9BN,WAAWrlB,UAAU4lB,SAAW,KAehCP,WAAWQ,WAAa,CAAC,mBAAoB,oBAAqB,oBAAqB,mBAAoB,8BAA+B,uBAQ1IR,WAAWE,gBAAkB,GACxB,mCACA,gEACA,gIACA,uHACA,qEAULF,WAAWS,iBAAmB,EAS9BT,WAAWrlB,UAAU8lB,iBAAmB,EASxCT,WAAWU,kBAAoB,EAS/BV,WAAWrlB,UAAU+lB,kBAAoB,EASzCV,WAAWW,kBAAoB,EAS/BX,WAAWrlB,UAAUgmB,kBAAoB,EASzCX,WAAWY,iBAAmB,EAS9BZ,WAAWrlB,UAAUimB,iBAAmB,EASxCZ,WAAWa,4BAA8B,EASzCb,WAAWrlB,UAAUkmB,4BAA8B,EASnDb,WAAWc,oBAAsB,EASjCd,WAAWrlB,UAAUmmB,oBAAsB,QAkDrCC,aAAe,SAAUC,aACjB,CAAC,OAAQ,QAAS,WAAY,KAAM,kCAAmC,OAAQ,OAAO7lB,QAAO,CAACsb,IAAKvO,KAAM9Q,KAC/G4pB,MAAM9Y,QACRuO,IAAIvO,MAAQ8Y,MAAM9Y,OAEbuO,MACN,CACDwK,KAAMD,MAAMC,MAAQvoB,MAAMiC,UAAUkL,IAAIrK,KAAKwlB,MAAMC,MAAM,SAAUC,WAC1D,CACLC,UAAWD,IAAIC,UACfC,QAASF,IAAIE,QACb1f,KAAMwf,IAAIxf,KACV0S,GAAI8M,IAAI9M,cAsDZiN,oCAnCqB,SAAUC,YAC3BC,SAAWD,KAAKrZ,GAAG,SACnBuZ,UAAY9oB,MAAMiC,UAAUkL,IAAIrK,KAAK+lB,UAAUlT,GAAKA,EAAE2S,eAC7CtoB,MAAMiC,UAAUkL,IAAIrK,KAAK+lB,UAAU,SAAUE,eACpDC,KAAOX,aAAaU,QAAQT,cAC9BS,QAAQE,MACVD,KAAKC,IAAMF,QAAQE,KAEdD,QAEKjrB,OAAOiC,MAAMiC,UAAUR,OAAOqB,KAAK8lB,KAAKM,cAAc,SAAUZ,cACvC,IAA9BQ,UAAU5qB,QAAQoqB,UACxBnb,IAAIkb,gBAuBLM,oCATqB,SAAUK,KAAMJ,aACvCI,KAAKzmB,SAAQ,SAAU+lB,aACfa,WAAaP,KAAKQ,mBAAmBd,OAAOA,OAC7CA,MAAMW,KAAOX,MAAMC,MACtBD,MAAMC,KAAKhmB,SAAQimB,KAAOW,WAAWE,OAAOb,UAGzCI,KAAKM,oBA0BRI,oBAAoBpO,YAqCxBnY,YAAYwO,OAAQ1N,eACZ0N,OAAQ1N,cACT0lB,eAAiB7Z,GAAKhS,KAAKgkB,cAAchS,QACzC8Z,OAAS9Z,GAAKhS,KAAK+rB,MAAM/Z,QACzBga,QAAUhsB,KAAKisB,eAAiBjsB,KAAKksB,gBAAiB,OACtDC,WAAWnsB,KAAK8d,SAASsO,kBACzBxhB,QAAQ5K,KAAK8d,SAASlT,cAKtBmV,WAAavV,SAAS,MAAO,CAChCuC,oBA5DmB,gCA6DlB,CACDsf,KAAM,kBAEHC,QAAU9hB,SAAS,IAAK,CAC3BuC,oBAjEmB,oDAkEnBiR,GAAIhe,KAAK6K,KAAK6C,aAAa,sBAE7BxC,YAAYlL,KAAKssB,QAAStsB,KAAKusB,oBAC1BnQ,IAAIxQ,YAAY5L,KAAKssB,cACrBlQ,IAAIxQ,YAAY5L,KAAK+f,YAS5BvV,kBACSgiB,MAAMhiB,SAAS,MAAO,CAC3BuC,UAAW/M,KAAKoiB,gBAChB8D,UAAW,GACV,8BACsBlmB,KAAKge,mCACb,oBACDhe,KAAKysB,aACX,qBACK,WAGjB1N,eACOgB,WAAa,UACbuM,QAAU,UACVI,oBAAsB,WACrB3N,UASRqD,gCAxGuB,0CAyGoBoK,MAAMpK,iBASjDqK,eACSzsB,KAAKof,SAASpf,KAAK8d,SAAS2O,OAAS,gBAU9CF,kBACMI,KAAO3sB,KAAK8d,SAASyO,aAAevsB,KAAKof,SAAS,kCAGlDpf,KAAKmsB,cACPQ,MAAQ,IAAM3sB,KAAKof,SAAS,wFAEvBuN,KASTC,UACM5sB,KAAKgsB,oBACHhsB,KAAK8d,SAAS+O,iBACXC,cAIHjZ,OAAS7T,KAAK6T,cAQfqE,QAAQ,wBACR8T,SAAU,GAIXhsB,KAAK8d,SAAS+O,aAAe7sB,KAAKisB,iBAAmBjsB,KAAKksB,sBACvDY,YAKFC,aAAelZ,OAAOmZ,SACvBhtB,KAAK8d,SAASmP,aAAejtB,KAAK+sB,aACpClZ,OAAOqZ,aAEJ5V,GAAG,UAAWtX,KAAK6rB,qBAGnBsB,aAAetZ,OAAOuZ,WAC3BvZ,OAAOuZ,UAAS,QACX3K,YACA4K,yBACAxiB,KAAKO,aAAa,cAAe,cAQjC8M,QAAQ,kBACR+T,gBAAiB,EAYxBqB,OAAOpoB,aACgB,kBAAVA,YACJA,MAAQ,OAAS,WAEjBlF,KAAKgsB,QAUdD,YACO/rB,KAAKgsB,qBAGJnY,OAAS7T,KAAK6T,cAQfqE,QAAQ,yBACR8T,SAAU,EACXhsB,KAAK+sB,aAAe/sB,KAAK8d,SAASmP,aACpCpZ,OAAO6J,YAEJla,IAAI,UAAWxD,KAAK6rB,gBACrB7rB,KAAKmtB,cACPtZ,OAAOuZ,UAAS,QAEb1K,YACA7X,KAAKO,aAAa,cAAe,aAUjC8M,QAAQ,CACX/X,KAAM,aACNkY,SAAS,SAENkV,mBACDvtB,KAAK8d,SAAS0P,gBACXzO,UAaToN,UAAUjnB,UACa,kBAAVA,MAAqB,OACxBinB,UAAYnsB,KAAKytB,aAAevoB,UAClC6mB,MAAQ/rB,KAAKkgB,SAAS,kBAGtBiM,YAAcJ,MAAO,OAGjB2B,KAAO1tB,KAAK+f,gBACbA,WAAa/f,KAAKoc,IACvB2P,MAAQ/rB,KAAKihB,SAAS,cAAe,CACnC0M,YAAa,4BAEV5N,WAAa2N,UACbpW,GAAGyU,MAAO,QAAS/rB,KAAK8rB,SAI1BK,WAAaJ,aACXvoB,IAAIuoB,MAAO,QAAS/rB,KAAK8rB,aACzB1a,YAAY2a,OACjBA,MAAMhN,kBAGH/e,KAAKytB,WAOdX,YACOc,SAAS5tB,KAAK4K,WAarBgjB,SAAShjB,eACDkV,UAAY9f,KAAK8f,YACjB+N,SAAW/N,UAAU5R,WACrB4f,cAAgBhO,UAAUiO,iBAQ3B7V,QAAQ,wBACRgU,gBAAiB,EAItB2B,SAASzc,YAAY0O,gBAChBkO,QACLxc,cAAcsO,UAAWlV,cAOpBsN,QAAQ,aAGT4V,cACFD,SAASliB,aAAamU,UAAWgO,eAEjCD,SAASjiB,YAAYkU,iBAIjBmO,YAAcjuB,KAAKkgB,SAAS,eAC9B+N,aACFJ,SAASjiB,YAAYqiB,YAAY7R,UAS9BlE,QAAQ,kBASf8V,aAOO9V,QAAQ,oBACb/G,QAAQnR,KAAK8f,kBAQR5H,QAAQ,cAkBftN,QAAQ1F,mBACe,IAAVA,aACJgpB,SAAWhpB,OAEXlF,KAAKkuB,SAQdb,0BACQc,SAAWjtB,SAASktB,cACpBC,SAAWruB,KAAK2d,QAAQvB,SACzBsQ,oBAAsB,MACvB2B,SAASniB,SAASiiB,WAAaE,WAAaF,iBACzCzB,oBAAsByB,cACtBrgB,SASTyf,mBACMvtB,KAAK0sB,2BACFA,oBAAoB5e,aACpB4e,oBAAsB,MAS/B1I,cAAc9U,eAOPgJ,QAAQ,CACX/X,KAAM,eACNmuB,cAAepf,MACfoB,OAAQtQ,KACRqY,SAAS,IAGXnJ,MAAMqH,kBACY,WAAdrH,MAAMpK,KAAoB9E,KAAKmsB,mBACjCjd,MAAM8G,2BACD+V,WAKW,QAAd7c,MAAMpK,iBAGJypB,aAAevuB,KAAKwuB,gBACpBL,SAAWnuB,KAAKoc,IAAI9R,cAAc,cACpCmkB,eACC,IAAIztB,EAAI,EAAGA,EAAIutB,aAAattB,OAAQD,OACnCmtB,WAAaI,aAAavtB,GAAI,CAChCytB,WAAaztB,QAIbE,SAASktB,gBAAkBpuB,KAAKoc,MAClCqS,WAAa,GAEXvf,MAAMwf,UAA2B,IAAfD,YACpBF,aAAaA,aAAattB,OAAS,GAAG6M,QACtCoB,MAAM8G,kBACI9G,MAAMwf,UAAYD,aAAeF,aAAattB,OAAS,IACjEstB,aAAa,GAAGzgB,QAChBoB,MAAM8G,kBASVwY,sBACQG,YAAc3uB,KAAKoc,IAAIwS,iBAAiB,YACvCtsB,MAAMiC,UAAUR,OAAOqB,KAAKupB,aAAaljB,QACtCA,iBAAiBvJ,OAAO2sB,mBAAqBpjB,iBAAiBvJ,OAAO4sB,kBAAoBrjB,MAAMsjB,aAAa,UAAYtjB,iBAAiBvJ,OAAO8sB,kBAAoBvjB,iBAAiBvJ,OAAO+sB,mBAAqBxjB,iBAAiBvJ,OAAOgtB,qBAAuBzjB,iBAAiBvJ,OAAOitB,qBAAuB1jB,MAAMsjB,aAAa,aAAetjB,iBAAiBvJ,OAAOktB,mBAAqB3jB,iBAAiBvJ,OAAOmtB,mBAAqB5jB,iBAAiBvJ,OAAOotB,kBAAoB7jB,MAAMsjB,aAAa,cAAmD,IAApCtjB,MAAMiC,aAAa,aAAsBjC,MAAMsjB,aAAa,sBAWnkBnD,YAAYrnB,UAAUuZ,SAAW,CAC/BmP,aAAa,EACbO,WAAW,GAEbhQ,YAAY8K,kBAAkB,cAAesD,mBAcvC2D,kBAAkBvV,cAStB3U,kBAAYmqB,8DAAS,gBAEdC,QAAU,GAQfnrB,OAAO0B,eAAehG,KAAM,SAAU,CACpCqG,aACSrG,KAAKyvB,QAAQxuB,cAGnB,IAAID,EAAI,EAAGA,EAAIwuB,OAAOvuB,OAAQD,SAC5B0uB,SAASF,OAAOxuB,IAYzB0uB,SAAS9E,aACDrqB,MAAQP,KAAKyvB,QAAQxuB,OACrB,GAAKV,SAASP,MAClBsE,OAAO0B,eAAehG,KAAMO,MAAO,CACjC8F,aACSrG,KAAKyvB,QAAQlvB,WAMW,IAAjCP,KAAKyvB,QAAQjvB,QAAQoqB,cAClB6E,QAAQxtB,KAAK2oB,YASb1S,QAAQ,CACX0S,MAAAA,MACAzqB,KAAM,WACNmQ,OAAQtQ,QAYZ4qB,MAAM+E,aAAe,UACdzX,QAAQ,CACX0S,MAAAA,MACAzqB,KAAM,cACNmQ,OAAQtQ,QAGR0a,UAAUkQ,QACZA,MAAMxW,iBAAiB,cAAewW,MAAM+E,cAYhDC,YAAYC,YACNjF,UACC,IAAI5pB,EAAI,EAAG8uB,EAAI9vB,KAAKiB,OAAQD,EAAI8uB,EAAG9uB,OAClChB,KAAKgB,KAAO6uB,OAAQ,CACtBjF,MAAQ5qB,KAAKgB,GACT4pB,MAAMpnB,KACRonB,MAAMpnB,WAEHisB,QAAQ/uB,OAAOM,EAAG,SAItB4pB,YAYA1S,QAAQ,CACX0S,MAAAA,MACAzqB,KAAM,cACNmQ,OAAQtQ,OAYZ+vB,aAAa/R,QACPzY,OAAS,SACR,IAAIvE,EAAI,EAAG8uB,EAAI9vB,KAAKiB,OAAQD,EAAI8uB,EAAG9uB,IAAK,OACrC4pB,MAAQ5qB,KAAKgB,MACf4pB,MAAM5M,KAAOA,GAAI,CACnBzY,OAASqlB,oBAINrlB,QAiBXgqB,UAAUhrB,UAAU2V,eAAiB,CACnC8V,OAAQ,SACRC,SAAU,WACVC,YAAa,cACbC,YAAa,mBAIV,MAAMjhB,SAASqgB,UAAUhrB,UAAU2V,eACtCqV,UAAUhrB,UAAU,KAAO2K,OAAS,WAqBhCkhB,gBAAkB,SAAUC,KAAMzF,WACjC,IAAI5pB,EAAI,EAAGA,EAAIqvB,KAAKpvB,OAAQD,IAC1BsD,OAAOG,KAAK4rB,KAAKrvB,IAAIC,QAAU2pB,MAAM5M,KAAOqS,KAAKrvB,GAAGgd,KAIzDqS,KAAKrvB,GAAGkjB,SAAU,UA4FhBoM,cAAgB,SAAUD,KAAMzF,WAC/B,IAAI5pB,EAAI,EAAGA,EAAIqvB,KAAKpvB,OAAQD,IAC1BsD,OAAOG,KAAK4rB,KAAKrvB,IAAIC,QAAU2pB,MAAM5M,KAAOqS,KAAKrvB,GAAGgd,KAIzDqS,KAAKrvB,GAAGuvB,UAAW,UAoGjBC,sBAAsBjB,UAS1BG,SAAS9E,aACD8E,SAAS9E,OACV5qB,KAAKywB,oBACHA,aAAe,IAAMzwB,KAAKma,aAAa,WAEzCna,KAAK0wB,qCACHC,+BAAiC,IAAM3wB,KAAKkY,QAAQ,2BAO3D0S,MAAMxW,iBAAiB,aAAcpU,KAAKywB,eAEY,IADrB,CAAC,WAAY,YACjBjwB,QAAQoqB,MAAMgG,OACzChG,MAAMxW,iBAAiB,aAAcpU,KAAK2wB,gCAG9Cf,YAAYC,cACJD,YAAYC,QAGdA,OAAO3b,sBACLlU,KAAKywB,cACPZ,OAAO3b,oBAAoB,aAAclU,KAAKywB,cAE5CzwB,KAAK6wB,yBACPhB,OAAO3b,oBAAoB,aAAclU,KAAK2wB,wCAyIhDG,iBAOJzrB,YAAYwlB,MACViG,iBAAiBvsB,UAAUwsB,SAAS3rB,KAAKpF,KAAM6qB,MAQ/CvmB,OAAO0B,eAAehG,KAAM,SAAU,CACpCqG,aACSrG,KAAKgxB,WAclBD,SAASlG,YACDoG,UAAYjxB,KAAKiB,QAAU,MAC7BD,EAAI,QACF8uB,EAAIjF,KAAK5pB,YACViwB,MAAQrG,UACRmG,QAAUnG,KAAK5pB,aACdkwB,WAAa,SAAU5wB,OACrB,GAAKA,SAASP,MAClBsE,OAAO0B,eAAehG,KAAM,GAAKO,MAAO,CACtC8F,aACSrG,KAAKkxB,MAAM3wB,cAKtB0wB,UAAYnB,MACd9uB,EAAIiwB,UACGjwB,EAAI8uB,EAAG9uB,IACZmwB,WAAW/rB,KAAKpF,KAAMgB,GAc5BowB,WAAWpT,QACLzY,OAAS,SACR,IAAIvE,EAAI,EAAG8uB,EAAI9vB,KAAKiB,OAAQD,EAAI8uB,EAAG9uB,IAAK,OACrC8pB,IAAM9qB,KAAKgB,MACb8pB,IAAI9M,KAAOA,GAAI,CACjBzY,OAASulB,kBAINvlB,cAeL8rB,eAAiB,CACrBC,YAAa,cACbC,SAAU,WACVC,KAAM,OACNC,KAAM,OACNC,UAAW,YACXC,WAAY,cAURC,eAAiB,aACN,2BACC,oBACR,mBACK,wBACE,yBACD,cAUVC,cAAgB,CACpBH,UAAW,YACXH,SAAU,WACVO,aAAc,eACdC,SAAU,WACV5H,SAAU,YAUN6H,cAAgB,CACpB7c,SAAU,WACV8c,OAAQ,SACRC,QAAS,iBAiBLC,cAAcnY,cAqBlB3U,kBAAYc,+DAAU,iBAEdisB,WAAa,CACjBpU,GAAI7X,QAAQ6X,IAAM,aAAerJ,UACjCic,KAAMzqB,QAAQyqB,MAAQ,GACtBpR,SAAUrZ,QAAQqZ,UAAY,QAE5BiN,MAAQtmB,QAAQsmB,OAAS,OA8BxB,MAAM3nB,OAAOstB,WAChB9tB,OAAO0B,eAAehG,KAAM8E,IAAK,CAC/BuB,IAAG,IACM+rB,WAAWttB,KAEpBiB,UAYJzB,OAAO0B,eAAehG,KAAM,QAAS,CACnCqG,IAAG,IACMomB,MAET1mB,IAAIssB,UACEA,WAAa5F,QACfA,MAAQ4F,cAUHna,QAAQ,0BAsBjBoa,SAAW,SAAUC,YAClB,IAAIC,IAAID,IAAKrxB,SAASuxB,UAazBC,eAAiB,SAAUH,YACxB,IAAIC,IAAID,IAAKrxB,SAASuxB,SAASzf,MAelC2f,iBAAmB,SAAUC,SACb,iBAATA,KAAmB,OAEtBC,UADc,yEACUvpB,KAAKspB,SAC/BC,iBACKA,UAAUC,MAAMvjB,oBAGpB,IAgBHwjB,cAAgB,SAAUR,SAAKS,8DAAS9wB,OAAO+wB,gBAC5CX,SAASC,KAAKW,SAAWF,OAAOE,YAGrCC,IAAmB7uB,OAAOiC,OAAO,CACnCC,UAAW,KACX8rB,SAAUA,SACVI,eAAgBA,eAChBC,iBAAkBA,iBAClBI,cAAeA,gBAGbK,eAAuC,oBAAfvzB,WAA6BA,WAA+B,oBAAXqC,OAAyBA,OAA2B,oBAAX3C,OAAyBA,OAAyB,oBAATO,KAAuBA,KAAO,YAMpLuzB,qBAAqBjzB,GAAIV,eACAU,GAA1BV,OAAS,CAAED,QAAS,IAAiBC,OAAOD,SAAUC,OAAOD,YAL7CwK,EAkBpBqpB,SATkB,oBAAXpxB,OACHA,YAC6B,IAAnBkxB,eACVA,eACmB,oBAATtzB,KACVA,KAEA,GAIJyzB,WAAaF,sBAAqB,SAAU3zB,iBACrC8zB,kBACC9zB,OAAOD,QAAU+zB,SAAWlvB,OAAO4X,OAAS5X,OAAO4X,OAAOlD,OAAS,SAAUrB,OAC9E,IAAI3F,EAAI,EAAGA,EAAI0G,UAAUzX,OAAQ+Q,IAAK,KACrCiG,EAAIS,UAAU1G,OACb,IAAIyhB,KAAKxb,GAAG,IAAKpU,eAAeuB,KAAK6S,EAAGwb,KAAO9b,EAAE8b,GAAKxb,EAAEwb,WAExD9b,GACNjY,OAAOD,QAAQi0B,YAAa,EAAMh0B,OAAOD,QAAP,QAA4BC,OAAOD,QAAU+zB,SAAS/a,MAAM,KAAMC,WAEzGhZ,OAAOD,QAAU+zB,SAAU9zB,OAAOD,QAAQi0B,YAAa,EAAMh0B,OAAOD,QAAP,QAA4BC,OAAOD,WAE9Fk0B,YAhCoB1pB,EAgCOspB,aA/BlBtpB,EAAEypB,YAAcpvB,OAAOC,UAAUV,eAAeuB,KAAK6E,EAAG,WAAaA,EAAC,QAAcA,EAiC7F2pB,sBAEgBxzB,QACbA,UACI,MAEL2c,OAASvY,SAASY,KAAKhF,UACT,sBAAX2c,QAAgD,mBAAP3c,IAAgC,oBAAX2c,QAAkD,oBAAX7a,SAE5G9B,KAAO8B,OAAO8R,YAAc5T,KAAO8B,OAAO2xB,OAASzzB,KAAO8B,OAAO4xB,SAAW1zB,KAAO8B,OAAO6xB,SARxFvvB,SAAWF,OAAOC,UAAUC,kBAWvBwvB,gCAAgCC,EAAGC,oBACtCC,GAAuB,oBAAXhM,QAA0B8L,EAAE9L,OAAOC,WAAa6L,EAAE,iBAC9DE,GAAI,OAAQA,GAAKA,GAAG/uB,KAAK6uB,IAAIG,KAAKpb,KAAKmb,OACvC7xB,MAAMC,QAAQ0xB,KAAOE,YAeUF,EAAGI,YACjCJ,EAAG,UACS,iBAANA,EAAgB,OAAOK,kBAAkBL,EAAGI,YACnD1c,EAAIrT,OAAOC,UAAUC,SAASY,KAAK6uB,GAAGxzB,MAAM,GAAI,GAC1C,WAANkX,GAAkBsc,EAAE5uB,cAAasS,EAAIsc,EAAE5uB,YAAYhE,SAC7C,QAANsW,GAAqB,QAANA,EAAa,OAAOrV,MAAMoa,KAAKuX,MACxC,cAANtc,GAAqB,2CAA2CtV,KAAKsV,GAAI,OAAO2c,kBAAkBL,EAAGI,QArB3EE,CAA4BN,KAAOC,gBAAkBD,GAAyB,iBAAbA,EAAEhzB,OAAqB,CAChHkzB,KAAIF,EAAIE,QACRnzB,EAAI,SACD,kBACDA,GAAKizB,EAAEhzB,OAAe,CACxBuzB,MAAM,GAED,CACLA,MAAM,EACNtvB,MAAO+uB,EAAEjzB,aAIT,IAAIyzB,UAAU,kJAUbH,kBAAkBI,IAAKC,MACnB,MAAPA,KAAeA,IAAMD,IAAIzzB,UAAQ0zB,IAAMD,IAAIzzB,YAC1C,IAAID,EAAI,EAAG4zB,KAAO,IAAItyB,MAAMqyB,KAAM3zB,EAAI2zB,IAAK3zB,IAC9C4zB,KAAK5zB,GAAK0zB,IAAI1zB,UAET4zB,SAyELC,aAvEmC,oBAC5BC,2BACFC,uBAAyB,IAAI3a,SAC7B4a,UAAW,MAEdC,OAASH,oBAAoBvwB,iBACjC0wB,OAAOC,aAAe,kBACbl1B,KAAKg1B,UAEdC,OAAO7wB,OAAS,gBACT4wB,UAAW,GAElBC,OAAO9wB,QAAU,gBACV6wB,UAAW,GAElBC,OAAOE,MAAQ,gBACRJ,uBAAyB,IAAI3a,SAC7B4a,UAAW,GAElBC,OAAOG,eAAiB,SAAwBj1B,KAAMk1B,aAC/Cr1B,KAAK+0B,uBAAuBjgB,IAAI3U,YAC9B40B,uBAAuBhvB,IAAI5F,KAAM,IAAIoe,SAExC+W,gBAAkBt1B,KAAK+0B,uBAAuB1uB,IAAIlG,aAClDm1B,gBAAgBxgB,IAAIugB,eAIxBC,gBAAgBjpB,IAAIgpB,cACb,IAETJ,OAAOM,kBAAoB,SAA2Bp1B,KAAMk1B,iBACtDC,gBAAkBt1B,KAAK+0B,uBAAuB1uB,IAAIlG,eAClDm1B,kBAAmBA,gBAAgBxgB,IAAIugB,gBACzCC,gBAAgBlgB,OAAOigB,cAChB,IAIXJ,OAAOO,wBAA0B,SAAiCr1B,cAC1CH,KAAK+0B,uBAAuB1uB,IAAIlG,aAIjD40B,uBAAuB3f,OAAOjV,WAC9B40B,uBAAuBhvB,IAAI5F,KAAM,IAAIoe,MACnC,IAET0W,OAAO/wB,MAAQ,mBACRlE,KAAK+0B,uBAAuBza,YAG5Bya,uBAAyB,IAAI3a,KAC3B,IAET6a,OAAOQ,WAAa,SAAoBt1B,aAC/BH,KAAK+0B,uBAAuB1uB,IAAIlG,OAAS,IAAIoe,KAEtD0W,OAAOS,QAAU,SAAiBv1B,KAAMw1B,iBAE8BC,MAA3DC,UAAY7B,gCADFh0B,KAAKy1B,WAAWt1B,SAC0Cy1B,MAAQC,aAAarB,MAAO,KACnGa,YAAcO,MAAM1wB,UAEtBywB,QAAUN,YAAYM,SACtB,MAAO3jB,YAGJ2jB,SAEFb,oBArE8B,GAyEnCgB,aAA4B,oBACrBA,oBACFC,aAAe,OACfC,aAAe,QACfC,YAAc,QACdC,cAAgB,SAChBlB,UAAW,MAEdC,OAASa,aAAavxB,iBAC1B0wB,OAAOC,aAAe,kBACbl1B,KAAKg1B,UAEdC,OAAO7wB,OAAS,gBACT4wB,UAAW,GAElBC,OAAO9wB,QAAU,gBACV6wB,UAAW,GAElBC,OAAOE,MAAQ,gBACRY,aAAe,OACfC,aAAe,QACfC,YAAc,QACdC,cAAgB,SAChBlB,UAAW,GAElBC,OAAOkB,eAAiB,kBACfn2B,KAAK+1B,cAEdd,OAAOmB,eAAiB,SAAwBC,kBACzCN,aAAeM,aAEtBpB,OAAOqB,eAAiB,kBACft2B,KAAKg2B,cAEdf,OAAOsB,eAAiB,SAAwBC,kBACzCR,aAAeQ,aAEtBvB,OAAOwB,cAAgB,kBACdz2B,KAAKi2B,aAEdhB,OAAOyB,cAAgB,SAAuBC,iBACvCV,YAAcU,YAErB1B,OAAO2B,gBAAkB,kBAChB52B,KAAKk2B,eAEdjB,OAAO4B,gBAAkB,SAAyBC,mBAC3CZ,cAAgBY,cAEvB7B,OAAO8B,YAAc,SAAqBC,WACpCC,UAAiB,IAAVD,MAAmB,GAAKA,MACjCX,YAAcY,KAAKZ,YACnBG,YAAcS,KAAKT,YACnBG,WAAaM,KAAKN,WAClBG,aAAeG,KAAKH,oBACf,IAAII,MAAM,CACfb,YAAaA,aAAer2B,KAAK+1B,aACjCS,YAAaA,aAAex2B,KAAKg2B,aACjCW,WAAYA,YAAc32B,KAAKi2B,YAC/Ba,aAAcA,cAAgB92B,KAAKk2B,iBAGhCJ,aA9DuB,GAgE5BoB,MAAqB,oBACdA,MAAM/wB,cACR4vB,aAAe5vB,QAAQkwB,iBACvBL,aAAe7vB,QAAQqwB,iBACvBP,YAAc9vB,QAAQwwB,gBACtBQ,cAAgBhxB,QAAQ2wB,kBACxBM,gBAAkB,MAErBC,QAAUH,MAAM3yB,iBACpB8yB,QAAQC,kBAAoB,gBACrBF,sBACDG,WAAav3B,KAAKm3B,cAAgBn3B,KAAKg2B,kBACtCmB,cAAgBn3B,KAAKm3B,cAAgBI,YAE5CF,QAAQG,YAAc,kBACbx3B,KAAKo3B,gBAAkBp3B,KAAK+1B,cAErCsB,QAAQI,gBAAkB,kBACjBz3B,KAAKm3B,eAEdE,QAAQK,2BAA6B,kBAC3B,EAAI13B,KAAKi2B,aAAej2B,KAAKm3B,eAEvCE,QAAQM,2BAA6B,kBAC3B,EAAI33B,KAAKi2B,aAAej2B,KAAKm3B,eAQvCE,QAAQO,sBAAwB,eAC1BC,SAAW73B,KAAK03B,6BAChBI,UAAY93B,KAAK23B,oCACdE,SAAW9mB,KAAKgnB,UAAYD,UAAYD,WAE1CX,MArCgB,GAuCrBc,MAAQlC,iBAgDRmC,YA9CsB,SAA6B1iB,SAAU2iB,gCACpC,IAAvBA,qBACFA,oBAAqB,GAEhB,SAAUC,IAAKC,SAAUC,iBAE1BF,IACF5iB,SAAS4iB,aAIPC,SAASE,YAAc,KAAOF,SAASE,YAAc,SACnDC,MAAQF,gBACRH,sBACE5E,SAASkF,YAAa,KACpBC,iBAiBMC,wBACQ,IAAtBA,oBACFA,kBAAoB,WAEfA,kBAAkBnpB,cAAc/C,MAAM,KAAKzH,QAAO,SAAU0zB,QAASE,iBACtEC,mBAAqBD,YAAYnsB,MAAM,KACzCrM,KAAOy4B,mBAAmB,GAC1B1zB,MAAQ0zB,mBAAmB,SACT,YAAhBz4B,KAAKyJ,OACA1E,MAAM0E,OAER6uB,UACN,SA7BmBI,CAAWT,SAASU,SAAWV,SAASU,QAAQ,qBAE5DP,MAAQ,IAAIC,YAAYC,SAASM,OAAOV,cACxC,MAAOrmB,UAETumB,MAAQS,OAAOC,aAAaxgB,MAAM,KAAM,IAAIygB,WAAWb,eAG3D9iB,SAAS,CACPgjB,MAAOA,aAKXhjB,SAAS,KAAM8iB,gBAmBnBc,UAAUlB,YAAcA,YACxBkB,UAAUC,2BAA6B,IAAIvE,aAC3CsE,UAAUE,4BAA8B,IAAIxE,aAC5CsE,UAAUG,aAAe,IAAItB;;;;;;;;IA4BzBuB,IAAMJ,UAENK,UAAYL,mBAqBPM,WAAWC,IAAKvzB,QAASoP,cAC5BokB,OAASD,WACT9F,aAAaztB,UACfoP,SAAWpP,QACQ,iBAARuzB,MACTC,OAAS,CACPD,IAAKA,OAITC,OAASpG,WAAW,GAAIptB,QAAS,CAC/BuzB,IAAKA,MAGTC,OAAOpkB,SAAWA,SACXokB,gBAEAR,UAAUO,IAAKvzB,QAASoP,iBAExBqkB,WADPzzB,QAAUszB,WAAWC,IAAKvzB,QAASoP,oBAG5BqkB,WAAWzzB,iBACc,IAArBA,QAAQoP,eACX,IAAIzR,MAAM,gCAGdqC,QAAQ0zB,aAAeV,UAAUC,2BAA2BlE,eAAgB,KAC1E4E,0BAA4B,CAC9BJ,IAAKvzB,QAAQuzB,KAAOvzB,QAAQosB,IAC5BuG,QAAS3yB,QAAQ2yB,SAAW,GAC5BjrB,KAAM1H,QAAQ0H,KACdsc,SAAUhkB,QAAQgkB,UAAY,GAC9B6N,MAAO7xB,QAAQ6xB,MACfze,QAASpT,QAAQoT,SAEfwgB,eAAiBZ,UAAUC,2BAA2B1D,QAAQvvB,QAAQ0zB,YAAaC,2BACvF3zB,QAAQuzB,IAAMK,eAAeL,IAC7BvzB,QAAQ2yB,QAAUiB,eAAejB,QACjC3yB,QAAQ0H,KAAOksB,eAAelsB,KAC9B1H,QAAQgkB,SAAW4P,eAAe5P,SAClChkB,QAAQ6xB,MAAQ+B,eAAe/B,MAC/B7xB,QAAQoT,QAAUwgB,eAAexgB,YAE/BygB,QAAS,EACTzkB,SAAW,SAAgB4iB,IAAKC,SAAUvqB,MACvCmsB,SACHA,QAAS,EACT7zB,QAAQoP,SAAS4iB,IAAKC,SAAUvqB,iBAU3BosB,cAEHpsB,UAAO5K,KAET4K,KADEqsB,IAAI9B,SACC8B,IAAI9B,SAEJ8B,IAAIC,uBA0KDD,YAIa,aAArBA,IAAIE,oBACCF,IAAIG,gBAETC,sBAAwBJ,IAAIG,aAA4D,gBAA7CH,IAAIG,YAAYzjB,gBAAgBtH,YACtD,KAArB4qB,IAAIE,eAAwBE,6BACvBJ,IAAIG,YAEb,MAAOroB,WACF,KAtLwBuoB,CAAOL,KAEhCM,WAEA3sB,KAAO4sB,KAAKC,MAAM7sB,MAClB,MAAOmE,WAEJnE,cAEA8sB,UAAUC,QACjBnhB,aAAaohB,cACbphB,aAAatT,QAAQ20B,cACfF,eAAe92B,QACnB82B,IAAM,IAAI92B,MAAM,IAAM82B,KAAO,kCAE/BA,IAAItC,WAAa,EAEZyC,UAAW5B,UAAUG,aAAapE,iBAAkB/uB,QAAQ6xB,QAAS7xB,QAAQ6xB,MAAMR,kBAUpFrxB,QAAQ0zB,aAAeV,UAAUE,4BAA4BnE,eAAgB,KAC3E8F,2BAA6B,CAC/BlC,QAASmC,gBAAgBnC,SAAW,GACpCjrB,KAAMotB,gBAAgBptB,KACtBqtB,YAAahB,IAAIiB,YACjBf,aAAcF,IAAIE,cAEhBgB,gBAAkBjC,UAAUE,4BAA4B3D,QAAQvvB,QAAQ0zB,YAAamB,4BACzFC,gBAAgBptB,KAAOutB,gBAAgBvtB,KACvCotB,gBAAgBnC,QAAUsC,gBAAgBtC,eAErCvjB,SAASqlB,IAAKK,iBApBnB90B,QAAQ20B,aAAe9mB,YAAW,WAChC7N,QAAQ6xB,MAAMV,oBAEdnxB,QAAQ+zB,IAAMA,IACdN,WAAWzzB,WACVA,QAAQ6xB,MAAMJ,kCAkBZyD,eACHN,aACA7Q,OACJzQ,aAAaohB,cACbphB,aAAatT,QAAQ20B,cAGnB5Q,OAFE/jB,QAAQm1B,aAAyBr4B,IAAfi3B,IAAIhQ,OAEf,IAEe,OAAfgQ,IAAIhQ,OAAkB,IAAMgQ,IAAIhQ,WAEvCkO,SAAW6C,gBACX9C,IAAM,QACK,IAAXjO,QACFkO,SAAW,CACTvqB,KAAMosB,UACN3B,WAAYpO,OACZ/f,OAAQA,OACR2uB,QAAS,GACTvG,IAAKmH,IACL6B,WAAYrB,KAEVA,IAAIsB,wBAENpD,SAASU,QA1KE,SAAsBA,aACnCvzB,OAAS,UACRuzB,SAGLA,QAAQlvB,OAAO4C,MAAM,MAAM3H,SAAQ,SAAU42B,SACvCl7B,MAAQk7B,IAAIj7B,QAAQ,KACpBsE,IAAM22B,IAAIh7B,MAAM,EAAGF,OAAOqJ,OAAO2F,cACjCrK,MAAQu2B,IAAIh7B,MAAMF,MAAQ,GAAGqJ,YACN,IAAhBrE,OAAOT,KAChBS,OAAOT,KAAOI,MACL5C,MAAMC,QAAQgD,OAAOT,MAC9BS,OAAOT,KAAK7C,KAAKiD,OAEjBK,OAAOT,KAAO,CAACS,OAAOT,KAAMI,UAGzBK,QAdEA,OAuKgBm2B,CAAaxB,IAAIsB,2BAGtCrD,IAAM,IAAIr0B,MAAM,iCAGdqC,QAAQ0zB,aAAeV,UAAUE,4BAA4BnE,eAAgB,KAC3E8F,2BAA6B,CAC/BlC,QAASV,SAASU,SAAW,GAC7BjrB,KAAMuqB,SAASvqB,KACfqtB,YAAahB,IAAIiB,YACjBf,aAAcF,IAAIE,cAEhBuB,iBAAmBxC,UAAUE,4BAA4B3D,QAAQvvB,QAAQ0zB,YAAamB,4BAC1F5C,SAASvqB,KAAO8tB,iBAAiB9tB,KACjCuqB,SAASU,QAAU6C,iBAAiB7C,eAE/BvjB,SAAS4iB,IAAKC,SAAUA,SAASvqB,WAUtC/I,IACAi2B,QATAb,IAAM/zB,QAAQ+zB,KAAO,KACpBA,MAEDA,IADE/zB,QAAQy1B,MAAQz1B,QAAQm1B,OACpB,IAAInC,UAAU0C,eAEd,IAAI1C,UAAU2C,oBAWpBjB,aANAnB,IAAMQ,IAAI3H,IAAMpsB,QAAQuzB,KAAOvzB,QAAQosB,IACvCpoB,OAAS+vB,IAAI/vB,OAAShE,QAAQgE,QAAU,MACxC0D,KAAO1H,QAAQ0H,MAAQ1H,QAAQ4O,KAC/B+jB,QAAUoB,IAAIpB,QAAU3yB,QAAQ2yB,SAAW,GAC3CzW,OAASlc,QAAQkc,KACjBmY,QAAS,EAETS,gBAAkB,CACpBptB,UAAM5K,EACN61B,QAAS,GACTR,WAAY,EACZnuB,OAAQA,OACRooB,IAAKmH,IACL6B,WAAYrB,QAEV,SAAU/zB,UAA4B,IAAjBA,QAAQmlB,OAC/BkP,QAAS,EACT1B,QAAO,QAAcA,QAAO,SAAeA,QAAO,OAAa,oBAEhD,QAAX3uB,QAA+B,SAAXA,SACtB2uB,QAAQ,iBAAmBA,QAAQ,kBAAoBA,QAAQ,gBAAkB,oBAEjFjrB,KAAO4sB,KAAKsB,WAA2B,IAAjB51B,QAAQmlB,KAAgBzd,KAAO1H,QAAQmlB,QAGjE4O,IAAI8B,8BAjIqB,IAAnB9B,IAAI/lB,YAAqBglB,UAAUE,4BAA4BnE,gBACjElhB,WAAWqnB,SAAU,IAiIzBnB,IAAI+B,OAASZ,SACbnB,IAAIgC,QAAUvB,UAEdT,IAAIiC,WAAa,aAEjBjC,IAAIkC,QAAU,WACZrB,SAAU,EACVthB,aAAatT,QAAQ20B,eAEvBZ,IAAImC,UAAY1B,UAChBT,IAAItN,KAAKziB,OAAQuvB,KAAMrX,KAAMlc,QAAQm2B,SAAUn2B,QAAQo2B,UAElDla,OACH6X,IAAIsC,kBAAoBr2B,QAAQq2B,kBAK7Bna,MAAQlc,QAAQoT,QAAU,IAC7BshB,aAAe7mB,YAAW,eACpB+mB,SACJA,SAAU,EAEVb,IAAIuC,MAAM,eACNzqB,EAAI,IAAIlO,MAAM,0BAClBkO,EAAEuN,KAAO,YACTob,UAAU3oB,MACT7L,QAAQoT,UAET2gB,IAAIwC,qBACD53B,OAAOg0B,QACNA,QAAQj1B,eAAeiB,MACzBo1B,IAAIwC,iBAAiB53B,IAAKg0B,QAAQh0B,WAGjC,GAAIqB,QAAQ2yB,mBAhOJlzB,SACV,IAAI5E,KAAK4E,OACRA,IAAI/B,eAAe7C,GAAI,OAAO,SAE7B,EA4NwB27B,CAAQx2B,QAAQ2yB,eACvC,IAAIh1B,MAAM,2DAEd,iBAAkBqC,UACpB+zB,IAAIE,aAAej0B,QAAQi0B,cAEzB,eAAgBj0B,SAAyC,mBAAvBA,QAAQy2B,YAC5Cz2B,QAAQy2B,WAAW1C,KAKrBA,IAAI2C,KAAKhvB,MAAQ,MACVqsB,IA3PTf,UAAU2C,eAAiBxI,SAASwI,6BACpC3C,UAAU0C,eAAiB,oBAAqB,IAAI1C,UAAU2C,eAAmB3C,UAAU2C,eAAiBxI,SAASuI,wBAQ/FiB,MAAO1U,cACtB,IAAIpnB,EAAI,EAAGA,EAAI87B,MAAM77B,OAAQD,IAChConB,SAAS0U,MAAM97B,IATnB+7B,CAAa,CAAC,MAAO,MAAO,OAAQ,QAAS,OAAQ,WAAW,SAAU5yB,QACxEgvB,UAAqB,WAAXhvB,OAAsB,MAAQA,QAAU,SAAUuvB,IAAKvzB,QAASoP,iBACxEpP,QAAUszB,WAAWC,IAAKvzB,QAASoP,WAC3BpL,OAASA,OAAOnI,cACjB43B,WAAWzzB,aAsQtBozB,IAAIyD,QAAUxD,gBAmBRyD,UAAY,SAAUC,WAAYtS,aAChCuS,OAAS,IAAIj7B,OAAOk7B,OAAOC,OAAOn7B,OAAQA,OAAOo7B,MAAOp7B,OAAOk7B,OAAOG,iBACtEC,OAAS,GACfL,OAAOM,MAAQ,SAAU3S,KACvBF,MAAMe,OAAOb,MAEfqS,OAAOO,eAAiB,SAAU/5B,OAChC65B,OAAOv7B,KAAK0B,QAEdw5B,OAAOQ,QAAU,WACf/S,MAAM1S,QAAQ,CACZ/X,KAAM,aACNmQ,OAAQsa,SAGZuS,OAAOzC,MAAMwC,YACTM,OAAOv8B,OAAS,IACdiB,OAAOC,SAAWD,OAAOC,QAAQy7B,gBACnC17B,OAAOC,QAAQy7B,uDAAgDhT,MAAMW,MAEvEiS,OAAO34B,SAAQlB,OAASnB,MAAMmB,MAAMA,SAChCzB,OAAOC,SAAWD,OAAOC,QAAQ07B,UACnC37B,OAAOC,QAAQ07B,YAGnBV,OAAOW,SAcHC,UAAY,SAAUxS,IAAKX,aACzBhT,KAAO,CACX8hB,IAAKnO,KAEDyS,YAAcjL,cAAcxH,KAC9ByS,cACFpmB,KAAKgkB,KAAOoC,mBAERxB,gBAAgD,oBAA9B5R,MAAMqT,MAAMD,cAChCxB,kBACF5kB,KAAK4kB,gBAAkBA,iBAEzBjD,IAAI3hB,KAAMiB,MAAM7Y,MAAM,SAAUm4B,IAAKC,SAAUC,iBACzCF,WACK31B,MAAMmB,MAAMw0B,IAAKC,UAE1BxN,MAAMsT,SAAU,EAIa,mBAAlBh8B,OAAOk7B,OACZxS,MAAMqT,OAGRrT,MAAMqT,MAAMtlB,IAAI,CAAC,cAAe,eAAezJ,WAC1B,eAAfA,MAAM/O,YAIH88B,UAAU5E,aAAczN,OAH7BpoB,MAAMmB,iEAA0DinB,MAAMW,SAO5E0R,UAAU5E,aAAczN,kBAWxBuT,kBAAkBhM,MAmCtB9sB,kBAAYc,+DAAU,OACfA,QAAQ+kB,WACL,IAAIpnB,MAAM,kCAEZs6B,SAAW94B,QAAQa,QAAS,CAChCyqB,KAAMiB,cAAc1rB,QAAQyqB,OAAS,YACrCpR,SAAUrZ,QAAQqZ,UAAYrZ,QAAQk4B,SAAW,SAE/CC,KAAOtM,cAAcoM,SAASE,OAAS,iBACrCC,SAAWH,SAASpB,QACJ,aAAlBoB,SAASxN,MAAyC,aAAlBwN,SAASxN,OAC3C0N,KAAO,gBAEHF,eACDH,MAAQG,SAASlT,UACjBgG,MAAQ,QACRsN,YAAc,QACdC,UAA4C,IAAjCz+B,KAAKi+B,MAAMS,wBACrB7T,KAAO,IAAIiG,iBAAiB9wB,KAAKkxB,OACjCyN,WAAa,IAAI7N,iBAAiB9wB,KAAKw+B,iBACzCI,SAAU,OACTC,kBAAoBhmB,MAAM7Y,MAAM,eAAUkP,6DAAQ,GACjDlP,KAAKi+B,MAAM9e,eAGVnf,KAAKi+B,MAAM3b,eAWXqc,WAAa3+B,KAAK2+B,WACnBC,eACG1mB,QAAQ,aACb0mB,SAAU,GAEO,eAAf1vB,MAAM/O,YACH2+B,KAAO9+B,KAAKi+B,MAAMc,0BAA0B/+B,KAAK6+B,qBAhBnC,eAAf3vB,MAAM/O,YACH2+B,KAAO9+B,KAAKi+B,MAAMc,0BAA0B/+B,KAAK6+B,6BAqBvDZ,MAAM1lB,IAAI,WAHQ,UAChBymB,kBAGM,aAATV,WACGW,gBAEP36B,OAAO46B,iBAAiBl/B,KAAM,CAU5Bg9B,QAAS,CACP32B,IAAG,IACMk4B,SAETx4B,SAWFu4B,KAAM,CACJj4B,IAAG,IACMi4B,KAETv4B,IAAIo5B,SACGnN,cAAcmN,UAGfb,OAASa,UAGbb,KAAOa,QACFn/B,KAAKy+B,UAAqB,aAATH,MAA4C,IAArBt+B,KAAK6qB,KAAK5pB,QAErD88B,UAAU/9B,KAAKurB,IAAKvrB,WAEjBg/B,eACQ,aAATV,WACGW,qBAWF/mB,QAAQ,iBASjB2S,KAAM,CACJxkB,aACOrG,KAAKk+B,QAGHrT,KAFE,MAIX9kB,SAQF44B,WAAY,CACVt4B,UACOrG,KAAKk+B,eACD,QAIgB,IAArBl+B,KAAK6qB,KAAK5pB,cACL09B,iBAEHS,GAAKp/B,KAAKi+B,MAAMoB,cAChBC,OAAS,OACV,IAAIt+B,EAAI,EAAG8uB,EAAI9vB,KAAK6qB,KAAK5pB,OAAQD,EAAI8uB,EAAG9uB,IAAK,OAC1C8pB,IAAM9qB,KAAK6qB,KAAK7pB,GAClB8pB,IAAIC,WAAaqU,IAAMtU,IAAIE,SAAWoU,IACxCE,OAAOr9B,KAAK6oB,QAGhB8T,SAAU,EACNU,OAAOr+B,SAAWjB,KAAKw+B,YAAYv9B,OACrC29B,SAAU,WAEL,IAAI59B,EAAI,EAAGA,EAAIs+B,OAAOr+B,OAAQD,KACY,IAAzChB,KAAKw+B,YAAYh+B,QAAQ8+B,OAAOt+B,MAClC49B,SAAU,eAIXJ,YAAcc,OACnBX,WAAW5N,SAAS/wB,KAAKw+B,aAClBG,YAGT54B,WAGAq4B,SAAS7S,UACNA,IAAM6S,SAAS7S,IACfvrB,KAAKy+B,gBAGHP,SAAU,IAEbl+B,KAAKy+B,UAA8B,cAAlBL,SAASxN,MAA0C,aAAlBwN,SAASxN,OAC7DmN,UAAU/9B,KAAKurB,IAAKvrB,YAGjBk+B,SAAU,EAGnBe,qBAEOH,KAAO9+B,KAAKi+B,MAAMc,0BAA0B/+B,KAAK6+B,wBAEjDZ,MAAM3mB,GAAG,aAActX,KAAK6+B,mBAEnCG,eACMh/B,KAAK8+B,YACFb,MAAMsB,yBAAyBv/B,KAAK8+B,WACpCA,UAAO77B,QAETg7B,MAAMz6B,IAAI,aAAcxD,KAAK6+B,mBASpClT,OAAO6T,iBACD1U,IAAM0U,iBAGJ,iBAAkB1U,KAAM,CAC5BA,IAAM,IAAI5oB,OAAOo7B,MAAMmC,OAAOD,YAAYzU,UAAWyU,YAAYxU,QAASwU,YAAYl0B,UACjF,MAAMwG,QAAQ0tB,YACX1tB,QAAQgZ,MACZA,IAAIhZ,MAAQ0tB,YAAY1tB,OAK5BgZ,IAAI9M,GAAKwhB,YAAYxhB,GACrB8M,IAAI4U,aAAeF,kBAEfhQ,OAASxvB,KAAKi+B,MAAMzS,iBACrB,IAAIxqB,EAAI,EAAGA,EAAIwuB,OAAOvuB,OAAQD,IAC7BwuB,OAAOxuB,KAAOhB,MAChBwvB,OAAOxuB,GAAG2+B,UAAU7U,UAGnBoG,MAAMjvB,KAAK6oB,UACXD,KAAKkG,SAAS/wB,KAAKkxB,OAS1ByO,UAAUA,eACJ3+B,EAAIhB,KAAKkxB,MAAMjwB,YACZD,KAAK,OACJ8pB,IAAM9qB,KAAKkxB,MAAMlwB,MACnB8pB,MAAQ6U,WAAa7U,IAAI4U,cAAgB5U,IAAI4U,eAAiBC,UAAW,MACtEzO,MAAMxwB,OAAOM,EAAG,QAChB6pB,KAAKkG,SAAS/wB,KAAKkxB,gBAYhCiN,UAAU55B,UAAU2V,eAAiB,CACnC0lB,UAAW,mBAUPC,mBAAmB1N,MAuBvB9sB,kBAAYc,+DAAU,SACdi4B,SAAW94B,QAAQa,QAAS,CAChCyqB,KAAMgB,eAAezrB,QAAQyqB,OAAS,WAElCwN,cACFla,SAAU,EAWd5f,OAAO0B,eAAehG,KAAM,UAAW,CACrCqG,IAAG,IACM6d,QAETne,IAAI+5B,YAEwB,kBAAfA,YAA4BA,aAAe5b,UAGtDA,QAAU4b,gBAYL5nB,QAAQ,qBAObkmB,SAASla,eACNA,QAAUka,SAASla,cAErBga,SAAU,SAUb6B,mBAAmB5N,MAsBvB9sB,kBAAYc,+DAAU,SACdi4B,SAAW94B,QAAQa,QAAS,CAChCyqB,KAAMS,eAAelrB,QAAQyqB,OAAS,WAElCwN,cACF7N,UAAW,EAWfjsB,OAAO0B,eAAehG,KAAM,WAAY,CACtCqG,IAAG,IACMkqB,SAETxqB,IAAIi6B,aAEyB,kBAAhBA,aAA6BA,cAAgBzP,WAGxDA,SAAWyP,iBAYN9nB,QAAQ,sBAObkmB,SAAS7N,gBACNA,SAAW6N,SAAS7N,iBAiBzB0P,yBAAyBjmB,cAmC7B3U,kBAEM8O,WAFMhO,+DAAU,iBAGdykB,MAAQ,IAAIuT,UAAUh4B,cACvByqB,KAAOhG,MAAMgG,UACbrF,IAAMX,MAAMW,SACZ8S,QAAUzT,MAAMpL,cAChBiN,MAAQ7B,MAAM6B,WACduQ,QAAUpS,MAAMoS,QACrB14B,OAAO46B,iBAAiBl/B,KAAM,CAO5BmU,WAAY,CACV9N,IAAG,IACM8N,YAUXyW,MAAO,CACLvkB,IAAG,IACMukB,SAIbzW,WAAa8rB,iBAAiBC,KAM9BtV,MAAMxW,iBAAiB,cAAc,KACnCD,WAAa8rB,iBAAiBE,YACzBjoB,QAAQ,CACX/X,KAAM,OACNmQ,OAAQtQ,WAShBigC,iBAAiB17B,UAAU2V,eAAiB,CAC1CkmB,KAAM,QASRH,iBAAiBC,KAAO,EAQxBD,iBAAiBI,QAAU,EAQ3BJ,iBAAiBE,OAAS,EAQ1BF,iBAAiBK,MAAQ,QAOnBC,OAAS,CACbC,MAAO,CACLC,wBA98DyBlR,UAO3BlqB,kBAAYmqB,8DAAS,OAGd,IAAIxuB,EAAIwuB,OAAOvuB,OAAS,EAAGD,GAAK,EAAGA,OAClCwuB,OAAOxuB,GAAGkjB,QAAS,CACrBkM,gBAAgBZ,OAAQA,OAAOxuB,gBAI7BwuB,aACDkR,WAAY,EAWnBhR,SAAS9E,OACHA,MAAM1G,SACRkM,gBAAgBpwB,KAAM4qB,aAElB8E,SAAS9E,OAEVA,MAAMxW,mBAGXwW,MAAM+V,eAAiB,KAIjB3gC,KAAK0gC,iBAGJA,WAAY,EACjBtQ,gBAAgBpwB,KAAM4qB,YACjB8V,WAAY,OACZxoB,QAAQ,YAOf0S,MAAMxW,iBAAiB,gBAAiBwW,MAAM+V,iBAEhD/Q,YAAYC,cACJD,YAAYC,QACdA,OAAO3b,qBAAuB2b,OAAO8Q,iBACvC9Q,OAAO3b,oBAAoB,gBAAiB2b,OAAO8Q,gBACnD9Q,OAAO8Q,eAAiB,QAm5D1BC,WAAYf,WACZgB,YAAa,SAEfC,MAAO,CACLL,wBAj3DyBlR,UAO3BlqB,kBAAYmqB,8DAAS,OAGd,IAAIxuB,EAAIwuB,OAAOvuB,OAAS,EAAGD,GAAK,EAAGA,OAClCwuB,OAAOxuB,GAAGuvB,SAAU,CACtBD,cAAcd,OAAQA,OAAOxuB,gBAI3BwuB,aACDkR,WAAY,EAMjBp8B,OAAO0B,eAAehG,KAAM,gBAAiB,CAC3CqG,UACO,IAAIrF,EAAI,EAAGA,EAAIhB,KAAKiB,OAAQD,OAC3BhB,KAAKgB,GAAGuvB,gBACHvvB,SAGH,GAEV+E,UAYJ2pB,SAAS9E,OACHA,MAAM2F,UACRD,cAActwB,KAAM4qB,aAEhB8E,SAAS9E,OAEVA,MAAMxW,mBAGXwW,MAAMmW,gBAAkB,KAClB/gC,KAAK0gC,iBAGJA,WAAY,EACjBpQ,cAActwB,KAAM4qB,YACf8V,WAAY,OACZxoB,QAAQ,YAOf0S,MAAMxW,iBAAiB,iBAAkBwW,MAAMmW,kBAEjDnR,YAAYC,cACJD,YAAYC,QACdA,OAAO3b,qBAAuB2b,OAAOkR,kBACvClR,OAAO3b,oBAAoB,iBAAkB2b,OAAOkR,iBACpDlR,OAAOkR,gBAAkB,QAyyD3BH,WAAYb,WACZc,YAAa,SAEfv1B,KAAM,CACJm1B,UAAWjQ,cACXoQ,WAAYzC,UACZ0C,YAAa,SAGjBv8B,OAAOG,KAAK87B,QAAQ17B,SAAQ,SAAU1E,MACpCogC,OAAOpgC,MAAM6gC,qBAAgB7gC,eAC7BogC,OAAOpgC,MAAM8gC,sBAAiB9gC,yBAE1B+gC,OAAS,CACbC,WAAY,CACVV,UAAWjQ,cACXoQ,WAAYzC,UACZ0C,YAAa,aACbG,WAAY,mBACZC,YAAa,qBAEfG,aAAc,CACZX,gBArvDFp7B,kBAAYg8B,qEAAgB,QACrBC,eAAiB,GAQtBh9B,OAAO0B,eAAehG,KAAM,SAAU,CACpCqG,aACSrG,KAAKshC,eAAergC,cAG1B,IAAID,EAAI,EAAGC,OAASogC,cAAcpgC,OAAQD,EAAIC,OAAQD,SACpDugC,iBAAiBF,cAAcrgC,IAYxCugC,iBAAiBC,oBACTjhC,MAAQP,KAAKshC,eAAergC,OAC5B,GAAKV,SAASP,MAClBsE,OAAO0B,eAAehG,KAAMO,MAAO,CACjC8F,aACSrG,KAAKshC,eAAe/gC,WAMkB,IAA/CP,KAAKshC,eAAe9gC,QAAQghC,oBACzBF,eAAer/B,KAAKu/B,cAgB7BC,wBAAwB7W,WAClB8W,kBACC,IAAI1gC,EAAI,EAAGC,OAASjB,KAAKshC,eAAergC,OAAQD,EAAIC,OAAQD,OAC3D4pB,QAAU5qB,KAAKshC,eAAetgC,GAAG4pB,MAAO,CAC1C8W,cAAgB1hC,KAAKshC,eAAetgC,gBAIjC0gC,cAWTC,oBAAoBH,kBACb,IAAIxgC,EAAI,EAAGC,OAASjB,KAAKshC,eAAergC,OAAQD,EAAIC,OAAQD,OAC3DwgC,eAAiBxhC,KAAKshC,eAAetgC,GAAI,CACvChB,KAAKshC,eAAetgC,GAAG4pB,OAAqD,mBAArC5qB,KAAKshC,eAAetgC,GAAG4pB,MAAMpnB,UACjE89B,eAAetgC,GAAG4pB,MAAMpnB,MAEW,mBAA/BxD,KAAKshC,eAAetgC,GAAGwC,UAC3B89B,eAAetgC,GAAGwC,WAEpB89B,eAAe5gC,OAAOM,EAAG,YAmqDlC4/B,WAAYX,iBACZY,YAAa,qBACbG,WAAY,qBACZC,YAAa,wBAGXW,IAAMt9B,OAAO4X,OAAO,GAAIqkB,OAAQW,QACtCA,OAAO9gB,MAAQ9b,OAAOG,KAAKy8B,QAC3BX,OAAOngB,MAAQ9b,OAAOG,KAAK87B,QAC3BqB,IAAIxhB,MAAQ,GAAG/f,OAAO6gC,OAAO9gB,OAAO/f,OAAOkgC,OAAOngB,WAK9CyhB,MADAC,cAAqC,IAAnB1O,eAAiCA,eAAmC,oBAAXlxB,OAAyBA,OAAS,GAEzF,oBAAbhB,SACT2gC,MAAQ3gC,UAER2gC,MAAQC,SAAS,gCAEfD,MAAQC,SAAS,6BATR,QAYTC,WAAaF,MAqBbG,WAAa19B,OAAO29B,QAAU,oBACvBC,YACF,SAAUjO,MACU,IAArBvb,UAAUzX,aACN,IAAI6C,MAAM,yDAElBo+B,EAAE39B,UAAY0vB,EACP,IAAIiO,GAPmB,YAezBC,aAAaC,UAAWvY,cAC1BxoB,KAAO,oBACPke,KAAO6iB,UAAU7iB,UACjBsK,QAAUA,SAAWuY,UAAUvY,iBAkB7BwY,eAAeC,gBACbC,eAAe3Z,EAAGlR,EAAGgR,EAAG8Z,UACd,MAAL,EAAJ5Z,GAA0B,IAAL,EAAJlR,IAAmB,EAAJgR,IAAc,EAAJ8Z,GAAS,QAEzD9qB,EAAI4qB,MAAMp5B,MAAM,+CACfwO,EAGDA,EAAE,GAEG6qB,eAAe7qB,EAAE,GAAIA,EAAE,GAAIA,EAAE,GAAGsF,QAAQ,IAAK,IAAKtF,EAAE,IAClDA,EAAE,GAAK,GAGT6qB,eAAe7qB,EAAE,GAAIA,EAAE,GAAI,EAAGA,EAAE,IAGhC6qB,eAAe,EAAG7qB,EAAE,GAAIA,EAAE,GAAIA,EAAE,IAXhC,cAiBF+qB,gBACF97B,OAASq7B,WAAW,eAuDlBU,aAAaJ,MAAO/sB,SAAUotB,cAAeC,gBAChDC,OAASD,WAAaN,MAAM91B,MAAMo2B,YAAc,CAACN,WAChD,IAAIthC,KAAK6hC,UACa,iBAAdA,OAAO7hC,QAGd8hC,GAAKD,OAAO7hC,GAAGwL,MAAMm2B,kBACP,IAAdG,GAAG7hC,OAKPsU,SAFQutB,GAAG,GAAGl5B,OACNk5B,GAAG,GAAGl5B,kBAITm5B,SAAST,MAAOxX,IAAKkY,gBAExBC,OAASX,eAEJY,uBACHC,GAAKd,eAAeC,UACb,OAAPa,SACI,IAAIhB,aAAaA,aAAaiB,OAAOC,aAAc,wBAA0BJ,eAGrFX,MAAQA,MAAMtlB,QAAQ,iBAAkB,IACjCmmB,YAkFAG,iBACPhB,MAAQA,MAAMtlB,QAAQ,OAAQ,OAIhCsmB,iBACAxY,IAAIC,UAAYmY,mBAChBI,iBAC2B,WAAvBhB,MAAMiB,OAAO,EAAG,SAEZ,IAAIpB,aAAaA,aAAaiB,OAAOC,aAAc,qEAAoEJ,QAE/HX,MAAQA,MAAMiB,OAAO,GACrBD,iBACAxY,IAAIE,QAAUkY,mBAGdI,0BA/F4BhB,MAAOxX,SAC7BsT,SAAW,IAAIqE,SACnBC,aAAaJ,OAAO,SAAUl0B,EAAGo1B,UACvBp1B,OACD,aAEE,IAAIpN,EAAIgiC,WAAW/hC,OAAS,EAAGD,GAAK,EAAGA,OACtCgiC,WAAWhiC,GAAGgd,KAAOwlB,EAAG,CAC1BpF,SAASr4B,IAAIqI,EAAG40B,WAAWhiC,GAAGyiC,wBAK/B,WACHrF,SAASsF,IAAIt1B,EAAGo1B,EAAG,CAAC,KAAM,iBAEvB,WACCG,KAAOH,EAAEh3B,MAAM,KACjBo3B,MAAQD,KAAK,GACfvF,SAASyF,QAAQz1B,EAAGw1B,OACpBxF,SAAS0F,QAAQ11B,EAAGw1B,QAASxF,SAASr4B,IAAI,eAAe,GACzDq4B,SAASsF,IAAIt1B,EAAGw1B,MAAO,CAAC,SACJ,IAAhBD,KAAK1iC,QACPm9B,SAASsF,IAAI,YAAaC,KAAK,GAAI,CAAC,QAAS,SAAU,kBAGtD,WACHA,KAAOH,EAAEh3B,MAAM,KACf4xB,SAAS0F,QAAQ11B,EAAGu1B,KAAK,IACL,IAAhBA,KAAK1iC,QACPm9B,SAASsF,IAAI,gBAAiBC,KAAK,GAAI,CAAC,QAAS,SAAU,kBAG1D,OACHvF,SAAS0F,QAAQ11B,EAAGo1B,aAEjB,QACHpF,SAASsF,IAAIt1B,EAAGo1B,EAAG,CAAC,QAAS,SAAU,MAAO,OAAQ,aAGzD,IAAK,MAGR1Y,IAAI2Y,OAASrF,SAAS/3B,IAAI,SAAU,MACpCykB,IAAIiZ,SAAW3F,SAAS/3B,IAAI,WAAY,QAEtCykB,IAAIkZ,KAAO5F,SAAS/3B,IAAI,OAAQ,QAChC,MAAO2L,IACT8Y,IAAImZ,UAAY7F,SAAS/3B,IAAI,YAAa,SAC1CykB,IAAIoZ,YAAc9F,SAAS/3B,IAAI,eAAe,GAC9CykB,IAAIxQ,KAAO8jB,SAAS/3B,IAAI,OAAQ,SAG9BykB,IAAIqZ,MAAQ/F,SAAS/3B,IAAI,QAAS,UAClC,MAAO2L,GACP8Y,IAAIqZ,MAAQ/F,SAAS/3B,IAAI,QAAS,cAGlCykB,IAAI1a,SAAWguB,SAAS/3B,IAAI,WAAY,QACxC,MAAO2L,GACP8Y,IAAI1a,SAAWguB,SAAS/3B,IAAI,WAAY,CACtC4hB,MAAO,EACPvZ,KAAM,EACNoV,OAAQ,GACRsgB,OAAQ,GACRlc,IAAK,IACLtE,MAAO,KACNkH,IAAIqZ,OAETrZ,IAAIuZ,cAAgBjG,SAAS/3B,IAAI,gBAAiB,CAChD4hB,MAAO,QACPvZ,KAAM,QACNoV,OAAQ,SACRsgB,OAAQ,SACRlc,IAAK,MACLtE,MAAO,OACNkH,IAAIqZ,OAoBTG,CAAmBhC,MAAOxX,KA7N5BqX,aAAa59B,UAAYy9B,WAAWl+B,MAAMS,WAC1C49B,aAAa59B,UAAUc,YAAc88B,aAGrCA,aAAaiB,OAAS,CACpBmB,aAAc,CACZhlB,KAAM,EACNsK,QAAS,+BAEXwZ,aAAc,CACZ9jB,KAAM,EACNsK,QAAS,0BA+Bb4Y,SAASl+B,UAAY,CAEnBwB,IAAK,SAAUqI,EAAGo1B,GACXxjC,KAAKqG,IAAI+H,IAAY,KAANo1B,SACb78B,OAAOyH,GAAKo1B,IAQrBn9B,IAAK,SAAU+H,EAAGo2B,KAAMC,mBAClBA,WACKzkC,KAAK8U,IAAI1G,GAAKpO,KAAK2G,OAAOyH,GAAKo2B,KAAKC,YAEtCzkC,KAAK8U,IAAI1G,GAAKpO,KAAK2G,OAAOyH,GAAKo2B,MAGxC1vB,IAAK,SAAU1G,UACNA,KAAKpO,KAAK2G,QAGnB+8B,IAAK,SAAUt1B,EAAGo1B,EAAGkB,OACd,IAAI/sB,EAAI,EAAGA,EAAI+sB,EAAEzjC,SAAU0W,KAC1B6rB,IAAMkB,EAAE/sB,GAAI,MACT5R,IAAIqI,EAAGo1B,WAMlBK,QAAS,SAAUz1B,EAAGo1B,GAChB,UAAUnhC,KAAKmhC,SAEZz9B,IAAIqI,EAAG+U,SAASqgB,EAAG,MAI5BM,QAAS,SAAU11B,EAAGo1B,YAChBA,EAAEt6B,MAAM,8BACVs6B,EAAIp6B,WAAWo6B,KACN,GAAKA,GAAK,YACZz9B,IAAIqI,EAAGo1B,IACL,SA4IXmB,iBAAmB5C,WAAWj3B,eAAiBi3B,WAAWj3B,cAAc,YACxE85B,SAAW,CACb3mB,EAAG,OACHjd,EAAG,IACH6H,EAAG,IACHg8B,EAAG,IACHC,KAAM,OACNC,GAAI,KACJvB,EAAG,OACHwB,KAAM,QAKJC,oBAAsB,CACxBC,MAAO,sBACPC,KAAM,kBACNC,KAAM,oBACNC,IAAK,kBACLC,OAAQ,oBACRC,QAAS,oBACTC,KAAM,kBACNC,MAAO,iBAELC,eAAiB,CACnBlC,EAAG,QACHwB,KAAM,QAEJW,aAAe,CACjBZ,GAAI,iBAIGa,aAAa1jC,OAAQogC,gBACnBuD,gBAEFvD,aACI,SAIQ/8B,OAIbmS,EAAI4qB,MAAMp5B,MAAM,8BAJH3D,OAOFmS,EAAE,GAAKA,EAAE,GAAKA,EAAE,GAN7B4qB,MAAQA,MAAMiB,OAAOh+B,OAAOtE,QACrBsE,gBAaFugC,UAAUv5B,QAAST,gBAClB65B,aAAa75B,QAAQi6B,YAAcJ,aAAa75B,QAAQi6B,aAAex5B,QAAQw5B,mBAIhFj7B,cAAc3K,KAAM6lC,gBACvBv7B,QAAUm6B,SAASzkC,UAClBsK,eACI,SAELqB,QAAU5J,OAAOhB,SAAS4J,cAAcL,SACxCpJ,KAAOqkC,eAAevlC,aACtBkB,MAAQ2kC,aACVl6B,QAAQzK,MAAQ2kC,WAAWp8B,QAEtBkC,gBAIPmM,EAzBgByQ,EAuBdud,QAAU/jC,OAAOhB,SAAS4J,cAAc,OAC1CyB,QAAU05B,QAEVC,SAAW,GACgB,QAArBjuB,EAAI4tB,iBACG,MAAT5tB,EAAE,GAyDN1L,QAAQX,YAAY1J,OAAOhB,SAASoQ,gBArFpBoX,EAqF4CzQ,EApF5D0sB,iBAAiBwB,UAAYzd,EAC7BA,EAAIic,iBAAiBz5B,YACrBy5B,iBAAiBz5B,YAAc,GACxBwd,aAyBQ,MAATzQ,EAAE,GAAY,CAEZiuB,SAASjlC,QAAUilC,SAASA,SAASjlC,OAAS,KAAOgX,EAAEsrB,OAAO,GAAGvmB,QAAQ,IAAK,MAChFkpB,SAASpT,MACTvmB,QAAUA,QAAQ2B,yBAMlBqD,KADA4xB,GAAKd,eAAepqB,EAAEsrB,OAAO,EAAGtrB,EAAEhX,OAAS,OAE3CkiC,GAAI,CAEN5xB,KAAOrP,OAAOhB,SAASklC,4BAA4B,YAAajD,IAChE52B,QAAQX,YAAY2F,mBAGlBmG,EAAIO,EAAE/O,MAAM,wDAEXwO,gBAILnG,KAAOzG,cAAc4M,EAAE,GAAIA,EAAE,kBAMxBouB,UAAUv5B,QAASgF,kBAIpBmG,EAAE,GAAI,KACJ2uB,QAAU3uB,EAAE,GAAGlL,MAAM,KACzB65B,QAAQxhC,SAAQ,SAAUyhC,QACpBC,QAAU,OAAOlkC,KAAKikC,IAEtBE,UAAYD,QAAUD,GAAG7lC,MAAM,GAAK6lC,MACpCrB,oBAAoBphC,eAAe2iC,WAAY,KAC7Cx7B,SAAWu7B,QAAU,mBAAqB,QAC1CE,UAAYxB,oBAAoBuB,WACpCj1B,KAAKmB,MAAM1H,UAAYy7B,cAG3Bl1B,KAAKxE,UAAYs5B,QAAQ5zB,KAAK,KAIhCyzB,SAASjkC,KAAKyV,EAAE,IAChBnL,QAAQX,YAAY2F,MACpBhF,QAAUgF,YAOP00B,YAQLS,gBAAkB,CAAC,CAAC,KAAO,MAAQ,CAAC,KAAO,MAAQ,CAAC,KAAO,MAAQ,CAAC,KAAO,MAAQ,CAAC,KAAO,MAAQ,CAAC,KAAO,MAAQ,CAAC,KAAO,MAAQ,CAAC,KAAO,MAAQ,CAAC,KAAO,MAAQ,CAAC,KAAO,MAAQ,CAAC,KAAO,MAAQ,CAAC,KAAO,MAAQ,CAAC,KAAO,MAAQ,CAAC,KAAO,MAAQ,CAAC,KAAO,MAAQ,CAAC,KAAO,MAAQ,CAAC,KAAO,MAAQ,CAAC,KAAO,MAAQ,CAAC,KAAO,MAAQ,CAAC,KAAO,MAAQ,CAAC,KAAO,MAAQ,CAAC,KAAO,MAAQ,CAAC,KAAO,MAAQ,CAAC,KAAO,MAAQ,CAAC,KAAO,MAAQ,CAAC,KAAO,MAAQ,CAAC,KAAO,MAAQ,CAAC,KAAO,MAAQ,CAAC,KAAO,MAAQ,CAAC,KAAO,MAAQ,CAAC,KAAO,MAAQ,CAAC,KAAO,MAAQ,CAAC,KAAQ,MAAS,CAAC,MAAQ,OAAS,CAAC,MAAQ,OAAS,CAAC,MAAQ,OAAS,CAAC,MAAQ,OAAS,CAAC,MAAQ,OAAS,CAAC,MAAQ,OAAS,CAAC,MAAQ,OAAS,CAAC,MAAQ,OAAS,CAAC,MAAQ,OAAS,CAAC,MAAQ,OAAS,CAAC,MAAQ,OAAS,CAAC,MAAQ,OAAS,CAAC,MAAQ,OAAS,CAAC,MAAQ,OAAS,CAAC,MAAS,OAAU,CAAC,MAAS,OAAU,CAAC,MAAS,OAAU,CAAC,MAAS,OAAU,CAAC,MAAS,OAAU,CAAC,MAAS,OAAU,CAAC,MAAS,OAAU,CAAC,MAAS,OAAU,CAAC,MAAS,OAAU,CAAC,MAAS,OAAU,CAAC,MAAS,OAAU,CAAC,MAAS,OAAU,CAAC,MAAS,OAAU,CAAC,MAAS,OAAU,CAAC,MAAS,OAAU,CAAC,MAAS,OAAU,CAAC,MAAS,OAAU,CAAC,MAAS,OAAU,CAAC,MAAS,OAAU,CAAC,MAAS,OAAU,CAAC,MAAS,OAAU,CAAC,MAAS,OAAU,CAAC,MAAS,OAAU,CAAC,MAAS,OAAU,CAAC,OAAS,QAAU,CAAC,OAAS,QAAU,CAAC,OAAS,QAAU,CAAC,OAAS,QAAU,CAAC,OAAS,QAAU,CAAC,OAAS,QAAU,CAAC,OAAS,QAAU,CAAC,OAAS,QAAU,CAAC,OAAS,QAAU,CAAC,OAAS,QAAU,CAAC,OAAS,QAAU,CAAC,OAAS,QAAU,CAAC,OAAS,QAAU,CAAC,OAAS,QAAU,CAAC,OAAS,QAAU,CAAC,OAAS,QAAU,CAAC,OAAS,QAAU,CAAC,OAAS,QAAU,CAAC,OAAS,QAAU,CAAC,OAAS,QAAU,CAAC,OAAS,QAAU,CAAC,OAAS,QAAU,CAAC,OAAS,QAAU,CAAC,OAAS,QAAU,CAAC,OAAS,QAAU,CAAC,OAAS,QAAU,CAAC,OAAS,QAAU,CAAC,OAAS,QAAU,CAAC,OAAS,QAAU,CAAC,OAAS,QAAU,CAAC,OAAS,QAAU,CAAC,OAAS,QAAU,CAAC,OAAS,QAAU,CAAC,QAAU,mBAC35DC,gBAAgBxvB,cAClB,IAAInW,EAAI,EAAGA,EAAI0lC,gBAAgBzlC,OAAQD,IAAK,KAC3C4lC,aAAeF,gBAAgB1lC,MAC/BmW,UAAYyvB,aAAa,IAAMzvB,UAAYyvB,aAAa,UACnD,SAGJ,WAEAC,cAAcC,YACjBC,UAAY,GACdz7B,KAAO,OAEJw7B,SAAWA,OAAOE,iBACd,eAEAC,UAAUF,UAAWx1B,UACvB,IAAIvQ,EAAIuQ,KAAKy1B,WAAW/lC,OAAS,EAAGD,GAAK,EAAGA,IAC/C+lC,UAAU9kC,KAAKsP,KAAKy1B,WAAWhmC,aAG1BkmC,aAAaH,eACfA,YAAcA,UAAU9lC,cACpB,SAELsQ,KAAOw1B,UAAUjU,MACnBxnB,KAAOiG,KAAKrG,aAAeqG,KAAKhG,aAC9BD,KAAM,KAGJoM,EAAIpM,KAAKpC,MAAM,qBACfwO,GACFqvB,UAAU9lC,OAAS,EACZyW,EAAE,IAEJpM,WAEY,SAAjBiG,KAAK9G,QACAy8B,aAAaH,WAElBx1B,KAAKy1B,YACPC,UAAUF,UAAWx1B,MACd21B,aAAaH,uBAGxBE,UAAUF,UAAWD,QACdx7B,KAAO47B,aAAaH,gBACpB,IAAI/lC,EAAI,EAAGA,EAAIsK,KAAKrK,OAAQD,OAE3B2lC,gBADOr7B,KAAK67B,WAAWnmC,UAElB,YAIN,eAmBAomC,qBAkBAC,YAAYnlC,OAAQ4oB,IAAKwc,cAChCF,SAAShiC,KAAKpF,WACT8qB,IAAMA,SAINgc,OAASlB,aAAa1jC,OAAQ4oB,IAAIxf,UACnC/J,OAAS,CACXgmC,MAAO,yBACPC,gBAAiB,qBACjBp3B,SAAU,WACV1B,KAAM,EACNkV,MAAO,EACPjV,IAAK,EACLkV,OAAQ,EACR4jB,QAAS,SACTC,YAA8B,KAAjB5c,IAAIiZ,SAAkB,gBAAmC,OAAjBjZ,IAAIiZ,SAAoB,cAAgB,cAC7F4D,YAAa,kBAEVC,YAAYrmC,OAAQvB,KAAK8mC,aAKzBe,IAAM3lC,OAAOhB,SAAS4J,cAAc,OACzCvJ,OAAS,CACPumC,UAAWjB,cAAc7mC,KAAK8mC,QAC9BY,YAA8B,KAAjB5c,IAAIiZ,SAAkB,gBAAmC,OAAjBjZ,IAAIiZ,SAAoB,cAAgB,cAC7F4D,YAAa,YACbI,UAAyB,WAAdjd,IAAIqZ,MAAqB,SAAWrZ,IAAIqZ,MACnD6D,KAAMV,aAAaU,KACnBC,WAAY,WACZ73B,SAAU,iBAEPw3B,YAAYrmC,aACZsmC,IAAIj8B,YAAY5L,KAAK8mC,YAKtBoB,QAAU,SACNpd,IAAIuZ,mBACL,YACA,YACH6D,QAAUpd,IAAI1a,mBAEX,SACH83B,QAAUpd,IAAI1a,SAAW0a,IAAIxQ,KAAO,YAEjC,UACA,aACH4tB,QAAUpd,IAAI1a,SAAW0a,IAAIxQ,KAOZ,KAAjBwQ,IAAIiZ,cACD6D,YAAY,CACfl5B,KAAM1O,KAAKmoC,YAAYD,QAAS,KAChC35B,MAAOvO,KAAKmoC,YAAYrd,IAAIxQ,KAAM,YAM/BstB,YAAY,CACfj5B,IAAK3O,KAAKmoC,YAAYD,QAAS,KAC/B75B,OAAQrO,KAAKmoC,YAAYrd,IAAIxQ,KAAM,YAGlC8tB,KAAO,SAAU73B,UACfq3B,YAAY,CACfj5B,IAAK3O,KAAKmoC,YAAY53B,IAAI5B,IAAK,MAC/BkV,OAAQ7jB,KAAKmoC,YAAY53B,IAAIsT,OAAQ,MACrCnV,KAAM1O,KAAKmoC,YAAY53B,IAAI7B,KAAM,MACjCkV,MAAO5jB,KAAKmoC,YAAY53B,IAAIqT,MAAO,MACnCvV,OAAQrO,KAAKmoC,YAAY53B,IAAIlC,OAAQ,MACrCE,MAAOvO,KAAKmoC,YAAY53B,IAAIhC,MAAO,kBAUhC85B,YAAYziC,SAKf0iC,GAAIj6B,OAAQE,MAAOI,OACnB/I,IAAIiiC,IAAK,CACXx5B,OAASzI,IAAIiiC,IAAIh5B,aACjBN,MAAQ3I,IAAIiiC,IAAIj5B,YAChBD,IAAM/I,IAAIiiC,IAAI74B,cACVu5B,OAASA,MAAQ3iC,IAAIiiC,IAAIb,cAAgBuB,MAAQA,MAAM,KAAOA,MAAMC,gBAAkBD,MAAMC,iBAChG5iC,IAAMA,IAAIiiC,IAAI55B,wBAKdq6B,GAAKC,MAAQx3B,KAAKC,IAAIu3B,MAAM,IAAMA,MAAM,GAAGl6B,QAAU,EAAGzI,IAAIyI,OAASk6B,MAAMtnC,QAAU,OAElFyN,KAAO9I,IAAI8I,UACXkV,MAAQhe,IAAIge,WACZjV,IAAM/I,IAAI+I,KAAOA,SACjBN,OAASzI,IAAIyI,QAAUA,YACvBwV,OAASje,IAAIie,QAAUlV,KAAO/I,IAAIyI,QAAUA,aAC5CE,MAAQ3I,IAAI2I,OAASA,WACrBk6B,gBAAoBxlC,IAAPqlC,GAAmBA,GAAK1iC,IAAI6iC,oBA8GvCC,sBAAsBxmC,OAAQymC,SAAUC,aAAcC,kBAgCzDC,YAAc,IAAIT,YAAYM,UAChC7d,IAAM6d,SAAS7d,IACfie,iBApSoBje,QACE,iBAAbA,IAAIkZ,OAAsBlZ,IAAIoZ,aAAepZ,IAAIkZ,MAAQ,GAAKlZ,IAAIkZ,MAAQ,YAC5ElZ,IAAIkZ,SAERlZ,IAAIF,QAAUE,IAAIF,MAAMoe,gBAAkBle,IAAIF,MAAMoe,cAAcC,oBAC7D,UAENre,MAAQE,IAAIF,MACdse,UAAYte,MAAMoe,cAClBG,MAAQ,EACDnoC,EAAI,EAAGA,EAAIkoC,UAAUjoC,QAAUioC,UAAUloC,KAAO4pB,MAAO5pB,IACpC,YAAtBkoC,UAAUloC,GAAGs9B,MACf6K,eAGc,IAATA,MAqRGC,CAAete,KACzBue,KAAO,MAGLve,IAAIoZ,YAAa,KACf5pB,YACIwQ,IAAIiZ,cACL,GACHsF,KAAO,CAAC,KAAM,MACd/uB,KAAO,mBAEJ,KACH+uB,KAAO,CAAC,KAAM,MACd/uB,KAAO,kBAEJ,KACH+uB,KAAO,CAAC,KAAM,MACd/uB,KAAO,YAGPgvB,KAAOR,YAAYL,WACrBr4B,SAAWk5B,KAAOv4B,KAAKw4B,MAAMR,SAC7BS,YAAcZ,aAAatuB,MAAQgvB,KACnCG,YAAcJ,KAAK,GAKjBt4B,KAAK24B,IAAIt5B,UAAYo5B,cACvBp5B,SAAWA,SAAW,GAAK,EAAI,EAC/BA,UAAYW,KAAK44B,KAAKH,YAAcF,MAAQA,MAO1CP,QAAU,IACZ34B,UAA6B,KAAjB0a,IAAIiZ,SAAkB6E,aAAav6B,OAASu6B,aAAar6B,MACrE86B,KAAOA,KAAKO,WAKdd,YAAYV,KAAKqB,YAAar5B,cACzB,KAEDy5B,qBAAuBf,YAAYL,WAAaG,aAAav6B,OAAS,WAClEyc,IAAImZ,eACL,SACH8E,SAAWc,qBAAuB,YAE/B,MACHd,SAAWc,4BAKP/e,IAAIiZ,cACL,GACH4E,SAASf,YAAY,CACnBj5B,IAAKg6B,SAASR,YAAYY,QAAS,iBAGlC,KACHJ,SAASf,YAAY,CACnBl5B,KAAMi6B,SAASR,YAAYY,QAAS,iBAGnC,KACHJ,SAASf,YAAY,CACnBhkB,MAAO+kB,SAASR,YAAYY,QAAS,OAI3CM,KAAO,CAAC,KAAM,KAAM,KAAM,MAI1BP,YAAc,IAAIT,YAAYM,cAE5BmB,sBA7GsBjhC,EAAGwgC,cACvBS,aACFC,kBAAoB,IAAI1B,YAAYx/B,GACpCmhC,WAAa,EAENhpC,EAAI,EAAGA,EAAIqoC,KAAKpoC,OAAQD,IAAK,MAC7B6H,EAAEohC,qBAAqBrB,aAAcS,KAAKroC,KAAO6H,EAAEqhC,OAAOtB,eAAiB//B,EAAEshC,YAAYtB,eAC9FhgC,EAAEu/B,KAAKiB,KAAKroC,OAIV6H,EAAEqhC,OAAOtB,qBACJ//B,MAELuhC,EAAIvhC,EAAEwhC,oBAAoBzB,cAG1BoB,WAAaI,IACfN,aAAe,IAAIzB,YAAYx/B,GAC/BmhC,WAAaI,GAGfvhC,EAAI,IAAIw/B,YAAY0B,0BAEfD,cAAgBC,kBAqFNO,CAAiBxB,YAAaO,MACjDV,SAASP,KAAK0B,aAAaS,kBAAkB3B,wBAEtC4B,YAnWTpD,SAAS7iC,UAAUqjC,YAAc,SAAUrmC,OAAQsmC,SAE5C,IAAI/1B,QADT+1B,IAAMA,KAAO7nC,KAAK6nC,IACDtmC,OACXA,OAAOsC,eAAeiO,QACxB+1B,IAAIn1B,MAAMZ,MAAQvQ,OAAOuQ,QAI/Bs1B,SAAS7iC,UAAU4jC,YAAc,SAAUl9B,IAAKw/B,aAC/B,IAARx/B,IAAY,EAAIA,IAAMw/B,MAwF/BpD,YAAY9iC,UAAYy9B,WAAWoF,SAAS7iC,WAC5C8iC,YAAY9iC,UAAUc,YAAcgiC,YAmCpCgB,YAAY9jC,UAAU6jC,KAAO,SAAUiB,KAAMqB,eAC3CA,YAAoBznC,IAAXynC,OAAuBA,OAAS1qC,KAAKyoC,WACtCY,UACD,UACE36B,MAAQg8B,YACR9mB,OAAS8mB,iBAEX,UACEh8B,MAAQg8B,YACR9mB,OAAS8mB,iBAEX,UACE/7B,KAAO+7B,YACP7mB,QAAU6mB,iBAEZ,UACE/7B,KAAO+7B,YACP7mB,QAAU6mB,SAMrBrC,YAAY9jC,UAAUomC,SAAW,SAAUC,WAClC5qC,KAAK0O,KAAOk8B,GAAGhnB,OAAS5jB,KAAK4jB,MAAQgnB,GAAGl8B,MAAQ1O,KAAK2O,IAAMi8B,GAAG/mB,QAAU7jB,KAAK6jB,OAAS+mB,GAAGj8B,KAIlG05B,YAAY9jC,UAAU4lC,YAAc,SAAUU,WACvC,IAAI7pC,EAAI,EAAGA,EAAI6pC,MAAM5pC,OAAQD,OAC5BhB,KAAK2qC,SAASE,MAAM7pC,WACf,SAGJ,GAITqnC,YAAY9jC,UAAU2lC,OAAS,SAAUY,kBAChC9qC,KAAK2O,KAAOm8B,UAAUn8B,KAAO3O,KAAK6jB,QAAUinB,UAAUjnB,QAAU7jB,KAAK0O,MAAQo8B,UAAUp8B,MAAQ1O,KAAK4jB,OAASknB,UAAUlnB,OAOhIykB,YAAY9jC,UAAU0lC,qBAAuB,SAAUa,UAAWzB,aACxDA,UACD,YACIrpC,KAAK0O,KAAOo8B,UAAUp8B,SAC1B,YACI1O,KAAK4jB,MAAQknB,UAAUlnB,UAC3B,YACI5jB,KAAK2O,IAAMm8B,UAAUn8B,QACzB,YACI3O,KAAK6jB,OAASinB,UAAUjnB,SAMrCwkB,YAAY9jC,UAAU8lC,oBAAsB,SAAUO,WAC5C75B,KAAKC,IAAI,EAAGD,KAAKE,IAAIjR,KAAK4jB,MAAOgnB,GAAGhnB,OAAS7S,KAAKC,IAAIhR,KAAK0O,KAAMk8B,GAAGl8B,OACtEqC,KAAKC,IAAI,EAAGD,KAAKE,IAAIjR,KAAK6jB,OAAQ+mB,GAAG/mB,QAAU9S,KAAKC,IAAIhR,KAAK2O,IAAKi8B,GAAGj8B,OAEnD3O,KAAKqO,OAASrO,KAAKuO,QAO7C85B,YAAY9jC,UAAUgmC,kBAAoB,SAAUQ,iBAC3C,CACLp8B,IAAK3O,KAAK2O,IAAMo8B,UAAUp8B,IAC1BkV,OAAQknB,UAAUlnB,OAAS7jB,KAAK6jB,OAChCnV,KAAM1O,KAAK0O,KAAOq8B,UAAUr8B,KAC5BkV,MAAOmnB,UAAUnnB,MAAQ5jB,KAAK4jB,MAC9BvV,OAAQrO,KAAKqO,OACbE,MAAOvO,KAAKuO,QAMhB85B,YAAY2C,qBAAuB,SAAUplC,SACvCyI,OAASzI,IAAIiiC,IAAMjiC,IAAIiiC,IAAIh5B,aAAejJ,IAAI6E,QAAU7E,IAAIiJ,aAAe,EAC3EN,MAAQ3I,IAAIiiC,IAAMjiC,IAAIiiC,IAAIj5B,YAAchJ,IAAI6E,QAAU7E,IAAIgJ,YAAc,EACxED,IAAM/I,IAAIiiC,IAAMjiC,IAAIiiC,IAAI74B,UAAYpJ,IAAI6E,QAAU7E,IAAIoJ,UAAY,QAE5D,CACRN,MAFF9I,IAAMA,IAAIiiC,IAAMjiC,IAAIiiC,IAAI55B,wBAA0BrI,IAAI6E,QAAU7E,IAAIqI,wBAA0BrI,KAElF8I,KACVkV,MAAOhe,IAAIge,MACXjV,IAAK/I,IAAI+I,KAAOA,IAChBN,OAAQzI,IAAIyI,QAAUA,OACtBwV,OAAQje,IAAIie,QAAUlV,KAAO/I,IAAIyI,QAAUA,QAC3CE,MAAO3I,IAAI2I,OAASA,QAmIxBi8B,SAASjN,cAAgB,iBAChB,CACLxE,OAAQ,SAAUhkB,UACXA,WACI,MAEW,iBAATA,WACH,IAAIjR,MAAM,wCAEXmnC,mBAAmBC,mBAAmBn2B,UAInDy1B,SAASW,oBAAsB,SAAUjpC,OAAQkpC,gBAC1ClpC,QAAWkpC,QAGTxF,aAAa1jC,OAAQkpC,SAFnB,MAWXZ,SAASa,YAAc,SAAUnpC,OAAQ2oB,KAAMygB,aACxCppC,SAAW2oB,OAASygB,eAChB,UAIFA,QAAQ5/B,YACb4/B,QAAQl6B,YAAYk6B,QAAQ5/B,gBAE1B6/B,cAAgBrpC,OAAOhB,SAAS4J,cAAc,UAClDygC,cAAc74B,MAAMtC,SAAW,WAC/Bm7B,cAAc74B,MAAMhE,KAAO,IAC3B68B,cAAc74B,MAAMkR,MAAQ,IAC5B2nB,cAAc74B,MAAM/D,IAAM,IAC1B48B,cAAc74B,MAAMmR,OAAS,IAC7B0nB,cAAc74B,MAAM84B,OApBO,OAqB3BF,QAAQ1/B,YAAY2/B,wBAKG1gB,UAChB,IAAI7pB,EAAI,EAAGA,EAAI6pB,KAAK5pB,OAAQD,OAC3B6pB,KAAK7pB,GAAGyqC,eAAiB5gB,KAAK7pB,GAAG0qC,oBAC5B,SAGJ,EAIJC,CAAc9gB,WAMfge,aAAe,GACjBD,aAAeP,YAAY2C,qBAAqBO,eAE9CjE,aAAe,CACjBU,KAFWj3B,KAAKw4B,MA9CI,IA8CEX,aAAav6B,OAA6B,KAAO,IAEjEu9B,qCAGFjD,SAAU7d,IACL9pB,EAAI,EAAGA,EAAI6pB,KAAK5pB,OAAQD,IAC/B8pB,IAAMD,KAAK7pB,GAGX2nC,SAAW,IAAItB,YAAYnlC,OAAQ4oB,IAAKwc,cACxCiE,cAAc3/B,YAAY+8B,SAASd,KAGnCa,sBAAsBxmC,EAAQymC,SAAUC,aAAcC,cAItD/d,IAAI4gB,aAAe/C,SAASd,IAC5BgB,aAAa5mC,KAAKomC,YAAY2C,qBAAqBrC,uBA1BhD,IAAI3nC,EAAI,EAAGA,EAAI6pB,KAAK5pB,OAAQD,IAC/BuqC,cAAc3/B,YAAYif,KAAK7pB,GAAG0qC,eA6BxClB,SAASnN,OAAS,SAAUn7B,OAAQo7B,MAAOuO,SACpCA,UACHA,QAAUvO,MACVA,MAAQ,IAELA,QACHA,MAAQ,SAELp7B,OAASA,YACTo7B,MAAQA,WACRhhB,MAAQ,eACRwvB,OAAS,QACTD,QAAUA,SAAW,IAAIrT,YAAY,aACrCwK,WAAa,IAEpBwH,SAASnN,OAAO94B,UAAY,CAG1BwnC,mBAAoB,SAAU/5B,QACxBA,aAAamwB,oBAGTnwB,OAFD0rB,gBAAkB19B,KAAK09B,eAAe1rB,IAK/C0oB,MAAO,SAAU3lB,UACXjV,KAAOE,cAWFgsC,0BACHF,OAAShsC,KAAKgsC,OACdG,IAAM,EACHA,IAAMH,OAAO7qC,QAA0B,OAAhB6qC,OAAOG,MAAiC,OAAhBH,OAAOG,QACzDA,QAEAjI,KAAO8H,OAAOvI,OAAO,EAAG0I,WAER,OAAhBH,OAAOG,QACPA,IAEgB,OAAhBH,OAAOG,QACPA,IAEJnsC,KAAKgsC,OAASA,OAAOvI,OAAO0I,KACrBjI,cAoFAkI,YAAY5J,OACfA,MAAMp5B,MAAM,mBAEdw5B,aAAaJ,OAAO,SAAUl0B,EAAGo1B,MAExB,oBADCp1B,YAvBak0B,WACrBlE,SAAW,IAAIqE,SACnBC,aAAaJ,OAAO,SAAUl0B,EAAGo1B,UACvBp1B,OACD,QACHgwB,SAASyF,QAAQz1B,EAAI,IAAKo1B,aAEvB,OACHpF,SAASr4B,IAAIqI,EAAI,IAAKi0B,eAAemB,OAGxC,SAAU,KACb1jC,KAAKqsC,gBAAkBrsC,KAAKqsC,eAAe,QAC/B/N,SAAS/3B,IAAI,gBACd+3B,SAAS/3B,IAAI,WAWhB+lC,CAAkB5I,KAGrB,KAEHd,aAAaJ,OAAO,SAAUl0B,EAAGo1B,MAExB,WADCp1B,YA5FOk0B,WACflE,SAAW,IAAIqE,YACnBC,aAAaJ,OAAO,SAAUl0B,EAAGo1B,UACvBp1B,OACD,KACHgwB,SAASr4B,IAAIqI,EAAGo1B,aAEb,QACHpF,SAAS0F,QAAQ11B,EAAGo1B,aAEjB,QACHpF,SAASyF,QAAQz1B,EAAGo1B,aAEjB,mBACA,qBACC6I,GAAK7I,EAAEh3B,MAAM,QACC,IAAd6/B,GAAGprC,iBAKHqrC,OAAS,IAAI7J,YACjB6J,OAAOxI,QAAQ,IAAKuI,GAAG,IACvBC,OAAOxI,QAAQ,IAAKuI,GAAG,KAClBC,OAAOx3B,IAAI,OAASw3B,OAAOx3B,IAAI,WAGpCspB,SAASr4B,IAAIqI,EAAI,IAAKk+B,OAAOjmC,IAAI,MACjC+3B,SAASr4B,IAAIqI,EAAI,IAAKk+B,OAAOjmC,IAAI,gBAE9B,SACH+3B,SAASsF,IAAIt1B,EAAGo1B,EAAG,CAAC,UAGvB,IAAK,MAIJpF,SAAStpB,IAAI,MAAO,KAClB2uB,OAAS,IAAK3jC,KAAKw9B,MAAMiP,WAAazsC,KAAKoC,OAAOqqC,WACtD9I,OAAOl1B,MAAQ6vB,SAAS/3B,IAAI,QAAS,KACrCo9B,OAAO+I,MAAQpO,SAAS/3B,IAAI,QAAS,GACrCo9B,OAAOgJ,cAAgBrO,SAAS/3B,IAAI,gBAAiB,GACrDo9B,OAAOiJ,cAAgBtO,SAAS/3B,IAAI,gBAAiB,KACrDo9B,OAAOkJ,gBAAkBvO,SAAS/3B,IAAI,kBAAmB,GACzDo9B,OAAOmJ,gBAAkBxO,SAAS/3B,IAAI,kBAAmB,KACzDo9B,OAAOoJ,OAASzO,SAAS/3B,IAAI,SAAU,IAEvCvG,KAAKgtC,UAAYhtC,KAAKgtC,SAASrJ,QAG/B3jC,KAAKkjC,WAAW/gC,KAAK,CACnB+b,GAAIogB,SAAS/3B,IAAI,MACjBo9B,OAAQA,UA0CJsJ,CAAYvJ,KAGf,KA3HHzuB,OAEFjV,KAAKgsC,QAAUhsC,KAAK+rC,QAAQ9S,OAAOhkB,KAAM,CACvCi4B,QAAQ,aA8HNhJ,QACe,YAAflkC,KAAKwc,MAAqB,KAEvB,UAAUja,KAAKvC,KAAKgsC,eAChB9rC,SAGL0X,GADJssB,KAAOgI,mBACM9iC,MAAM,0BACdwO,IAAMA,EAAE,SACL,IAAIyqB,aAAaA,aAAaiB,OAAOmB,cAE7CzkC,KAAKwc,MAAQ,iBAEX2wB,sBAAuB,EACpBntC,KAAKgsC,QAAQ,KAEb,UAAUzpC,KAAKvC,KAAKgsC,eAChB9rC,YAEJitC,qBAGHA,sBAAuB,EAFvBjJ,KAAOgI,kBAIDlsC,KAAKwc,WACN,SAEC,IAAIja,KAAK2hC,MACXkI,YAAYlI,MACFA,OAEVlkC,KAAKwc,MAAQ,mBAGZ,OAEE0nB,OACHlkC,KAAKwc,MAAQ,mBAGZ,QAEC,iBAAiBja,KAAK2hC,MAAO,CAC/BlkC,KAAKwc,MAAQ,iBAIV0nB,cAGLlkC,KAAKgrB,IAAM,IAAKhrB,KAAKw9B,MAAMmC,QAAU3/B,KAAKoC,OAAOu9B,QAAQ,EAAG,EAAG,QAG7D3/B,KAAKgrB,IAAIqZ,MAAQ,SACjB,MAAOnyB,GACPlS,KAAKgrB,IAAIqZ,MAAQ,YAEnBrkC,KAAKwc,MAAQ,OAEgB,IAAzB0nB,KAAKxjC,QAAQ,UAAe,CAC9BV,KAAKgrB,IAAI9M,GAAKgmB,kBAKb,UAGDjB,SAASiB,KAAMlkC,KAAKgrB,IAAKhrB,KAAKkjC,YAC9B,MAAOhxB,GACPlS,KAAKisC,mBAAmB/5B,GAExBlS,KAAKgrB,IAAM,KACXhrB,KAAKwc,MAAQ,kBAGfxc,KAAKwc,MAAQ,uBAEV,cACC4wB,cAAwC,IAAzBlJ,KAAKxjC,QAAQ,cAK3BwjC,MAAQkJ,eAAiBD,sBAAuB,GAAO,CAE1DntC,KAAK29B,OAAS39B,KAAK29B,MAAM39B,KAAKgrB,KAC9BhrB,KAAKgrB,IAAM,KACXhrB,KAAKwc,MAAQ,cAGXxc,KAAKgrB,IAAIxf,OACXxL,KAAKgrB,IAAIxf,MAAQ,MAEnBxL,KAAKgrB,IAAIxf,MAAQ04B,KAAKhnB,QAAQ,UAAW,MAAMA,QAAQ,SAAU,mBAE9D,SAGEgnB,OACHlkC,KAAKwc,MAAQ,iBAKrB,MAAOtK,GACPlS,KAAKisC,mBAAmB/5B,GAGL,YAAflS,KAAKwc,OAAuBxc,KAAKgrB,KAAOhrB,KAAK29B,OAC/C39B,KAAK29B,MAAM39B,KAAKgrB,KAElBhrB,KAAKgrB,IAAM,KAGXhrB,KAAKwc,MAAuB,YAAfxc,KAAKwc,MAAsB,YAAc,gBAEjDtc,MAET89B,MAAO,kBACM99B,KAGJ8rC,QAHI9rC,KAGW6rC,QAAQ9S,UAHnB/4B,KAKA8qB,KAAsB,WALtB9qB,KAKYsc,SALZtc,KAMF8rC,QAAU,OANR9rC,KAOF06B,SAKY,YAZV16B,KAYAsc,YACD,IAAI6lB,aAAaA,aAAaiB,OAAOmB,cAE7C,MAAOvyB,GAfEhS,KAgBJ+rC,mBAAmB/5B,UAhBfhS,KAkBN29B,SAlBM39B,KAkBU29B,UACd39B,WAGPmtC,IAAM3C,SAmBN4C,iBAAmB,IACjB,KACE,KACA,GAEJC,aAAe,OACR,SACC,MACH,OACC,QACC,OACD,cACK,eACC,YASPC,iBAAiBpoC,aACH,iBAAVA,UAGCmoC,aAAanoC,MAAMqK,gBAChBrK,MAAMqK,wBAEdkwB,OAAO1U,UAAWC,QAAS1f,WAS7BmgC,cAAe,MAOhB8B,IAAM,GACNC,cAAe,EACfC,WAAa1iB,UACb2iB,SAAW1iB,QACX2iB,MAAQriC,KACRsiC,QAAU,KACVC,UAAY,GACZC,cAAe,EACfC,MAAQ,OACRC,WAAa,QACbC,UAAY,OACZC,eAAiB,OACjBC,MAAQ,IACRC,OAAS,SACb9pC,OAAO46B,iBAAiBl/B,KAAM,IACtB,CACJiG,YAAY,EACZI,IAAK,kBACIknC,KAETxnC,IAAK,SAAUb,OACbqoC,IAAM,GAAKroC,oBAGA,CACbe,YAAY,EACZI,IAAK,kBACImnC,cAETznC,IAAK,SAAUb,OACbsoC,eAAiBtoC,kBAGR,CACXe,YAAY,EACZI,IAAK,kBACIonC,YAET1nC,IAAK,SAAUb,UACQ,iBAAVA,YACH,IAAIuvB,UAAU,uCAEtBgZ,WAAavoC,WACRumC,cAAe,YAGb,CACTxlC,YAAY,EACZI,IAAK,kBACIqnC,UAET3nC,IAAK,SAAUb,UACQ,iBAAVA,YACH,IAAIuvB,UAAU,qCAEtBiZ,SAAWxoC,WACNumC,cAAe,SAGhB,CACNxlC,YAAY,EACZI,IAAK,kBACIsnC,OAET5nC,IAAK,SAAUb,OACbyoC,MAAQ,GAAKzoC,WACRumC,cAAe,WAGd,CACRxlC,YAAY,EACZI,IAAK,kBACIunC,SAET7nC,IAAK,SAAUb,OACb0oC,QAAU1oC,WACLumC,cAAe,aAGZ,CACVxlC,YAAY,EACZI,IAAK,kBACIwnC,WAET9nC,IAAK,SAAUb,WACTmpC,iBAnHkBnpC,aACP,iBAAVA,SAGDkoC,iBAAiBloC,MAAMqK,gBACpBrK,MAAMqK,cA8GC++B,CAAqBppC,WAEnB,IAAZmpC,cACI,IAAIE,YAAY,mEAExBV,UAAYQ,aACP5C,cAAe,gBAGT,CACbxlC,YAAY,EACZI,IAAK,kBACIynC,cAET/nC,IAAK,SAAUb,OACb4oC,eAAiB5oC,WACZumC,cAAe,SAGhB,CACNxlC,YAAY,EACZI,IAAK,kBACI0nC,OAEThoC,IAAK,SAAUb,UACQ,iBAAVA,OA5JD,SA4JuBA,YACzB,IAAIqpC,YAAY,4DAExBR,MAAQ7oC,WACHumC,cAAe,cAGX,CACXxlC,YAAY,EACZI,IAAK,kBACI2nC,YAETjoC,IAAK,SAAUb,WACTmpC,QAAUf,iBAAiBpoC,OAC1BmpC,SAGHL,WAAaK,aACR5C,cAAe,GAHpBtpC,QAAQuB,KAAK,qEAOP,CACVuC,YAAY,EACZI,IAAK,kBACI4nC,WAETloC,IAAK,SAAUb,UACTA,MAAQ,GAAKA,MAAQ,UACjB,IAAIpB,MAAM,uCAElBmqC,UAAY/oC,WACPumC,cAAe,kBAGP,CACfxlC,YAAY,EACZI,IAAK,kBACI6nC,gBAETnoC,IAAK,SAAUb,WACTmpC,QAAUf,iBAAiBpoC,OAC1BmpC,SAGHH,eAAiBG,aACZ5C,cAAe,GAHpBtpC,QAAQuB,KAAK,qEAOX,CACNuC,YAAY,EACZI,IAAK,kBACI8nC,OAETpoC,IAAK,SAAUb,UACTA,MAAQ,GAAKA,MAAQ,UACjB,IAAIpB,MAAM,mCAElBqqC,MAAQjpC,WACHumC,cAAe,UAGf,CACPxlC,YAAY,EACZI,IAAK,kBACI+nC,QAETroC,IAAK,SAAUb,WACTmpC,QAAUf,iBAAiBpoC,WAC1BmpC,cACG,IAAIE,YAAY,gEAExBH,OAASC,aACJ5C,cAAe,WAUrBC,kBAAezoC,EAOtBw8B,OAAOl7B,UAAUiqC,aAAe,kBAEvBpR,OAAO+N,oBAAoBjpC,OAAQlC,KAAKsL,WAE7CmjC,OAAShP,OAkBTiP,cAAgB,KACd,MACE,YASCC,oBAAoBzpC,aACH,iBAAVA,OAAsBA,OAAS,GAAKA,OAAS,QAsGzD0pC,yBAjGEC,OAAS,IACTC,OAAS,EACTC,eAAiB,EACjBC,eAAiB,IACjBC,iBAAmB,EACnBC,iBAAmB,IACnBC,QAAU,GACd7qC,OAAO46B,iBAAiBl/B,KAAM,OACnB,CACPiG,YAAY,EACZI,IAAK,kBACIwoC,QAET9oC,IAAK,SAAUb,WACRypC,oBAAoBzpC,aACjB,IAAIpB,MAAM,oCAElB+qC,OAAS3pC,cAGJ,CACPe,YAAY,EACZI,IAAK,kBACIyoC,QAET/oC,IAAK,SAAUb,UACQ,iBAAVA,YACH,IAAIuvB,UAAU,kCAEtBqa,OAAS5pC,sBAGI,CACfe,YAAY,EACZI,IAAK,kBACI2oC,gBAETjpC,IAAK,SAAUb,WACRypC,oBAAoBzpC,aACjB,IAAIpB,MAAM,4CAElBkrC,eAAiB9pC,sBAGJ,CACfe,YAAY,EACZI,IAAK,kBACI0oC,gBAEThpC,IAAK,SAAUb,WACRypC,oBAAoBzpC,aACjB,IAAIpB,MAAM,4CAElBirC,eAAiB7pC,wBAGF,CACjBe,YAAY,EACZI,IAAK,kBACI6oC,kBAETnpC,IAAK,SAAUb,WACRypC,oBAAoBzpC,aACjB,IAAIpB,MAAM,8CAElBorC,iBAAmBhqC,wBAGJ,CACjBe,YAAY,EACZI,IAAK,kBACI4oC,kBAETlpC,IAAK,SAAUb,WACRypC,oBAAoBzpC,aACjB,IAAIpB,MAAM,8CAElBmrC,iBAAmB/pC,eAGb,CACRe,YAAY,EACZI,IAAK,kBACI8oC,SAETppC,IAAK,SAAUb,WACTmpC,iBAnGenpC,aACJ,iBAAVA,SAGEwpC,cAAcxpC,MAAMqK,gBACjBrK,MAAMqK,cA8FF6/B,CAAkBlqC,QAEhB,IAAZmpC,QACFlsC,QAAQuB,KAAK,uDAEbyrC,QAAUd,aAQhBgB,aAAehc,sBAAqB,SAAU3zB,YAsB5C49B,MAAQ59B,OAAOD,QAAU,CAC3B29B,OAAQ+P,IACR1N,OAAQgP,OACRlC,UAAWqC,WAEbtb,SAASgK,MAAQA,MACjBhK,SAAS8J,OAASE,MAAMF,WACpBkS,QAAUhS,MAAMmC,OAChB8P,WAAajS,MAAMiP,UACnBiD,aAAelc,SAASmM,OACxBgQ,gBAAkBnc,SAASiZ,UAC/BjP,MAAMoS,KAAO,WACXpc,SAASmM,OAAS6P,QAClBhc,SAASiZ,UAAYgD,YAEvBjS,MAAMqS,QAAU,WACdrc,SAASmM,OAAS+P,aAClBlc,SAASiZ,UAAYkD,iBAElBnc,SAASmM,QACZnC,MAAMoS,UAGVL,aAAajS,OACbiS,aAAa5P,OACb4P,aAAa9C,gBAmEPvqB,aAAaxE,YAUjBnY,kBAAYc,+DAAU,GAAIsX,6DAAQ,aAGhCtX,QAAQ0Y,qBAAsB,QACxB,KAAM1Y,QAASsX,YAChBmyB,kBAAoB59B,GAAKhS,KAAK6vC,iBAAiB79B,QAC/C89B,eAAiB99B,GAAKhS,KAAK+vC,cAAc/9B,QACzCg+B,kBAAoBh+B,GAAKhS,KAAKiwC,iBAAiBj+B,QAC/Ck+B,yBAA2Bl+B,GAAKhS,KAAKmwC,wBAAwBn+B,QAC7Do+B,sBAAwBp+B,GAAKhS,KAAKqwC,qBAAqBr+B,QACvDs+B,eAAiB,IAAI/xB,SAIrBgyB,aAAc,OACdj5B,GAAG,WAAW,gBACZi5B,aAAc,UAEhBj5B,GAAG,aAAa,gBACdi5B,aAAc,KAErB3O,IAAIxhB,MAAMvb,SAAQxD,aACVmvC,MAAQ5O,IAAIvgC,MACd8E,SAAWA,QAAQqqC,MAAMxP,mBACtBwP,MAAMvP,aAAe96B,QAAQqqC,MAAMxP,gBAKvChhC,KAAKywC,6BACHC,mBAIF1wC,KAAK2wC,+BACHC,uBAEN,OAAQ,QAAS,SAAS/rC,SAAQ+lB,SACO,IAApCzkB,wBAAiBykB,gDACGA,kBAAiB,OAGZ,IAA3BzkB,QAAQ0qC,iBAAyD,IAA7B1qC,QAAQ2qC,sBACzCC,0BAA2B,GACI,IAA3B5qC,QAAQ0qC,iBAAwD,IAA7B1qC,QAAQ2qC,wBAC/CC,0BAA2B,GAE7B/wC,KAAK+wC,+BACHC,yBAEFtS,mBAAkD,IAA9Bv4B,QAAQu4B,uBAC5BuS,sBAAwB,IAAIrP,IAAIt2B,KAAKm1B,eACrCyQ,qBAGA/qC,QAAQgrC,6BACN/sB,gBAEHpkB,KAAKqF,mBACFoV,MAAQza,KAAKqF,YAAYhE,MAAQ,gBAW1C+vC,iBAAiB7lB,KACVvrB,KAAKsiB,eAGH/J,IAAI,SAAS,IAAMvY,KAAKgU,YAAW,IAAMhU,KAAKoxC,iBAAiB7lB,MAAM,UAWvErT,QAAQ,CACXqT,IAAAA,IACAprB,KAAM,cAYVuwC,wBACOp5B,GAAG,iBAAkBtX,KAAK4vC,wBAC1ByB,gBAAiB,OAGjB94B,IAAI,QAASvY,KAAK8vC,gBAOzBwB,yBACOD,gBAAiB,OACjBE,4BACA/tC,IAAI,iBAAkBxD,KAAK4vC,mBAgBlCG,cAAc7gC,YACPqiC,4BACAC,iBAAmBxxC,KAAKilB,YAAYpM,MAAM7Y,MAAM,iBAG7CyxC,mBAAqBzxC,KAAKwpB,kBAC5BxpB,KAAK0xC,mBAAqBD,yBAOvBv5B,QAAQ,iBAEVw5B,iBAAmBD,mBACG,IAAvBA,yBACGF,0BAEL,KAYN1B,iBAAiB3gC,YACVyiC,UAAY3xC,KAAK0pB,WASxBD,kBACSpB,mBAAmB,EAAG,GAW/BmB,yBACSA,gBAAgBxpB,KAAKypB,WAAYzpB,KAAK2xC,WAS/CJ,4BACOvsB,cAAchlB,KAAKwxC,kBAQ1BZ,2BACOgB,mBAAoB,OACpBt6B,GAAG,OAAQtX,KAAKgwC,wBAChB14B,GAAG,QAAStX,KAAKkwC,0BAOxB2B,4BACOD,mBAAoB,OACpBzB,+BACA3sC,IAAI,OAAQxD,KAAKgwC,wBACjBxsC,IAAI,QAASxD,KAAKkwC,0BAUzBD,mBACMjwC,KAAK8xC,0BACF3B,+BAEF2B,oBAAsB9xC,KAAKilB,aAAY,gBAOrC/M,QAAQ,CACX/X,KAAM,aACNmQ,OAAQtQ,KACR+xC,mBAAmB,MAIpB,KASL5B,+BACOnrB,cAAchlB,KAAK8xC,0BAInB55B,QAAQ,CACX/X,KAAM,aACNmQ,OAAQtQ,KACR+xC,mBAAmB,IAUvBhzB,eAEOizB,YAAYzR,OAAOngB,OAGpBpgB,KAAKqxC,qBACFC,oBAEHtxC,KAAK4xC,wBACFC,6BAED9yB,UAaRizB,YAAY18B,QACVA,MAAQ,GAAGjV,OAAOiV,QAEZzQ,SAAQ1E,aACNkwB,KAAOrwB,eAAQG,mBAAmB,OACpCa,EAAIqvB,KAAKpvB,YACND,KAAK,OACJ4pB,MAAQyF,KAAKrvB,GACN,SAATb,WACG8xC,sBAAsBrnB,OAE7ByF,KAAKT,YAAYhF,WASvBsnB,8BACQ7hB,KAAOrwB,KAAKixC,uBAAyB,OACvCjwC,EAAIqvB,KAAKpvB,YACND,KAAK,OACJ4pB,MAAQyF,KAAKrvB,QACdixC,sBAAsBrnB,QAS/BuK,SASA6I,eAUAmU,kBAWAxuC,MAAMw0B,iBACQl1B,IAARk1B,WACGia,OAAS,IAAIxoB,WAAWuO,UACxBjgB,QAAQ,UAERlY,KAAKoyC,OAadC,gBACMryC,KAAKuwC,YACAloB,mBAAmB,EAAG,GAExBA,qBAUT3K,QAYA40B,aAAaC,eASbC,aAUAC,eAAeC,UAET1yC,KAAK4xC,wBAOF15B,QAAQ,CACX/X,KAAM,aACNmQ,OAAQtQ,KACR+xC,mBAAmB,IAezBb,qBAqBE3Q,OAAOngB,MAAMvb,SAAQxD,aACbmvC,MAAQjQ,OAAOl/B,MACfsxC,iBAAmB,UAClBz6B,kBAAW7W,sBAEZmuB,OAASxvB,KAAKwwC,MAAMxP,cAC1BxR,OAAOpb,iBAAiB,cAAeu+B,kBACvCnjB,OAAOpb,iBAAiB,WAAYu+B,uBAC/Br7B,GAAG,WAAW,KACjBkY,OAAOtb,oBAAoB,cAAey+B,kBAC1CnjB,OAAOtb,oBAAoB,WAAYy+B,wBAW7CC,uBACM1wC,OAAOk7B,UAOPl8B,SAAS2M,KAAK3B,SAASlM,KAAK6K,MAAO,KAIhC7K,KAAK8d,SAAS,WAAa3Y,QAAQkqC,eAAiB/qC,OAAOG,KAAK4qC,cAAcpuC,OAAS,mBACrFiX,QAAQ,qBAMT26B,OAAS3xC,SAAS4J,cAAc,UACtC+nC,OAAOtnB,IAAMvrB,KAAK8d,SAAS,WAAa,iDACxC+0B,OAAO5W,OAAS,UAOT/jB,QAAQ,gBAEf26B,OAAO3W,QAAU,UAOVhkB,QAAQ,oBAEVZ,GAAG,WAAW,KACjBu7B,OAAO5W,OAAS,KAChB4W,OAAO3W,QAAU,QAInBh6B,OAAOk7B,QAAS,OACXvyB,KAAKqD,WAAWtC,YAAYinC,kBAE5Bp1B,MAAMzd,KAAK4yC,kBAQpB5B,0BACQxhB,OAASxvB,KAAKwrB,aACdsnB,aAAe9yC,KAAK+yC,mBACpBC,eAAiBhhC,GAAKwd,OAAOE,SAAS1d,EAAE4Y,OACxCqoB,kBAAoBjhC,GAAKwd,OAAOI,YAAY5d,EAAE4Y,OACpDkoB,aAAax7B,GAAG,WAAY07B,gBAC5BF,aAAax7B,GAAG,cAAe27B,wBAC1BL,yBACCM,cAAgB,IAAMlzC,KAAKkY,QAAQ,mBACnCi7B,kBAAoB,KACxBD,oBACK,IAAIlyC,EAAI,EAAGA,EAAIwuB,OAAOvuB,OAAQD,IAAK,OAChC4pB,MAAQ4E,OAAOxuB,GACrB4pB,MAAM1W,oBAAoB,YAAag/B,eACpB,YAAftoB,MAAM0T,MACR1T,MAAMxW,iBAAiB,YAAa8+B,iBAI1CC,oBACA3jB,OAAOpb,iBAAiB,SAAU++B,mBAClC3jB,OAAOpb,iBAAiB,WAAY++B,mBACpC3jB,OAAOpb,iBAAiB,cAAe++B,wBAClC77B,GAAG,WAAW,WACjBw7B,aAAatvC,IAAI,WAAYwvC,gBAC7BF,aAAatvC,IAAI,cAAeyvC,mBAChCzjB,OAAOtb,oBAAoB,SAAUi/B,mBACrC3jB,OAAOtb,oBAAoB,WAAYi/B,mBACvC3jB,OAAOtb,oBAAoB,cAAei/B,uBACrC,IAAInyC,EAAI,EAAGA,EAAIwuB,OAAOvuB,OAAQD,IAAK,CACxBwuB,OAAOxuB,GACfkT,oBAAoB,YAAag/B,mBAoB7CE,aAAaxiB,KAAMnE,MAAOjN,cACnBoR,WACG,IAAI9sB,MAAM,mEAvnBKhE,KAAM8wB,KAAMnE,MAAOjN,cAAUrZ,+DAAU,SAC1DqpB,OAAS1vB,KAAK0rB,aACpBrlB,QAAQyqB,KAAOA,KACXnE,QACFtmB,QAAQsmB,MAAQA,OAEdjN,WACFrZ,QAAQqZ,SAAWA,UAErBrZ,QAAQ+kB,KAAOprB,WACT8qB,MAAQ,IAAIgX,IAAIt2B,KAAKs1B,WAAWz6B,gBACtCqpB,OAAOE,SAAS9E,OACTA,MA6mBEyoB,CAAkBrzC,KAAM4wB,KAAMnE,MAAOjN,UAwB9C8zB,sBAAsBntC,eACdykB,MAAQtlB,QAAQa,QAAS,CAC7B+kB,KAAMlrB,cAED,IAAIkhC,OAAOE,aAAaR,WAAWhW,OAoB5Cc,yBAAmBvlB,+DAAU,GAAIotC,2DACzBC,iBAAmBxzC,KAAKszC,sBAAsBntC,eACvB,kBAAlBotC,gBACTA,eAAgB,QAIbE,qBAAqBlS,iBAAiBiS,uBACtCT,mBAAmBrjB,SAAS8jB,iBAAiB5oB,QAC5B,IAAlB2oB,oBAEG91B,OAAM,IAAMzd,KAAKixC,sBAAsBvhB,SAAS8jB,iBAAiB5oB,SAEjE4oB,iBASTvB,sBAAsBrnB,aACd4W,aAAexhC,KAAKyzC,qBAAqBhS,wBAAwB7W,YAGlE6oB,qBAAqB9R,oBAAoBH,mBACzCuR,mBAAmBnjB,YAAYhF,YAC/BqmB,sBAAsBrhB,YAAYhF,OAczC8oB,gCACS,GAiBTC,iCACSC,QAAQC,SASjBC,iCACS,EAQTC,8BAQAhV,0BAA0BiV,UAClBh2B,GAAKrJ,iBACN3U,KAAKsiB,UAAYtiB,KAAKgtB,eACpBsjB,eAAejkC,IAAI2R,SACnBzF,IAAI,WAAW,KACdvY,KAAKswC,eAAex7B,IAAIkJ,WACrBsyB,eAAel7B,OAAO4I,IAC3Bg2B,eAICxuB,2BAA2BxH,GAAIg2B,IAE/Bh2B,GAQTuhB,yBAAyBvhB,IACnBhe,KAAKswC,eAAex7B,IAAIkJ,SACrBsyB,eAAel7B,OAAO4I,SAEtByH,0BAA0BzH,IASnCi2B,aAOAC,eAOAC,kBAUAC,0BAA0BC,WAU1BC,0BAA0BD,WAkB1BE,YAAYC,aACH,sBAaUA,aACV,wBAYYC,OAAQtuC,gBACpB6b,KAAKuyB,YAAYE,OAAOt0C,oBAenB+gB,kBACLA,UAAU3c,qBAAqByd,MAAQd,qBAAqBc,MAAQd,YAAcc,yBAYvE3gB,KAAM6pB,SACnBlJ,KAAK0yB,SACR1yB,KAAK0yB,OAAS,KAEX1yB,KAAKG,OAAO+I,YACT,IAAIpnB,qBAAczC,6BAErB2gB,KAAKuyB,kBACF,IAAIzwC,MAAM,2DAEbke,KAAK2yB,oBACF,IAAI7wC,MAAM,gEAElBzC,KAAO6b,cAAc7b,MACrB2gB,KAAK0yB,OAAOrzC,MAAQ6pB,KACpBlJ,KAAK0yB,OAAOnlC,YAAYlO,OAAS6pB,KACpB,SAAT7pB,MAEF2gB,KAAK4yB,kBAAkB3yC,KAAKZ,MAEvB6pB,oBAYM7pB,SACRA,YAGD2gB,KAAK0yB,QAAU1yB,KAAK0yB,OAAOrzC,MACtB2gB,KAAK0yB,OAAOrzC,OAErBA,KAAO6b,cAAc7b,MACjBa,QAAUA,OAAOnC,SAAWmC,OAAOnC,QAAQsB,OAC7CmB,MAAMkB,mBAAYrC,mHACXa,OAAOnC,QAAQsB,gBAwC5BugC,IAAIxhB,MAAMvb,SAAQ,SAAUxD,YACpBmvC,MAAQ5O,IAAIvgC,MAClB2gB,KAAKzd,UAAUisC,MAAMxP,YAAc,uBAC5BwP,MAAMvP,aAAejhC,KAAKwwC,MAAMvP,cAAgB,IAAIuP,MAAM/P,UACxDzgC,KAAKwwC,MAAMvP,iBAkCtBjf,KAAKzd,UAAUswC,uBAAwB,EAQvC7yB,KAAKzd,UAAUuwC,qBAAsB,EASrC9yB,KAAKzd,UAAUwwC,0BAA2B,EAW1C/yB,KAAKzd,UAAUywC,sBAAuB,EAStChzB,KAAKzd,UAAUksC,wBAAyB,EAYxCzuB,KAAKzd,UAAU0wC,mBAAoB,EASnCjzB,KAAKzd,UAAUosC,0BAA2B,EAS1C3uB,KAAKzd,UAAUwsC,0BAA2B,EAQ1C/uB,KAAKzd,UAAU2wC,4BAA6B,EAc5ClzB,KAAKmzB,mBAAqB,SAAUC,OAUlCA,MAAMC,sBAAwB,SAAUC,QAAS/0C,WAC3CyU,SAAWogC,MAAMG,eAChBvgC,WACHA,SAAWogC,MAAMG,eAAiB,SAEtBtyC,IAAV1C,QAEFA,MAAQyU,SAAS/T,QAEnB+T,SAAStU,OAAOH,MAAO,EAAG+0C,UAa5BF,MAAMb,YAAc,SAAUp0C,YACtB6U,SAAWogC,MAAMG,gBAAkB,OACrCC,QACC,IAAIx0C,EAAI,EAAGA,EAAIgU,SAAS/T,OAAQD,OACnCw0C,IAAMxgC,SAAShU,GAAGuzC,YAAYp0C,MAC1Bq1C,WACKA,UAGJ,IAkBTJ,MAAMK,oBAAsB,SAAUhwC,OAAQU,eACtC6O,SAAWogC,MAAMG,gBAAkB,OACrCC,QACC,IAAIx0C,EAAI,EAAGA,EAAIgU,SAAS/T,OAAQD,OACnCw0C,IAAMxgC,SAAShU,GAAG00C,gBAAgBjwC,OAAQU,SACtCqvC,WACKxgC,SAAShU,UAGb,MAeTo0C,MAAMT,cAAgB,SAAUF,OAAQtuC,eAChCwvC,GAAKP,MAAMK,oBAAoBhB,OAAQtuC,gBACzCwvC,GACKA,GAAGD,gBAAgBjB,OAAQtuC,SAE7B,IAOU,CAAC,WAAY,UAAW,YAgBhCtB,SAAQ,SAAUkW,cACrB66B,WAAa51C,KAAK+a,QACE,mBAAf66B,kBAGN76B,QAAU,kBACT/a,KAAK61C,gBAAkB71C,KAAK61C,eAAe96B,QACtC/a,KAAK61C,eAAe96B,QAAQtC,MAAMzY,KAAK61C,eAAgBn9B,WAEzDk9B,WAAWn9B,MAAMzY,KAAM0Y,eAE/B08B,MAAM7wC,WAUT6wC,MAAM7wC,UAAUuxC,UAAY,SAAUrwC,YAChCkwC,GAAKP,MAAMK,oBAAoBhwC,OAAQzF,KAAK8d,UAC3C63B,KAGCP,MAAMW,oBACRJ,GAAKP,MAAMW,oBAEXvzC,MAAMmB,MAAM,yDAKX0sC,4BACA7sC,IAAI,UAAWxD,KAAKowC,uBACrBuF,KAAOP,MAAMW,2BACVC,eAAiBvwC,aAEnBowC,eAAiBF,GAAGM,aAAaxwC,OAAQzF,KAAMA,KAAK8d,eACpDvF,IAAI,UAAWvY,KAAKowC,wBAQ3BgF,MAAM7wC,UAAU8rC,qBAAuB,WAIjCrwC,KAAKg2C,sBACFhE,YAAY,CAAC,QAAS,eACtBgE,eAAiB,WAInB9D,wBACDlyC,KAAK61C,iBACH71C,KAAK61C,eAAe92B,cACjB82B,eAAe92B,eAEjB82B,eAAiB,QAO5Br4B,YAAY8K,kBAAkB,OAAQtG,MACtCA,KAAKk0B,aAAa,OAAQl0B,MAO1BA,KAAK4yB,kBAAoB,SAUnBuB,YAAc,GACdC,oBAAsB,GACtBC,WAAa,YAsDVP,UAAUjiC,OAAQ0X,IAAK6I,MAC9BvgB,OAAOG,YAAW,IAAMsiC,gBAAgB/qB,IAAK4qB,YAAY5qB,IAAIprB,MAAOi0B,KAAMvgB,SAAS,YAkF5E0iC,QAAQC,WAAYtrB,KAAM/gB,YAAQssC,2DAAM,WACzCC,WAAa,OAASx5B,cAAc/S,QACpCwsC,gBAAkBH,WAAWzxC,OAAO6xC,mBAAmBF,YAAaD,KACpEI,WAAaF,kBAAoBN,WAGjChgC,YAAcwgC,WAAa,KAAO3rB,KAAK/gB,QAAQwsC,wBACrDG,aAAaN,WAAYrsC,OAAQkM,YAAawgC,YACvCxgC,kBAQH0gC,eAAiB,CACrBttB,SAAU,EACV4V,YAAa,EACb3V,SAAU,EACVstB,MAAO,EACP3E,OAAQ,EACRrlB,OAAQ,EACRiqB,SAAU,EACVC,OAAQ,EACRC,MAAO,GAQHC,eAAiB,CACrB3E,eAAgB,EAChB4E,SAAU,EACVC,UAAW,GAQPC,iBAAmB,CACvB75B,KAAM,EACNwP,MAAO,YAEA0pB,mBAAmBzsC,cACnB,CAACjF,MAAOsyC,KAETtyC,QAAUmxC,WACLA,WAELmB,GAAGrtC,QACEqtC,GAAGrtC,QAAQjF,OAEbA,eAGF4xC,aAAaW,IAAKttC,OAAQjF,MAAO2xC,gBACnC,IAAI71C,EAAIy2C,IAAIx2C,OAAS,EAAGD,GAAK,EAAGA,IAAK,OAClCw2C,GAAKC,IAAIz2C,GACXw2C,GAAGrtC,SACLqtC,GAAGrtC,QAAQ0sC,WAAY3xC,iBAwBpBwyC,mBAAmB7jC,OAAQ8jC,iBAC5BF,IAAMrB,oBAAoBviC,OAAOmK,UACnCw5B,GAAK,QACLC,MAAAA,WACFD,GAAKG,UAAU9jC,QACfuiC,oBAAoBviC,OAAOmK,MAAQ,CAAC,CAAC25B,UAAWH,KACzCA,OAEJ,IAAIx2C,EAAI,EAAGA,EAAIy2C,IAAIx2C,OAAQD,IAAK,OAC5B42C,IAAKC,KAAOJ,IAAIz2C,GACnB42C,MAAQD,YAGZH,GAAKK,YAEI,OAAPL,KACFA,GAAKG,UAAU9jC,QACf4jC,IAAIx1C,KAAK,CAAC01C,UAAWH,MAEhBA,YAEAlB,sBAAgB/qB,2DAAM,GAAIirB,kEAAa,GAAIpiB,4CAAMvgB,8CAAQwM,2DAAM,GAAIy3B,sEACnEH,aAAcI,QAAUvB,cAGN,iBAAdmB,UACTrB,gBAAgB/qB,IAAK4qB,YAAYwB,WAAYvjB,KAAMvgB,OAAQwM,IAAKy3B,cAI3D,GAAIH,UAAW,OACdH,GAAKE,mBAAmB7jC,OAAQ8jC,eAGjCH,GAAG1B,iBACNz1B,IAAIpe,KAAKu1C,IACFlB,gBAAgB/qB,IAAKwsB,OAAQ3jB,KAAMvgB,OAAQwM,IAAKy3B,SAEzDN,GAAG1B,UAAUxxC,OAAO4X,OAAO,GAAIqP,MAAM,SAAU4M,IAAK6f,SAG9C7f,WACKme,gBAAgB/qB,IAAKwsB,OAAQ3jB,KAAMvgB,OAAQwM,IAAKy3B,SAIzDz3B,IAAIpe,KAAKu1C,IAITlB,gBAAgB0B,KAAMzsB,IAAIprB,OAAS63C,KAAK73C,KAAO43C,OAAS5B,YAAY6B,KAAK73C,MAAOi0B,KAAMvgB,OAAQwM,IAAKy3B,iBAE5FC,OAAO92C,OAChBq1C,gBAAgB/qB,IAAKwsB,OAAQ3jB,KAAMvgB,OAAQwM,IAAKy3B,SACvCA,QACT1jB,KAAK7I,IAAKlL,KAEVi2B,gBAAgB/qB,IAAK4qB,YAAY,KAAM/hB,KAAMvgB,OAAQwM,KAAK,SAaxD43B,cAAgB,CACpBC,KAAM,YACNC,IAAK,YACLC,IAAK,YACLC,IAAK,YACLC,IAAK,YACLC,IAAK,mBACLC,IAAK,YACLC,IAAK,aACLC,IAAK,YACLC,IAAK,cACLC,KAAM,aACNC,IAAK,YACLC,IAAK,YACLC,KAAM,wBACNC,IAAK,uBACLC,IAAK,aACLC,KAAM,aACNC,IAAK,YACLC,IAAK,YACLC,IAAK,gBACLC,KAAM,cAYFC,YAAc,eAAUhuB,2DAAM,SAC5BiuB,IAAM7mB,iBAAiBpH,KACvBkuB,SAAWxB,cAAcuB,IAAIjqC,sBAC5BkqC,UAAY,IA8DfC,aAAe,SAAUnuB,QAEzBjpB,MAAMC,QAAQgpB,KAAM,KAClBouB,OAAS,GACbpuB,IAAI1mB,SAAQ,SAAU+0C,QACpBA,OAASF,aAAaE,QAClBt3C,MAAMC,QAAQq3C,QAChBD,OAASA,OAAOt5C,OAAOu5C,QACdj1C,WAAWi1C,SACpBD,OAAO13C,KAAK23C,WAGhBruB,IAAMouB,YAGNpuB,IAFwB,iBAARA,KAAoBA,IAAI3hB,OAElC,CAACiwC,UAAU,CACftuB,IAAAA,OAEO5mB,WAAW4mB,MAA2B,iBAAZA,IAAIA,KAAoBA,IAAIA,KAAOA,IAAIA,IAAI3hB,OAExE,CAACiwC,UAAUtuB,MAGX,UAEDA,cAWAsuB,UAAUtuB,SACZA,IAAIprB,KAAM,OACPs5C,SAAWF,YAAYhuB,IAAIA,KAC7BkuB,WACFluB,IAAIprB,KAAOs5C,iBAGRluB,UAQHuuB,YAAc9xC,SAAW,MAAQC,SAAW,IAAM,EAClD8xC,mBAAqB,CACzBC,MAAO,CACLt8B,KAAM,IACNwP,MAAO,GACP+sB,GAAI,IACJC,GAAI,IACJC,KAAML,aAER15B,MAAO,KACA,UACD,YACC,SACA,MACJ05B,aAAc,QAEjBM,WAAWlrC,MAAOmrC,gBAChBA,QAAUA,QAAQ9qC,iBACdvP,KAAKogB,MAAMlR,MAAMkI,UAAYpX,KAAKogB,MAAMlR,MAAMkI,WAAaijC,UAKjEC,aAAaprC,UACPlP,KAAKogB,MAAMlR,MAAMkI,gBACZpX,KAAKogB,MAAMlR,MAAMkI,SACnB,GAAIpX,KAAKg6C,MAAM9qC,MAAMqQ,MAAO,OAC3BA,KAAOvf,KAAKg6C,MAAM9qC,MAAMqQ,aACvBvf,KAAKogB,MAAMb,aAEb,aAqBLg7B,0BAA0BvgC,cAQ9B3U,YAAYwO,qBAEL8J,QAAU9J,YACV2mC,oBAAsB,QACtBC,cAAe,OACfC,WAAY,OACZC,WAAa36C,KAAK26C,WAAW3hC,KAAKhZ,WAClC46C,sBAAwB,KAO/B3yB,QAEMjoB,KAAKy6C,oBAKJ98B,QAAQrG,GAAG,UAAWtX,KAAK26C,iBAC3Bh9B,QAAQrG,GAAG,eAAgBtX,KAAK26C,iBAEhCh9B,QAAQrG,GAAG,kBAAkB,UAC3BxJ,MAAM9N,KAAK66C,4BAA4B,YAEzCl9B,QAAQrG,GAAG,cAAc,UACvBwjC,2BAEFn9B,QAAQrG,GAAG,UAAWtX,KAAK+6C,mBAAmB/hC,KAAKhZ,YACnD2d,QAAQrG,GAAG,WAAYtX,KAAKg7C,kBAAkBhiC,KAAKhZ,YACnDy6C,cAAe,EAChBz6C,KAAK2d,QAAQs9B,mBACVt9B,QAAQs9B,aAAa3jC,GAAG,kBAAkB,UACxCujC,4BACD76C,KAAKw6C,oBAAoBv5C,SAGvBjB,KAAKw6C,oBAAoBv5C,OAAS,OAI/Bu5C,oBAAoB,GAAG1sC,aAKvB0sC,oBAAoB,GAAG1sC,aAWtCotC,YACOv9B,QAAQna,IAAI,UAAWxD,KAAK26C,iBAC5BF,cAAe,EAUtBE,WAAWzrC,aAEHisC,YAAcjsC,MAAMof,cAAgBpf,MAAMof,cAAgBpf,SAC5D,CAAC,YAAa,aAAc,UAAW,aAAazB,SAAS0tC,YAAYr2C,KAAM,IAE7E9E,KAAK06C,iBAGTS,YAAYnlC,uBAGN8xB,UAAYqT,YAAYr2C,IAAIs2C,UAAU,GAAG7rC,mBAC1C64B,KAAKN,gBACL,GAAIiS,mBAAmBK,WAAWe,YAAa,SAAWpB,mBAAmBK,WAAWe,YAAa,UAAYpB,mBAAmBK,WAAWe,YAAa,OAASpB,mBAAmBK,WAAWe,YAAa,MAAO,CAE5NA,YAAYnlC,uBACNqlC,OAAStB,mBAAmBO,aAAaa,kBAC1CG,oBAAoBD,aAChBtB,mBAAmBK,WAAWe,YAAa,SAAWjsC,MAAMoB,QAA4C,mBAA3BpB,MAAMoB,OAAO6b,WAA4Bjd,MAAMoB,OAAO6b,cAC5IgvB,YAAYnlC,iBACZ9G,MAAMoB,OAAOyb,SAYjBuvB,oBAAoBx2C,QACd9E,KAAK2d,eACC7Y,SACD,OACC9E,KAAK2d,QAAQqP,eACVrP,QAAQD,iBAGZ,QACE1d,KAAK2d,QAAQqP,eACXrP,QAAQuP,kBAGZ,UACEquB,UAAUv7C,KAAK2d,QAAQ0hB,cAtIf,aAwIV,UACEkc,UAAUv7C,KAAK2d,QAAQ0hB,cAzIf,IAsJrBkc,UAAUnc,IACJp/B,KAAK2d,QAAQ69B,aAAex7C,KAAK2d,QAAQ69B,YAAYC,eAClD99B,QAAQ69B,YAAYE,0BAEtB/9B,QAAQ0hB,YAAYD,IAO3BlS,aACOwtB,WAAY,EAOnBiB,cACOjB,WAAY,EAenBM,kBAAkB9rC,aACV0sC,mBAAqB1sC,MAAMgH,kBAC7B2lC,mBAAqB,WACnBC,iBAAmB97C,KAAK+7C,oBAAoB7sC,MAAMoB,QACpDsrC,qBACFC,mBAAqBt0C,QAAQq0C,mBAAmBI,QAAQ,cAGpDJ,mBAAmB3vC,UAAUC,SAAS,6BAA+BlM,KAAK06C,gBACvEuB,0BAGJ/sC,MAAMgtC,cAAchwC,SAASgD,MAAMgH,gBAAmB2lC,qBAAuBD,qBAC5EE,kBAAgD,gBAA5BA,iBAAiBz6C,YAClCy5C,yBAEA5tB,QACD4uB,kBAAoBA,iBAAiBjxC,YAElC+vC,sBAAwBkB,oBAWrCf,qBACM/6C,KAAK+7C,uBAAyB/7C,KAAK+7C,sBAAsB91B,uBACtD01B,SAUTd,kCACQhnC,OAAS7T,KAAK2d,QACd68B,oBAAsB,YAUnB2B,4BAA4BC,qBAC9B,MAAMp7C,KAAKo7C,gBACVp7C,EAAE6C,eAAe,QAAU7C,EAAEilB,kBAAoBjlB,EAAEmlB,0BAA0BnlB,EAAE6J,OACjF2vC,oBAAoBv4C,KAAKjB,GAEvBA,EAAE6C,eAAe,cAAgB7C,EAAEmd,UAAUld,OAAS,GACxDk7C,4BAA4Bn7C,EAAEmd,kBAMpCtK,OAAOsK,UAAUtZ,SAAQK,WACnBA,MAAMrB,eAAe,OAAQ,IAE3BqB,MAAM+gB,gBAAkB/gB,MAAMihB,2BAA6BjhB,MAAM+gB,kBAAoB/gB,MAAMihB,0BAA0BjhB,MAAM2F,kBAC7H2vC,oBAAoBv4C,KAAKiD,OAGhBA,MAAMrB,eAAe,cAAgBqB,MAAMiZ,UAAUld,OAAS,EACvEk7C,4BAA4Bj3C,MAAMiZ,WAEzBjZ,MAAMrB,eAAe,UAAYqB,MAAMm3C,MAAMp7C,OAAS,EAC/Dk7C,4BAA4Bj3C,MAAMm3C,OAEzBr8C,KAAKs8C,qBAAqBp3C,QACnCs1C,oBAAoBv4C,KAAKiD,UAKT,iBAAhBA,MAAMuV,OAA4BvV,MAAM8mB,QAAS,OAC7CuwB,gBAAkBr3C,MAAMkX,IAAI9R,cAAc,sCAC5CiyC,gBAAiB,CACEA,gBAAgB3tB,iBAAiB,UACzC/pB,SAAQ,CAACiH,QAASvL,SAE7Bi6C,oBAAoBv4C,KAAK,CACvBZ,KAAM,IACG,eAAiBd,MAAQ,GAElCsK,GAAI,IAAMiB,QACV4X,aAAc,WACNvV,KAAOrC,QAAQmC,8BAyBd,CACL0V,mBAvByB,CACzB1Z,EAAGkE,KAAKlE,EACRmF,EAAGjB,KAAKiB,EACRb,MAAOJ,KAAKI,MACZF,OAAQF,KAAKE,OACbM,IAAKR,KAAKQ,IACViV,MAAOzV,KAAKyV,MACZC,OAAQ1V,KAAK0V,OACbnV,KAAMP,KAAKO,MAgBXoV,OAZa,CACb7Z,EAAGkE,KAAKO,KAAOP,KAAKI,MAAQ,EAC5Ba,EAAGjB,KAAKQ,IAAMR,KAAKE,OAAS,EAC5BE,MAAO,EACPF,OAAQ,EACRM,IAAKR,KAAKQ,IAAMR,KAAKE,OAAS,EAC9BuV,MAAOzV,KAAKO,KAAOP,KAAKI,MAAQ,EAChCsV,OAAQ1V,KAAKQ,IAAMR,KAAKE,OAAS,EACjCK,KAAMP,KAAKO,KAAOP,KAAKI,MAAQ,KAQnC4X,0BAA2B,KAAM,EACjCF,eAAgBpb,KAAM,EACtBiD,MAAO,IAAMhC,QAAQgC,uBAM1B0sC,oBAAsBA,oBACpBx6C,KAAKw6C,oBASd8B,qBAAqBp7B,kBAwBfA,UAAUrW,cAbL2xC,uBAAuBjrC,SAC1B2P,UAAU+E,eAAe1U,OAAS2P,UAAUiF,0BAA0B5U,aACjEA,SAEJ,IAAIvQ,EAAI,EAAGA,EAAIuQ,KAAKyO,SAAS/e,OAAQD,IAAK,OAEvCy7C,cAAgBD,uBADRjrC,KAAKyO,SAAShf,OAExBy7C,qBACKA,qBAGJ,KAGAD,CAAuBt7B,UAAUrW,MAEnC,KAcTkxC,oBAAoBzrC,aACbuqC,kCAEC6B,QAAUpsC,QAAUpP,SAASktB,iBAC/BpuB,KAAKw6C,oBAAoBv5C,WACtB,MAAMD,KAAKhB,KAAKw6C,uBAEfx5C,EAAE6J,OAAS6xC,eACN17C,EAYfqL,IAAI6U,iBACIs5B,oBAAsB,IAAIx6C,KAAKw6C,qBACjCt5B,UAAUrd,eAAe,QAAUqd,UAAU+E,kBAAoB/E,UAAUiF,0BAA0BjF,UAAUrW,OACjH2vC,oBAAoBv4C,KAAKif,gBAEtBs5B,oBAAsBA,yBAEtBtiC,QAAQ,CACX/X,KAAM,6BACNq6C,oBAAqBx6C,KAAKw6C,sBAS9B7tC,OAAOuU,eACA,IAAIlgB,EAAI,EAAGA,EAAIhB,KAAKw6C,oBAAoBv5C,OAAQD,OAC/ChB,KAAKw6C,oBAAoBx5C,GAAGK,SAAW6f,UAAU7f,mBAC9Cm5C,oBAAoB95C,OAAOM,EAAG,aAE9BkX,QAAQ,CACX/X,KAAM,6BACNq6C,oBAAqBx6C,KAAKw6C,sBAUlCt2C,QAEMlE,KAAKw6C,oBAAoBv5C,OAAS,SAE/Bu5C,oBAAsB,QAGtBtiC,QAAQ,CACX/X,KAAM,6BACNq6C,oBAAqBx6C,KAAKw6C,uBAUhCpS,KAAKN,iBACG6U,wBAA0B38C,KAAK+7C,0BAChCY,qCAGCC,iBAAmBD,wBAAwBj5B,eAC3Cm5B,WAAa78C,KAAKw6C,oBAAoBz2C,QAAOmd,WAAaA,YAAcy7B,yBAA2B38C,KAAK88C,eAAeF,iBAAiBj5B,mBAAoBzC,UAAUwC,eAAeC,mBAAoBmkB,aACzMiV,cAAgB/8C,KAAKg9C,mBAAmBJ,iBAAiB94B,OAAQ+4B,WAAY/U,WAC/EiV,mBACGjvC,MAAMivC,oBAEN7kC,QAAQ,CACX/X,KAAM,2BACN2nC,UAAAA,UACAmV,iBAAkBN,0BAcxBK,mBAAmBE,cAAeL,WAAY/U,eACxCqV,YAAcp0B,EAAAA,EACdg0B,cAAgB,SACf,MAAMK,aAAaP,WAAY,OAC5BQ,gBAAkBD,UAAU15B,eAAeI,OAC3Cw5B,SAAWt9C,KAAKu9C,mBAAmBL,cAAeG,gBAAiBvV,WACrEwV,SAAWH,cACbA,YAAcG,SACdP,cAAgBK,kBAGbL,cAYTD,eAAeU,QAASC,WAAY3V,kBAC1BA,eACD,eACI2V,WAAW/uC,MAAQ8uC,QAAQ55B,UAC/B,cACI65B,WAAW75B,OAAS45B,QAAQ9uC,SAChC,cACI+uC,WAAW9uC,KAAO6uC,QAAQ35B,WAC9B,YACI45B,WAAW55B,QAAU25B,QAAQ7uC,mBAE7B,GAObmsC,sBACM96C,KAAK46C,sBAAuB,CAEzB56C,KAAK2d,QAAQ+/B,mBACX//B,QAAQ+/B,YAAW,QAErB7C,gCAIA,IAAI75C,EAAI,EAAGA,EAAIhB,KAAKw6C,oBAAoBv5C,OAAQD,OAC/ChB,KAAKw6C,oBAAoBx5C,GAAGK,SAAWrB,KAAK46C,sBAAsBv5C,wBAC/DyM,MAAM9N,KAAKw6C,oBAAoBx5C,cAKnC8M,MAAM9N,KAAK66C,4BAA4B,IAWhD/sC,MAAMoT,WACqB,iBAAdA,YAGPA,UAAUiF,0BAA0BjF,UAAUrW,MAChDqW,UAAUpT,QACD9N,KAAKs8C,qBAAqBp7B,iBAC9Bo7B,qBAAqBp7B,WAAWpT,SAazCyvC,mBAAmBI,QAASC,QAAS9V,iBAC7B+V,GAAK9sC,KAAK24B,IAAIiU,QAAQ1zC,EAAI2zC,QAAQ3zC,GAClC6zC,GAAK/sC,KAAK24B,IAAIiU,QAAQvuC,EAAIwuC,QAAQxuC,OACpCkuC,gBACIxV,eACD,YACA,OAEHwV,SAAWO,GAAU,IAALC,aAEb,KAGHR,SAAgB,EAALQ,GAAc,GAALD,aAEjB,OAGHP,SAAgB,EAALQ,GAASD,iBAGpBP,SAAWO,GAAKC,UAEbR,SASTrB,8BACQh4B,kBAAoBjkB,SACrB,MAAMkhB,aAAa+C,kBAAkB42B,+BACL,oBAA/B35B,UAAU7b,YAAYhE,KAA4B,CACpD4iB,kBAAkBnW,MAAMoT,mBAoEhC1D,YAAY8K,kBAAkB,4BAjDJ9K,YAaxBnY,YAAYwO,OAAQ1N,QAASsX,gBAKrB5J,OAHWvO,QAAQ,CACvBkF,UAAU,GACTrE,SACqBsX,OAKnBtX,QAAQ0b,cAAcrc,SAAoD,IAAzCW,QAAQ0b,cAAcrc,QAAQvE,OAsBlE4S,OAAO0X,IAAIplB,QAAQ0b,cAAcrc,kBArB5B,IAAIxE,EAAI,EAAG+8C,EAAI53C,QAAQ0b,cAAcm8B,UAAWh9C,EAAI+8C,EAAE98C,OAAQD,IAAK,OAChEi9C,SAAW/gC,cAAc6gC,EAAE/8C,QAC7BkqB,KAAOlJ,KAAKk8B,QAAQD,aAInBA,WACH/yB,KAAO1N,YAAY+D,aAAa08B,WAI9B/yB,MAAQA,KAAKizB,cAAe,CAC9BtqC,OAAOuqC,UAAUH,2BA2BrBI,2BAA2B7gC,YAoB/BnY,YAAYwO,OAAQ1N,eACZ0N,OAAQ1N,SACVnG,KAAK8d,SAAS6P,kBACXA,YAAY3tB,KAAK8d,SAAS6P,kBAE5B2wB,iBAAmBtsC,GAAKhS,KAAKu+C,gBAAgBvsC,QAC7CwsC,gBAAkBxsC,GAAKhS,KAAKy+C,eAAezsC,QAC3C0sC,aAAe1sC,GAAKhS,KAAK2+C,YAAY3sC,QACrC6Z,eAAiB7Z,GAAKhS,KAAKgkB,cAAchS,QACzCoS,qBACAhgB,SAkBPoG,eAAS6C,2DAAM,MAAOmjC,6DAAQ,GAAI7lC,kEAAa,GAC7C6lC,MAAQlsC,OAAO4X,OAAO,CACpBnP,UAAW/M,KAAKoiB,gBAChB8D,SAAU,GACTsqB,OACS,WAARnjC,KACF7K,MAAMmB,sEAA+D0J,iDAIvE1C,WAAarG,OAAO4X,OAAO,CACzBmQ,KAAM,UACL1hB,iBACEi0C,UAAYpO,MAAMtqB,eACjBrb,GAAKL,SAAS6C,IAAKmjC,MAAO7lC,mBAC3B3K,KAAK2d,QAAQG,SAAS2C,sBACzB5V,GAAGe,YAAYpB,SAAS,OAAQ,CAC9BuC,UAAW,wBACV,gBACc,UAGd8xC,oBAAoBh0C,IAClBA,GAETkU,eAEO+/B,eAAiB,WAChB//B,UAYR8/B,oBAAoBh0C,gBACbi0C,eAAiBt0C,SAAS,OAAQ,CACrCuC,UAAW,oBACV,aAEY,WAEXlC,IACFA,GAAGe,YAAY5L,KAAK8+C,qBAEjBnxB,YAAY3tB,KAAK++C,aAAcl0C,IAC7B7K,KAAK8+C,eAednxB,YAAYriB,UAAMT,0DAAK7K,KAAK6K,aACb5H,IAATqI,YACKtL,KAAK++C,cAAgB,kBAExBC,cAAgBh/C,KAAKof,SAAS9T,WAG/ByzC,aAAezzC,KACpBJ,YAAYlL,KAAK8+C,eAAgBE,eAC5Bh/C,KAAKi/C,gBAAmBj/C,KAAK2d,QAAQG,SAASohC,qBAEjDr0C,GAAGO,aAAa,QAAS4zC,eAU7B58B,uDACmCoK,MAAMpK,iBAMzChe,SACOpE,KAAKg1B,gBACHA,UAAW,OACXvoB,YAAY,qBACZ2P,IAAIhR,aAAa,gBAAiB,cACT,IAAnBpL,KAAK4+C,gBACTxiC,IAAIhR,aAAa,WAAYpL,KAAK4+C,gBAEpCtnC,GAAG,CAAC,MAAO,SAAUtX,KAAK0+C,mBAC1BpnC,GAAG,UAAWtX,KAAK6rB,iBAO5B1nB,eACO6wB,UAAW,OACX7oB,SAAS,qBACTiQ,IAAIhR,aAAa,gBAAiB,aACT,IAAnBpL,KAAK4+C,gBACTxiC,IAAIjP,gBAAgB,iBAEtB3J,IAAI,YAAaxD,KAAKs+C,uBACtB96C,IAAI,WAAYxD,KAAKw+C,sBACrBh7C,IAAI,CAAC,MAAO,SAAUxD,KAAK0+C,mBAC3Bl7C,IAAI,UAAWxD,KAAK6rB,gBAQ3B3N,4BACOyP,YAAY3tB,KAAK++C,cAcxBJ,YAAYzvC,OACNlP,KAAK8d,SAASqhC,mBACXrhC,SAASqhC,aAAa/5C,KAAKpF,KAAM0Y,WAe1CsL,cAAc9U,OAIM,MAAdA,MAAMpK,KAA6B,UAAdoK,MAAMpK,KAC7BoK,MAAM8G,iBACN9G,MAAMqH,uBACD2B,QAAQ,gBAGP8L,cAAc9U,QAI1BsO,YAAY8K,kBAAkB,qBAAsB+1B,0BAa9Ce,oBAAoBf,mBAUxBh5C,YAAYwO,OAAQ1N,eACZ0N,OAAQ1N,cACTk5C,cACAC,QAAUttC,GAAKhS,KAAKq/C,OAAOrtC,GAChC6B,OAAOyD,GAAG,eAAgBtX,KAAKs/C,SAMjCvgC,eACOlL,SAASrQ,IAAI,eAAgBxD,KAAKs/C,eACjCvgC,UASRvU,kBAGSA,SAAS,MAAO,CACrBuC,UAAW,eAefixB,YAAY94B,eAEW,IAAVA,aACLlF,KAAK4R,EAAE,OAEF5R,KAAK4R,EAAE,OAAOosB,YACZh+B,KAAK2d,QAAQsgB,OAASj+B,KAAK2d,QAAQsgB,MAAM3b,SAE3CtiB,KAAK2d,QAAQqgB,cAIfh+B,KAAK2d,QAAQG,SAASkgB,aAAeh+B,KAAK2d,QAAQG,SAASyhC,aAAe,KAErE,OAAVr6C,OAA4B,cAAVA,OAAmC,oBAAVA,MAI3ClF,KAAK4R,EAAE,cACJA,EAAE,OAAOosB,YAAc94B,YAJvByY,QAAQrc,IAAIoC,mFAA4EwB,YAiBjGm6C,OAAOnwC,aACCqjB,IAAMvyB,KAAK6T,SAAS2rC,cACrBC,OAAOltB,KAIRA,SACG9P,YAEAC,OAYT+8B,OAAOltB,KACAA,KAIAvyB,KAAK4R,EAAE,aACLwK,IAAIxQ,YAAYpB,SAAS,UAAW,CACvCuC,UAAW,aAEXmZ,UAAW,GACV,GAAI1b,SAAS,MAAO,CACrBk1C,QAAS,OACT1hB,YAAah+B,KAAKg+B,eACjB,CACD0F,IAAK,YAGJ9xB,EAAE,OAAO2Z,IAAMgH,UAfbnW,IAAIlR,YAAc,GA6B3ByzC,YAAYzvC,OAELlP,KAAK2d,QAAQyP,aAGdptB,KAAK2d,QAAQuN,MAAK,SACfvN,QAAQuN,MAAK,GAAMpd,QAEtB9N,KAAK2d,QAAQqP,SACf/C,eAAejqB,KAAK2d,QAAQD,aAEvBC,QAAQuP,UAkBnBkyB,YAAY76C,UAAUg7C,YAAcH,YAAY76C,UAAUy5B,YAC1DxgB,YAAY8K,kBAAkB,cAAe82B,mBAUvCO,QAAU,CACdC,UAAW,YACXC,UAAW,aACXC,MAAO,QACPC,mBAAoB,6CACpBC,eAAgB,2BAChBC,sBAAuB,aACvBC,kBAAmB,QACnBC,OAAQ,mCACRtN,OAAQ,8BACRuN,UAAW,mEAeJC,eAAe9Y,MAAOxgB,aACzBu5B,OACiB,IAAjB/Y,MAAMtmC,OAERq/C,IAAM/Y,MAAM,GAAKA,MAAM,GAAKA,MAAM,GAAKA,MAAM,GAAKA,MAAM,GAAKA,MAAM,OAC9D,CAAA,GAAqB,IAAjBA,MAAMtmC,aAIT,IAAI6C,MAAM,gCAAkCyjC,MAAQ,gDAF1D+Y,IAAM/Y,MAAM9mC,MAAM,SAIb,QAAU0iB,SAASm9B,IAAI7/C,MAAM,EAAG,GAAI,IAAM,IAAM0iB,SAASm9B,IAAI7/C,MAAM,EAAG,GAAI,IAAM,IAAM0iB,SAASm9B,IAAI7/C,MAAM,EAAG,GAAI,IAAM,IAAMsmB,QAAU,aAkBtIw5B,eAAe11C,GAAI6H,MAAOH,UAE/B1H,GAAG6H,MAAMA,OAASH,KAClB,MAAOP,oBAiBFwuC,oBAAoBpwC,iBACpBA,mBAAcA,eAAe,GA8XtCoN,YAAY8K,kBAAkB,iCAtXC9K,YAa7BnY,YAAYwO,OAAQ1N,QAASsX,aACrB5J,OAAQ1N,QAASsX,aAEjBgjC,qBAAuBzuC,SACtB0uC,4BACAxN,cAAclhC,IAErB6B,OAAOyD,GAAG,aAAatF,GAAKhS,KAAK2gD,cAAc3uC,KAC/C6B,OAAOyD,GAAG,mBANuBtF,GAAKhS,KAAKkzC,cAAclhC,KAOzD6B,OAAOyD,GAAG,kBAAkBtF,SACrB0uC,4BACAE,eAAe5uC,MAOtB6B,OAAO4J,MAAM5E,MAAM7Y,MAAM,cACnB6T,OAAOoqB,OAASpqB,OAAOoqB,MAAM8S,0CAC1BruB,OAGP7O,OAAOyD,GAAG,mBAAoBmpC,sBAC9B5sC,OAAOyD,GAAG,eAAgBmpC,4BACpBI,kBAAoB3+C,OAAO4+C,OAAOC,aAAe7+C,OACjD8+C,uBAAyB9+C,OAAO4+C,OAAOC,YAAc,SAAW,oBACtEF,kBAAkBzsC,iBAAiB4sC,uBAAwBP,sBAC3D5sC,OAAOyD,GAAG,WAAW,IAAMupC,kBAAkB3sC,oBAAoB8sC,uBAAwBP,8BACnFjxB,OAASxvB,KAAK8d,SAAS+D,cAAc2N,QAAU,OAChD,IAAIxuB,EAAI,EAAGA,EAAIwuB,OAAOvuB,OAAQD,SAC5B2c,QAAQ+N,mBAAmB8D,OAAOxuB,IAAI,QAExC4/C,qBAaTA,uBACQK,MAAQ,CACZ1vB,SAAU,EACVG,UAAW,GAEPwX,UAAYlpC,KAAK2d,QAAQ6N,aACzB01B,SAAWlhD,KAAK2d,QAAQwjC,OAAOC,qBACjCC,UACAC,cACAC,mBACC,IAAIvgD,EAAI,EAAGA,EAAIkoC,UAAUjoC,OAAQD,IAAK,OACnC4pB,MAAQse,UAAUloC,GACpBkgD,UAAYA,SAASh9B,SAAWg9B,SAAS1hC,UAAY0hC,SAAS1hC,WAAaoL,MAAMpL,UAAYoL,MAAMgG,QAAQqwB,MAEzGr2B,MAAMgG,OAASswB,SAAStwB,KAC1B2wB,eAAiB32B,MAEP22B,iBACVA,eAAiB32B,OAIVs2B,WAAaA,SAASh9B,SAC/Bq9B,eAAiB,KACjBF,UAAY,KACZC,cAAgB,MACP12B,MAAMoS,UACI,iBAAfpS,MAAMgG,MAA4BywB,UAE3Bz2B,MAAMgG,QAAQqwB,QAAUK,gBACjCA,cAAgB12B,OAFhBy2B,UAAYz2B,OAWd22B,eACFA,eAAejjB,KAAO,UACbgjB,cACTA,cAAchjB,KAAO,UACZ+iB,YACTA,UAAU/iB,KAAO,WAYrBqiB,gBACM3gD,KAAK2d,QAAQsgB,OAASj+B,KAAK2d,QAAQsgB,MAAM8S,8BACtCruB,YAEAD,OAUTjY,kBACSgiB,MAAMhiB,SAAS,MAAO,CAC3BuC,UAAW,0BACV,WACY,kBACA,oBACE,SAOnBy0C,eAC+B,mBAAlBt/C,OAAOk7B,QAChBl7B,OAAOk7B,OAAOiO,YAAYnpC,OAAQ,GAAIlC,KAAKoc,KAW/C82B,sBACQ1jB,OAASxvB,KAAK2d,QAAQ6N,aACtBi2B,2BAA6BzhD,KAAK8d,SAAS2jC,mCAC5CD,eACDC,2BAA4B,OACxBC,cAAgB,OACjB,IAAI1gD,EAAI,EAAGA,EAAIwuB,OAAOvuB,SAAUD,EAAG,OAChC4pB,MAAQ4E,OAAOxuB,GACF,YAAf4pB,MAAM0T,MAGVojB,cAAcz/C,KAAK2oB,wBAEhB+2B,eAAeD,mBAQlBE,kBAAoB,KACpBC,uBAAyB,KACzB7gD,EAAIwuB,OAAOvuB,YACRD,KAAK,OACJ4pB,MAAQ4E,OAAOxuB,GACF,YAAf4pB,MAAM0T,OACW,iBAAf1T,MAAMgG,KACRgxB,kBAAoBh3B,MAEpBi3B,uBAAyBj3B,UAI3Bi3B,wBACqC,QAAnC7hD,KAAK0N,aAAa,mBACftC,aAAa,YAAa,YAE5Bu2C,eAAeE,yBACXD,oBAC8B,cAAnC5hD,KAAK0N,aAAa,mBACftC,aAAa,YAAa,kBAE5Bu2C,eAAeC,qBAEjB1/C,OAAO4/C,IAAIC,SAAS,QAAS,QAAS,OACnCC,iBAAmBhiD,KAAKoc,IACxB6lC,iBAAmBD,iBAAiBpzB,iBAAiB,uBACrDszB,iBAAmBliD,KAAK2d,QAAQwkC,WAAW/lC,IAAInO,wBAAwBI,OACvE+zC,aAAepiD,KAAK2d,QAAQvB,IAAInO,wBAAwBI,OAG9D2zC,iBAAiBtvC,MAAQ,GAGzB6tC,eAAeyB,iBAAkB,WAAY,YAC7CzB,eAAeyB,iBAAkB,SAAUI,aAAeF,iBAAmB,MAC7E3B,eAAeyB,iBAAkB,MAAO,SAEtCzB,eAAeyB,iBAAkB,SAD/B95C,YACyCk6C,aAAe,KAEf,OAIzCH,iBAAiBhhD,OAAS,GAC5BghD,iBAAiBp9C,SAAQw9C,qBAEnBA,gBAAgB3vC,MAAM4vC,MAAO,OACzBC,YAAcF,gBAAgB3vC,MAAM4vC,MAAM91C,MAAM,KAG3B,IAAvB+1C,YAAYthD,QACdqD,OAAO4X,OAAOmmC,gBAAgB3vC,MAAO,CACnC/D,IAAK4zC,YAAY,GACjB3+B,MAAO2+B,YAAY,GACnB1+B,OAAQ0+B,YAAY,GACpB7zC,KAAM,eAapBgyC,2BAGO1gD,KAAK2d,QAAQ6kC,gBAAkBtgD,OAAO4/C,IAAIC,SAAS,mCAGlDU,YAAcziD,KAAK2d,QAAQ6F,eAC3B4+B,aAAepiD,KAAK2d,QAAQ8F,gBAC5Bi/B,kBAAoBD,YAAcL,aAClCO,iBAAmB3iD,KAAK2d,QAAQilC,aAAe5iD,KAAK2d,QAAQ6kC,kBAC9DK,iBAAmB,EACnBC,gBAAkB,EAClB/xC,KAAK24B,IAAIgZ,kBAAoBC,kBAAoB,KAC/CD,kBAAoBC,iBACtBE,iBAAmB9xC,KAAKw4B,OAAOkZ,YAAcL,aAAeO,kBAAoB,GAEhFG,gBAAkB/xC,KAAKw4B,OAAO6Y,aAAeK,YAAcE,kBAAoB,IAGnFpC,eAAevgD,KAAKoc,IAAK,cAAeokC,oBAAoBqC,mBAC5DtC,eAAevgD,KAAKoc,IAAK,aAAcokC,oBAAoBsC,kBAS7DC,mBAAmBn4B,aACXo4B,UAAYhjD,KAAK2d,QAAQslC,kBAAkBC,YAC3Cr4B,KAAOD,MAAM+T,eACf39B,EAAI6pB,KAAK5pB,YACND,KAAK,OACJ8pB,IAAMD,KAAK7pB,OACZ8pB,mBAGCgc,OAAShc,IAAI4gB,gBACfsX,UAAUzb,QACZT,OAAOp7B,WAAWgH,MAAM60B,MAAQyb,UAAUzb,OAExCyb,UAAUG,aACZ5C,eAAezZ,OAAOp7B,WAAY,QAAS20C,eAAe2C,UAAUzb,OAAS,OAAQyb,UAAUG,cAE7FH,UAAUxb,kBACZV,OAAOp7B,WAAWgH,MAAM80B,gBAAkBwb,UAAUxb,iBAElDwb,UAAUI,mBACZ7C,eAAezZ,OAAOp7B,WAAY,kBAAmB20C,eAAe2C,UAAUxb,iBAAmB,OAAQwb,UAAUI,oBAEjHJ,UAAUK,cACRL,UAAUM,cACZ/C,eAAezZ,OAAQ,kBAAmBuZ,eAAe2C,UAAUK,YAAaL,UAAUM,gBAE1Fxc,OAAOp0B,MAAM80B,gBAAkBwb,UAAUK,aAGzCL,UAAUO,YACgB,eAAxBP,UAAUO,UACZzc,OAAOp7B,WAAWgH,MAAM8wC,iCAtYjB,gCAAA,gCAAA,QAuY0B,WAAxBR,UAAUO,UACnBzc,OAAOp7B,WAAWgH,MAAM8wC,6BAxYjB,4BAAA,4BAAA,QAyY0B,cAAxBR,UAAUO,UACnBzc,OAAOp7B,WAAWgH,MAAM8wC,6BAzYhB,0BAAA,8BADD,2BAAA,QA2Y0B,YAAxBR,UAAUO,YACnBzc,OAAOp7B,WAAWgH,MAAM8wC,6BA5YjB,4BAAA,4BAAA,4BAAA,UA+YPR,UAAUS,aAAyC,IAA1BT,UAAUS,YAAmB,OAClD7X,SAAW1pC,OAAOkH,WAAW09B,OAAOp0B,MAAMk5B,UAChD9E,OAAOp0B,MAAMk5B,SAAWA,SAAWoX,UAAUS,YAAc,KAC3D3c,OAAOp0B,MAAMrE,OAAS,OACtBy4B,OAAOp0B,MAAM/D,IAAM,OAEjBq0C,UAAUU,YAAuC,YAAzBV,UAAUU,aACP,eAAzBV,UAAUU,WACZ5c,OAAOp7B,WAAWgH,MAAMixC,YAAc,aAEtC7c,OAAOp7B,WAAWgH,MAAMgxC,WAAa/D,QAAQqD,UAAUU,cAY/D/B,eAAenyB,WACRltB,MAAMC,QAAQitB,UACjBA,OAAS,CAACA,SAEiB,mBAAlBttB,OAAOk7B,QAAyB5N,OAAO5U,OAAMgQ,QAC9CA,MAAM+T,0BAIV9T,KAAO,OAGR,IAAI7pB,EAAI,EAAGA,EAAIwuB,OAAOvuB,SAAUD,EAAG,OAChC4pB,MAAQ4E,OAAOxuB,OAChB,IAAI+8C,EAAI,EAAGA,EAAInzB,MAAM+T,WAAW19B,SAAU88C,EAC7ClzB,KAAK5oB,KAAK2oB,MAAM+T,WAAWof,IAK/B77C,OAAOk7B,OAAOiO,YAAYnpC,OAAQ2oB,KAAM7qB,KAAKoc,SAGxC,IAAIpb,EAAI,EAAGA,EAAIwuB,OAAOvuB,SAAUD,EAAG,OAChC4pB,MAAQ4E,OAAOxuB,OAChB,IAAI+8C,EAAI,EAAGA,EAAInzB,MAAM+T,WAAW19B,SAAU88C,EAAG,OAC1C6F,MAAQh5B,MAAM+T,WAAWof,GAAGrS,aAClCv/B,SAASy3C,MAAO,qBAAsB,uBAAyBh5B,MAAMpL,SAAWoL,MAAMpL,SAAWxe,IAC7F4pB,MAAMpL,UACRpU,aAAaw4C,MAAO,OAAQh5B,MAAMpL,UAGlCxf,KAAK2d,QAAQslC,wBACVF,mBAAmBn4B,WA6ChCpN,YAAY8K,kBAAkB,+BA7BD9K,YAO3BhT,iBACQq5C,QAAU7jD,KAAK2d,QAAQkmC,UACvBC,WAAa9jD,KAAKof,SAASykC,QAAU,eAAiB,gBACtDl2B,YAAcnjB,SAAS,OAAQ,CACnCuC,UAAW,mBACX7B,YAAalL,KAAKof,SAAS,kBAAmB,CAAC0kC,eAE3Cj5C,GAAK2hB,MAAMhiB,SAAS,MAAO,CAC/BuC,UAAW,sBACXg3C,IAAK,eAEPl5C,GAAGe,YAAY+hB,aACR9iB,GAMTqT,4BACOtM,EAAE,qBAAqB1G,YAAclL,KAAKof,SAAS,kBAAmB,CAACpf,KAAK2d,QAAQkmC,UAAY,eAAiB,0BAcpHG,eAAe3F,mBAiBnB7zC,SAAS6C,SAAKmjC,6DAAQ,GAAI7lC,kEAAa,GACrC0C,IAAM,SACNmjC,MAAQlsC,OAAO4X,OAAO,CACpBnP,UAAW/M,KAAKoiB,iBACfouB,OAGH7lC,WAAarG,OAAO4X,OAAO,CAEzB/b,KAAM,UACLwK,kBACGE,GAAKL,SAVL,SAUmBgmC,MAAO7lC,mBAC3B3K,KAAK2d,QAAQG,SAAS2C,sBACzB5V,GAAGe,YAAYpB,SAAS,OAAQ,CAC9BuC,UAAW,wBACV,gBACc,UAGd8xC,oBAAoBh0C,IAClBA,GAmBToW,SAASxV,WAAOtF,+DAAU,SAClB4G,UAAY/M,KAAKqF,YAAYhE,YACnCmB,MAAMkB,2EAAoEqJ,oEAGnEyQ,YAAYjZ,UAAU0c,SAAS7b,KAAKpF,KAAMyL,MAAOtF,SAO1D/B,eACQA,cACDgY,IAAIjP,gBAAgB,YAO3BhJ,gBACQA,eACDiY,IAAIhR,aAAa,WAAY,YAYpC4Y,cAAc9U,OAMM,MAAdA,MAAMpK,KAA6B,UAAdoK,MAAMpK,UAMzBkf,cAAc9U,OALlBA,MAAMqH,mBAQZiH,YAAY8K,kBAAkB,SAAU07B,cAYlCC,sBAAsBD,OAC1B3+C,YAAYwO,OAAQ1N,eACZ0N,OAAQ1N,cACT+9C,YAAa,OACb3jC,QAAQ,aACRjJ,GAAG,aAAatF,GAAKhS,KAAKmkD,gBAAgBnyC,KASjDoQ,sBACS,sBAcTu8B,YAAYzvC,aACJk1C,YAAcpkD,KAAK2d,QAAQD,UAG7B1d,KAAKkkD,YAAc,YAAah1C,OAAS,YAAaA,aACxD+a,eAAem6B,kBACXpkD,KAAK2d,QAAQuN,MAAK,SACfvN,QAAQuN,MAAK,GAAMpd,eAItBkmC,GAAKh0C,KAAK2d,QAAQuC,SAAS,cAC3BmkC,WAAarQ,IAAMA,GAAG9zB,SAAS,kBAChCmkC,4BACE1mC,QAAQuN,MAAK,GAAMpd,cAGpBw2C,UAAY,IAAMD,WAAWv2C,QAC/Bic,UAAUq6B,aACZA,YAAYp6B,KAAKs6B,WAAW,cAEvBtwC,WAAWswC,UAAW,GAa/BtgC,cAAc9U,YACPg1C,YAAa,QACZlgC,cAAc9U,OAWtBi1C,gBAAgBj1C,YACTg1C,YAAa,GAUtBD,cAAc1/C,UAAUw6C,aAAe,aACvCvhC,YAAY8K,kBAAkB,gBAAiB27B,eA4F/CzmC,YAAY8K,kBAAkB,4BA9EJ07B,OAUxB3+C,YAAYwO,OAAQ1N,eACZ0N,OAAQ1N,cACToa,QAAQ,eACRoN,YAAYxnB,SAAWA,QAAQwnB,aAAe3tB,KAAKof,SAAS,UASnEgD,iDAC6BoK,MAAMpK,iBAgBnCu8B,YAAYzvC,YAWLgJ,QAAQ,CACX/X,KAAM,QACNkY,SAAS,IAcb2L,cAAc9U,OAEM,WAAdA,MAAMpK,KACRoK,MAAM8G,iBACN9G,MAAMqH,uBACD2B,QAAQ,gBAGP8L,cAAc9U,gBAiBpBq1C,mBAAmBP,OAUvB3+C,YAAYwO,YAAQ1N,+DAAU,SACtB0N,OAAQ1N,SAGdA,QAAQq+C,YAA4BvhD,IAAnBkD,QAAQq+C,QAAwBr+C,QAAQq+C,YACpDjkC,QAAQ,aACRjJ,GAAGzD,OAAQ,QAAQ7B,GAAKhS,KAAKykD,WAAWzyC,UACxCsF,GAAGzD,OAAQ,SAAS7B,GAAKhS,KAAK0kD,YAAY1yC,KAC3C7L,QAAQq+C,aACLltC,GAAGzD,OAAQ,SAAS7B,GAAKhS,KAAK2kD,YAAY3yC,KAUnDoQ,iDAC6BoK,MAAMpK,iBAcnCu8B,YAAYzvC,OACNlP,KAAK2d,QAAQqP,SACf/C,eAAejqB,KAAK2d,QAAQD,aAEvBC,QAAQuP,QAajB03B,aAAa11C,YACNzC,YAAY,aACbzM,KAAK2d,QAAQqP,cACV03B,YAAYx1C,YAEZu1C,WAAWv1C,OAYpBu1C,WAAWv1C,YACJzC,YAAY,YAAa,mBACzBN,SAAS,oBAEToU,QAAQ,cACRoN,YAAY,SAWnB+2B,YAAYx1C,YACLzC,YAAY,oBACZN,SAAS,mBAEToU,QAAQ,aACRoN,YAAY,QAWnBg3B,YAAYz1C,YACLzC,YAAY,oBACZN,SAAS,kBAEToU,QAAQ,eACRoN,YAAY,eAGZpV,IAAIvY,KAAK2d,QAAS,UAAU3L,GAAKhS,KAAK4kD,aAAa5yC,MAU5DuyC,WAAWhgD,UAAUw6C,aAAe,OACpCvhC,YAAY8K,kBAAkB,aAAci8B,kBAatCM,oBAAoBrnC,YAUxBnY,YAAYwO,OAAQ1N,eACZ0N,OAAQ1N,cACTmR,GAAGzD,OAAQ,CAAC,aAAc,QAAS,YAAY7B,GAAKhS,KAAKq/C,OAAOrtC,UAChE8yC,kBASPt6C,iBACQuC,UAAY/M,KAAKoiB,gBACjBvX,GAAK2hB,MAAMhiB,SAAS,MAAO,CAC/BuC,oBAAcA,6CAEVg4C,KAAOv6C,SAAS,OAAQ,CAC5BuC,UAAW,mBACX7B,sBAAgBlL,KAAKof,SAASpf,KAAKglD,kBAClC,CACD34B,KAAM,wBAERxhB,GAAGe,YAAYm5C,WACVhlC,WAAavV,SAAS,OAAQ,CACjCuC,oBAAcA,uBACb,CAKDsf,KAAM,iBAERxhB,GAAGe,YAAY5L,KAAK+f,YACblV,GAETkU,eACOgB,WAAa,UACbklC,UAAY,WACXlmC,UASRsgC,OAAOnwC,QACAlP,KAAK2d,QAAQG,SAASonC,qBAAsC,YAAfh2C,MAAM/O,YAGnDglD,cAAcj2C,OAUrB41C,sBAAgBM,4DAAO,EACrBA,KAAOh8B,WAAWg8B,MACdplD,KAAKqlD,iBAAmBD,YAGvBC,eAAiBD,UACjB5/B,2BAA2B,+BAA+B,SACxDxlB,KAAK+f,sBAGNulC,QAAUtlD,KAAKilD,UACfK,SAAWtlD,KAAK+f,WAAWrU,aAAe45C,UAC5CA,QAAU,KACV9iD,MAAMkB,KAAK,4JAERuhD,UAAY/jD,SAASoQ,eAAetR,KAAKqlD,gBACzCrlD,KAAKilD,YAGNK,aACGvlC,WAAWb,aAAalf,KAAKilD,UAAWK,cAExCvlC,WAAWnU,YAAY5L,KAAKilD,gBAcvCE,cAAcj2C,SAShB21C,YAAYtgD,UAAUygD,WAAa,OAUnCH,YAAYtgD,UAAUw6C,aAAe,OACrCvhC,YAAY8K,kBAAkB,cAAeu8B,mBAWvCU,2BAA2BV,YAO/BziC,sBACS,mBAWT+iC,cAAcj2C,WAERk2C,KAEFA,KADEplD,KAAK2d,QAAQw5B,QACRn3C,KAAK2d,QAAQ+L,WAEb1pB,KAAK2d,QAAQ60B,YAAcxyC,KAAK2d,QAAQ6nC,WAAWnmB,YAAcr/B,KAAK2d,QAAQ0hB,mBAElFylB,gBAAgBM,OAUzBG,mBAAmBhhD,UAAUygD,WAAa,eAU1CO,mBAAmBhhD,UAAUw6C,aAAe,eAC5CvhC,YAAY8K,kBAAkB,qBAAsBi9B,0BAa9CE,wBAAwBZ,YAU5Bx/C,YAAYwO,OAAQ1N,eACZ0N,OAAQ1N,eACRg/C,cAAgBnzC,GAAKhS,KAAKmlD,cAAcnzC,QAKzCsF,GAAGzD,OAAQ,iBAAkBsxC,oBAK7B7tC,GAAGzD,OAAQ,YAAasxC,oBAKxB7tC,GAAGzD,OAAQ,iBAAkBsxC,eASpC/iC,sBACS,eAcT+iC,cAAcj2C,aACNwa,SAAW1pB,KAAK2d,QAAQ+L,gBACzBo7B,gBAAgBp7B,WAUzB+7B,gBAAgBlhD,UAAUygD,WAAa,WAUvCS,gBAAgBlhD,UAAUw6C,aAAe,WACzCvhC,YAAY8K,kBAAkB,kBAAmBm9B,iBAqCjDjoC,YAAY8K,kBAAkB,4BAzBJ9K,YAOxBhT,iBACQK,GAAK2hB,MAAMhiB,SAAS,MAAO,CAC/BuC,UAAW,qCACV,gBAIc,IAEX86B,IAAMrb,MAAMhiB,SAAS,OACrBu6C,KAAOv4B,MAAMhiB,SAAS,OAAQ,CAClCU,YAAa,aAEf28B,IAAIj8B,YAAYm5C,MAChBl6C,GAAGe,YAAYi8B,KACRh9B,YAgBL66C,6BAA6Bb,YAUjCx/C,YAAYwO,OAAQ1N,eACZ0N,OAAQ1N,cACTmR,GAAGzD,OAAQ,kBAAkB7B,GAAKhS,KAAKmlD,cAAcnzC,KAS5DoQ,sBACS,qBAST5X,iBACQK,GAAK2hB,MAAMhiB,kBACqB,IAAlCxK,KAAK8d,SAAS6nC,iBAChB96C,GAAGc,aAAanB,SAAS,OAAQ,GAAI,gBACpB,GACd,KAAMxK,KAAK+f,YAETlV,GAYTs6C,cAAcj2C,UAC2B,iBAA5BlP,KAAK2d,QAAQ+L,sBAGpB07B,KAKFA,KADEplD,KAAK2d,QAAQw5B,QACR,EACEn3C,KAAK2d,QAAQioC,qBACf5lD,KAAK2d,QAAQioC,uBAEb5lD,KAAK2d,QAAQkoC,qBAEjBf,gBAAgBM,OAUzBM,qBAAqBnhD,UAAUygD,WAAa,iBAU5CU,qBAAqBnhD,UAAUw6C,aAAe,iBAC9CvhC,YAAY8K,kBAAkB,uBAAwBo9B,sBA4EtDloC,YAAY8K,kBAAkB,4BA7DJ9K,YAUxBnY,YAAYwO,OAAQ1N,eACZ0N,OAAQ1N,cACT2/C,qBACAxuC,GAAGtX,KAAK6T,SAAU,kBAAkB7B,GAAKhS,KAAK8lD,cAAc9zC,KASnExH,iBACQK,GAAK2hB,MAAMhiB,SAAS,MAAO,CAC/BuC,UAAW,6CAERgT,WAAavV,SAAS,MAAO,CAChCuC,UAAW,oBACV,aACY,aAEVgT,WAAWnU,YAAYpB,SAAS,OAAQ,CAC3CuC,UAAW,mBACX7B,sBAAgBlL,KAAKof,SAAS,4BAE3BW,WAAWnU,YAAY1K,SAASoQ,eAAetR,KAAKof,SAAS,UAClEvU,GAAGe,YAAY5L,KAAK+f,YACblV,GAETkU,eACOgB,WAAa,WACZhB,UAYR+mC,cAAc52C,OACRlP,KAAK6T,SAAS6V,aAAeX,EAAAA,OAC1BtG,YAEAC,gBAiBLqjC,mBAAmB/B,OAUvB3+C,YAAYwO,OAAQ1N,eACZ0N,OAAQ1N,cACT6/C,uBACDhmD,KAAK2d,QAAQ69B,mBACVyK,6BAA+Bj0C,GAAKhS,KAAKgmD,qBAAqBh0C,QAC9DsF,GAAGtX,KAAK2d,QAAQ69B,YAAa,iBAAkBx7C,KAAKimD,+BAU7Dz7C,iBACQK,GAAK2hB,MAAMhiB,SAAS,SAAU,CAClCuC,UAAW,qDAERwT,QAAQ,SAAU1V,SAClBq7C,QAAU17C,SAAS,OAAQ,CAC9BuC,UAAW,wBACX7B,YAAalL,KAAKof,SAAS,SAC1B,eACc,SAEjBvU,GAAGe,YAAY5L,KAAKkmD,SACbr7C,GAOTm7C,wBAEOhmD,KAAK2d,QAAQ69B,aAAex7C,KAAK2d,QAAQ69B,YAAY2K,mBACnD/6C,aAAa,iBAAiB,QAC9Be,SAAS,yBACTwhB,YAAY,+CAEZviB,aAAa,iBAAiB,QAC9BqB,YAAY,yBACZkhB,YAAY,wCASrBgxB,mBACOhhC,QAAQ69B,YAAY4K,iBAM3BrnC,UACM/e,KAAK2d,QAAQ69B,kBACVh4C,IAAIxD,KAAK2d,QAAQ69B,YAAa,iBAAkBx7C,KAAKimD,mCAEvDC,QAAU,WACTnnC,oBA+BDsnC,MAAMC,OAAQr1C,IAAKD,YAC1Bs1C,OAAS52C,OAAO42C,QACTv1C,KAAKE,IAAID,IAAKD,KAAKC,IAAIC,IAAKqS,MAAMgjC,QAAUr1C,IAAMq1C,SAxB3DP,WAAWxhD,UAAUw6C,aAAe,uCACpCvhC,YAAY8K,kBAAkB,aAAcy9B,gBA0BxCQ,IAAmBjiD,OAAOiC,OAAO,CACnCC,UAAW,KACX6/C,MAAOA,cAeHG,eAAehpC,YAUnBnY,YAAYwO,OAAQ1N,eACZ0N,OAAQ1N,cACTsgD,iBAAmBz0C,GAAKhS,KAAKmkD,gBAAgBnyC,QAC7C00C,eAAiB10C,GAAKhS,KAAK2mD,cAAc30C,QACzC6Z,eAAiB7Z,GAAKhS,KAAKgkB,cAAchS,QACzC0sC,aAAe1sC,GAAKhS,KAAK2+C,YAAY3sC,QACrC40C,iBAAmB50C,GAAKhS,KAAK6mD,gBAAgB70C,QAC7CstC,QAAUttC,GAAKhS,KAAKq/C,OAAOrtC,QAG3B80C,IAAM9mD,KAAKkgB,SAASlgB,KAAK8d,SAASipC,cAGlChjB,WAAW/jC,KAAK8d,SAASimB,eACzB3/B,SASP8f,iBACSlkB,KAAKg1B,SAMd5wB,SACMpE,KAAKkkB,iBAGJ5M,GAAG,YAAatX,KAAKymD,uBACrBnvC,GAAG,aAActX,KAAKymD,uBACtBnvC,GAAG,UAAWtX,KAAK6rB,qBACnBvU,GAAG,QAAStX,KAAK0+C,mBAGjBpnC,GAAGtX,KAAK2d,QAAS,kBAAmB3d,KAAKq/C,QAC1Cr/C,KAAKgnD,kBACF1vC,GAAGtX,KAAK2d,QAAS3d,KAAKgnD,YAAahnD,KAAKq/C,aAE1C5yC,YAAY,iBACZrB,aAAa,WAAY,QACzB4pB,UAAW,GAMlB7wB,cACOnE,KAAKkkB,uBAGJvN,IAAM3W,KAAK8mD,IAAI1qC,IAAIhE,mBACpB5U,IAAI,YAAaxD,KAAKymD,uBACtBjjD,IAAI,aAAcxD,KAAKymD,uBACvBjjD,IAAI,UAAWxD,KAAK6rB,qBACpBroB,IAAI,QAASxD,KAAK0+C,mBAClBl7C,IAAIxD,KAAK2d,QAAS,kBAAmB3d,KAAKs/C,cAC1C97C,IAAImT,IAAK,YAAa3W,KAAK4mD,uBAC3BpjD,IAAImT,IAAK,UAAW3W,KAAK0mD,qBACzBljD,IAAImT,IAAK,YAAa3W,KAAK4mD,uBAC3BpjD,IAAImT,IAAK,WAAY3W,KAAK0mD,qBAC1Bv5C,gBAAgB,iBAChBhB,SAAS,YACVnM,KAAKgnD,kBACFxjD,IAAIxD,KAAK2d,QAAS3d,KAAKgnD,YAAahnD,KAAKq/C,aAE3CrqB,UAAW,EAkBlBxqB,SAASrK,UAAMqwC,6DAAQ,GAAI7lC,kEAAa,UAEtC6lC,MAAMzjC,UAAYyjC,MAAMzjC,UAAY,cACpCyjC,MAAQlsC,OAAO4X,OAAO,CACpBgK,SAAU,GACTsqB,OACH7lC,WAAarG,OAAO4X,OAAO,MACjB,yBACS,kBACA,kBACA,KAChBvR,YACI6hB,MAAMhiB,SAASrK,KAAMqwC,MAAO7lC,YAarCw5C,gBAAgBj1C,aACRyH,IAAM3W,KAAK8mD,IAAI1qC,IAAIhE,cACN,cAAflJ,MAAM/O,MACR+O,MAAM8G,iBAMW,eAAf9G,MAAM/O,MAA0BgH,WAClC+H,MAAM8G,iBAERpI,0BACKzB,SAAS,oBAOT+L,QAAQ,qBACRZ,GAAGX,IAAK,YAAa3W,KAAK4mD,uBAC1BtvC,GAAGX,IAAK,UAAW3W,KAAK0mD,qBACxBpvC,GAAGX,IAAK,YAAa3W,KAAK4mD,uBAC1BtvC,GAAGX,IAAK,WAAY3W,KAAK0mD,qBACzBG,gBAAgB33C,OAAO,GAiB9B23C,gBAAgB33C,QAYhBy3C,cAAcz3C,aACNyH,IAAM3W,KAAK8mD,IAAI1qC,IAAIhE,cACzBpK,4BACKvB,YAAY,oBAOZyL,QAAQ,uBACR1U,IAAImT,IAAK,YAAa3W,KAAK4mD,uBAC3BpjD,IAAImT,IAAK,UAAW3W,KAAK0mD,qBACzBljD,IAAImT,IAAK,YAAa3W,KAAK4mD,uBAC3BpjD,IAAImT,IAAK,WAAY3W,KAAK0mD,qBAC1BrH,SAUPA,aAKOr/C,KAAKoc,MAAQpc,KAAK8mD,iBAMjBG,SAAWjnD,KAAKknD,qBAClBD,WAAajnD,KAAKmnD,iBAGjBA,UAAYF,cACZzhC,2BAA2B,iBAAiB,WAEzC4hC,QAAUpnD,KAAK+jC,WAAa,SAAW,aAGxC+iB,IAAIj8C,KAAK6H,MAAM00C,UAAuB,IAAXH,UAAgBI,QAAQ,GAAK,QARtDJ,SAoBXC,qBACSx3C,OAAO22C,MAAMrmD,KAAKsnD,aAAc,EAAG,GAAGD,QAAQ,IAcvDE,kBAAkBr4C,aACVkB,SAAWnB,mBAAmBjP,KAAKoc,IAAKlN,cAC1ClP,KAAK+jC,WACA3zB,SAAShB,EAEXgB,SAASnG,EAalB+Z,cAAc9U,aACNs4C,kBAAoBxnD,KAAK8d,SAAS+D,cAAcoC,kBAChDwjC,kBAAoBD,mBAAqBA,kBAAkBtjC,QAC3DwjC,eAAiBF,mBAAqBA,kBAAkBE,eAC1DD,kBACEC,gBAAgC,cAAdx4C,MAAMpK,MAAwB4iD,gBAAgC,cAAdx4C,MAAMpK,KAC1EoK,MAAM8G,iBACN9G,MAAMqH,uBACDoxC,YACID,gBAAgC,eAAdx4C,MAAMpK,MAAyB4iD,gBAAgC,YAAdx4C,MAAMpK,KAClFoK,MAAM8G,iBACN9G,MAAMqH,uBACDqxC,qBAEC5jC,cAAc9U,OAIC,cAAdA,MAAMpK,KAAqC,cAAdoK,MAAMpK,KAC5CoK,MAAM8G,iBACN9G,MAAMqH,uBACDoxC,YAGkB,YAAdz4C,MAAMpK,KAAmC,eAAdoK,MAAMpK,KAC1CoK,MAAM8G,iBACN9G,MAAMqH,uBACDqxC,qBAGC5jC,cAAc9U,OAWxByvC,YAAYzvC,OACVA,MAAMqH,kBACNrH,MAAM8G,iBAcR+tB,SAAS8jB,cACM5kD,IAAT4kD,YACK7nD,KAAK8nD,YAAa,OAEtBA,YAAcD,KACf7nD,KAAK8nD,eACF37C,SAAS,4BAETA,SAAS,0BAIpBqR,YAAY8K,kBAAkB,SAAUk+B,cASlCuB,WAAa,CAAC3C,KAAMl9B,MAAQm+B,MAAMjB,KAAOl9B,IAAM,IAAK,EAAG,KAAKm/B,QAAQ,GAAK,IA8G/E7pC,YAAY8K,kBAAkB,gCAvGA9K,YAU5BnY,YAAYwO,OAAQ1N,eACZ0N,OAAQ1N,cACT6hD,SAAW,QACX1wC,GAAGzD,OAAQ,YAAY7B,GAAKhS,KAAKq/C,OAAOrtC,KAS/CxH,iBACQK,GAAK2hB,MAAMhiB,SAAS,MAAO,CAC/BuC,UAAW,sBAEP2O,QAAUlR,SAAS,OAAQ,CAC/BuC,UAAW,qBAEPk7C,WAAaz9C,SAAS,OAAQ,CAClCU,YAAalL,KAAKof,SAAS,YAEvB8oC,UAAYhnD,SAASoQ,eAAe,kBACrC62C,cAAgB39C,SAAS,OAAQ,CACpCuC,UAAW,qCACX7B,YAAa,OAEfL,GAAGe,YAAY8P,SACfA,QAAQ9P,YAAYq8C,YACpBvsC,QAAQ9P,YAAYs8C,WACpBxsC,QAAQ9P,YAAY5L,KAAKmoD,eAClBt9C,GAETkU,eACOipC,SAAW,UACXG,cAAgB,WACfppC,UAWRsgC,OAAOnwC,YACAsW,2BAA2B,0BAA0B,WAClDg2B,YAAcx7C,KAAK2d,QAAQ69B,YAC3B/xB,SAAWzpB,KAAK2d,QAAQ8L,WACxBC,SAAW8xB,aAAeA,YAAYC,SAAWD,YAAY4M,cAAgBpoD,KAAK2d,QAAQ+L,WAC1F2+B,YAAcroD,KAAK2d,QAAQ0qC,cAC3BroC,SAAWhgB,KAAKgoD,SAChBlkB,QAAUikB,WAAWM,YAAa3+B,UACpC1pB,KAAKsoD,WAAaxkB,eAEf1nB,IAAI1J,MAAMnE,MAAQu1B,QAEvB54B,YAAYlL,KAAKmoD,cAAerkB,cAC3BwkB,SAAWxkB,aAIb,IAAI9iC,EAAI,EAAGA,EAAIyoB,SAASxoB,OAAQD,IAAK,OAClCinB,MAAQwB,SAASxB,MAAMjnB,GACvBknB,IAAMuB,SAASvB,IAAIlnB,OACrBunD,KAAOvoC,SAAShf,GACfunD,OACHA,KAAOvoD,KAAKoc,IAAIxQ,YAAYpB,YAC5BwV,SAAShf,GAAKunD,MAIZA,KAAKC,QAAQvgC,QAAUA,OAASsgC,KAAKC,QAAQtgC,MAAQA,MAGzDqgC,KAAKC,QAAQvgC,MAAQA,MACrBsgC,KAAKC,QAAQtgC,IAAMA,IAGnBqgC,KAAK71C,MAAMhE,KAAOq5C,WAAW9/B,MAAOogC,aACpCE,KAAK71C,MAAMnE,MAAQw5C,WAAW7/B,IAAMD,MAAOogC,kBAIxC,IAAIrnD,EAAIgf,SAAS/e,OAAQD,EAAIyoB,SAASxoB,OAAQD,SAC5Cob,IAAIhL,YAAY4O,SAAShf,EAAI,IAEpCgf,SAAS/e,OAASwoB,SAASxoB,aAmKjCuc,YAAY8K,kBAAkB,4BAlJJ9K,YAUxBnY,YAAYwO,OAAQ1N,eACZ0N,OAAQ1N,cACTk5C,OAASpmC,SAASJ,MAAM7Y,KAAMA,KAAKq/C,QA5tZZ,IAquZ9B70C,kBACSgiB,MAAMhiB,SAAS,MAAO,CAC3BuC,UAAW,oBACV,eACc,SAcnBsyC,OAAOoJ,YAAaC,aAAc99C,eAC1B+9C,YAAcn6C,aAAaxO,KAAKoc,KAChCwsC,WAAa36C,sBAAsBjO,KAAK2d,QAAQ9S,MAChDg+C,eAAiBJ,YAAYl6C,MAAQm6C,iBAItCE,aAAeD,uBAQhBG,iBAAmBL,YAAY/5C,KAAOk6C,WAAWl6C,KAAOm6C,eAMxDE,kBAAoBN,YAAYl6C,MAAQs6C,gBAAkBD,WAAWhlC,MAAQ6kC,YAAY7kC,OAOxFmlC,oBACHA,kBAAoBN,YAAYl6C,MAAQs6C,eACxCC,iBAAmBD,oBAIjBG,cAAgBL,YAAYp6C,MAAQ,EAIpCu6C,iBAAmBE,cACrBA,eAAiBA,cAAgBF,iBACxBC,kBAAoBC,gBAC7BA,cAAgBD,mBAMdC,cAAgB,EAClBA,cAAgB,EACPA,cAAgBL,YAAYp6C,QACrCy6C,cAAgBL,YAAYp6C,OAO9By6C,cAAgBj4C,KAAKw4B,MAAMyf,oBACtB5sC,IAAI1J,MAAMkR,iBAAYolC,yBACtBC,MAAMr+C,SASbq+C,MAAMr+C,SACJM,YAAYlL,KAAKoc,IAAKxR,SAoBxBs+C,WAAWT,YAAaC,aAActD,KAAMpR,SACrCxuB,2BAA2B,0BAA0B,SACpD5a,cACE8e,SAAW1pB,KAAK2d,QAAQ+L,cAC1B1pB,KAAK2d,QAAQ69B,aAAex7C,KAAK2d,QAAQ69B,YAAYC,SAAU,OAC3D0N,WAAanpD,KAAK2d,QAAQ69B,YAAY2N,aACtCC,cAAgBD,WAAaT,aAAeS,WAClDv+C,SAAWw+C,cAAgB,EAAI,GAAK,KAAOhgC,WAAWggC,cAAeD,iBAErEv+C,QAAUwe,WAAWg8B,KAAM17B,eAExB21B,OAAOoJ,YAAaC,aAAc99C,SACnCopC,IACFA,iBAiBFqV,wBAAwB7rC,YAU5BnY,YAAYwO,OAAQ1N,eACZ0N,OAAQ1N,cACToa,QAAQ,eACR8+B,OAASpmC,SAASJ,MAAM7Y,KAAMA,KAAKq/C,QA33ZZ,IAo4Z9B70C,kBACSgiB,MAAMhiB,SAAS,MAAO,CAC3BuC,UAAW,oCACV,eACc,SAenBsyC,OAAOoJ,YAAaC,oBACZY,YAActpD,KAAKkgB,SAAS,mBAC7BopC,yBAGClE,KAAOplD,KAAK2d,QAAQ60B,YAAcxyC,KAAK2d,QAAQ6nC,WAAWnmB,YAAcr/B,KAAK2d,QAAQ0hB,cAC3FiqB,YAAYJ,WAAWT,YAAaC,aAActD,OAUtDiE,gBAAgB9kD,UAAUuZ,SAAW,CACnCkC,SAAU,IAIPzW,QAAWxC,YACdsiD,gBAAgB9kD,UAAUuZ,SAASkC,SAAS/d,KAAK,eAEnDub,YAAY8K,kBAAkB,kBAAmB+gC,uBAc3CE,yBAAyB/rC,YAU7BnY,YAAYwO,OAAQ1N,eACZ0N,OAAQ1N,cACTk5C,OAASpmC,SAASJ,MAAM7Y,KAAMA,KAAKq/C,QAz8ZZ,IAk9Z9B70C,kBACSgiB,MAAMhiB,SAAS,MAAO,CAC3BuC,UAAW,sBAefsyC,OAAOoJ,YAAaC,oBACZtD,KAAOsD,aAAe1oD,KAAK2d,QAAQ+L,gBACpCxJ,SAAS,eAAegpC,WAAWT,YAAaC,aAActD,MAAM,UAClEhpC,IAAI1J,MAAMhE,eAAU+5C,YAAYl6C,MAAQm6C,uBAWnDa,iBAAiBhlD,UAAUuZ,SAAW,CACpCkC,SAAU,CAAC,gBAEbxC,YAAY8K,kBAAkB,mBAAoBihC,wBAkB5CC,gBAAgBhD,OAUpBnhD,YAAYwO,OAAQ1N,UAClBA,QAAUb,QAAQkkD,QAAQjlD,UAAUuZ,SAAU3X,UAGtC6Z,SAAW,IAAI7Z,QAAQ6Z,gBACzBypC,wCAA0C51C,OAAOiK,SAAS4rC,oCAAsCngD,QAAUxC,cAG3GwC,SAAWxC,YAAc0iD,0CAC5BtjD,QAAQ6Z,SAAStf,OAAO,EAAG,EAAG,0BAE1BmT,OAAQ1N,cACTwjD,yCAA2CF,6CAC3CG,iBAAmB,UACnBC,oBAQPA,yBACOvK,QAAUzmC,MAAM7Y,KAAMA,KAAKq/C,aAC3BA,OAASpmC,SAASjZ,KAAKs/C,QAxiaA,SAyiavBhoC,GAAGtX,KAAK2d,QAAS,CAAC,iBAAkB,cAAe3d,KAAKq/C,aACxD/nC,GAAGtX,KAAK2d,QAAS,CAAC,SAAU3d,KAAKs/C,SAClCt/C,KAAK2d,QAAQ69B,kBACVlkC,GAAGtX,KAAK2d,QAAQ69B,YAAa,iBAAkBx7C,KAAKq/C,aAKtDyK,eAAiB,UACjBC,uBAAyB/3C,GAAKhS,KAAKgqD,gBAAgBh4C,QACnDi4C,wBAA0Bj4C,GAAKhS,KAAKkqD,iBAAiBl4C,QACrDsF,GAAGtX,KAAK2d,QAAS,CAAC,WAAY3d,KAAK+pD,6BACnCzyC,GAAGtX,KAAK2d,QAAS,CAAC,QAAS,QAAS,WAAY3d,KAAKiqD,yBAItD,WAAY/oD,UAAY,oBAAqBA,eAC1CoW,GAAGpW,SAAU,mBAAoBlB,KAAKmqD,mBAG/CA,kBAAkBn4C,GACiB,WAA7B9Q,SAASkpD,sBACN3kC,0BAA0B,uBAC1BA,0BAA0B,sBAC1BykC,iBAAiBl4C,KAEjBhS,KAAK2d,QAAQw5B,SAAYn3C,KAAK2d,QAAQqP,eACpCg9B,uBAIF3K,UAGT2K,kBACMhqD,KAAK8pD,sBAGJA,eAAiB9pD,KAAKilB,YAAYjlB,KAAKq/C,OA/kahB,KAila9B6K,iBAAiBl4C,GACXhS,KAAK2d,QAAQ69B,aAAex7C,KAAK2d,QAAQ69B,YAAYC,UAAYzpC,GAAgB,UAAXA,EAAE7R,MAGvEH,KAAK8pD,sBAGL9kC,cAAchlB,KAAK8pD,qBACnBA,eAAiB,MASxBt/C,kBACSgiB,MAAMhiB,SAAS,MAAO,CAC3BuC,UAAW,uBACV,cACa/M,KAAKof,SAAS,kBAgBhCigC,OAAOnwC,UAE4B,WAA7BhO,SAASkpD,6BAGPtmB,QAAUtX,MAAM6yB,qBACjB75B,2BAA2B,kBAAkB,WAC1C6Z,YAAcr/B,KAAK2d,QAAQw5B,QAAUn3C,KAAK2d,QAAQ+L,WAAa1pB,KAAKqqD,kBACpE7O,YAAcx7C,KAAK2d,QAAQ69B,gBAC7B9xB,SAAW1pB,KAAK2d,QAAQ+L,WACxB8xB,aAAeA,YAAYC,WAC7B/xB,SAAW1pB,KAAK2d,QAAQ69B,YAAY8O,mBAElCtqD,KAAKsoD,WAAaxkB,eAEf1nB,IAAIhR,aAAa,iBAA4B,IAAV04B,SAAeujB,QAAQ,SAC1DiB,SAAWxkB,SAEd9jC,KAAKuqD,eAAiBlrB,aAAer/B,KAAK2xC,YAAcjoB,gBAErDtN,IAAIhR,aAAa,iBAAkBpL,KAAKof,SAAS,oDAAqD,CAACgK,WAAWiW,YAAa3V,UAAWN,WAAWM,SAAUA,WAAY,oBAC3K6gC,aAAelrB,iBACfsS,UAAYjoB,UAIf1pB,KAAK8mD,UACFA,IAAIzH,OAAOpxC,sBAAsBjO,KAAK6K,MAAO7K,KAAKknD,kBAGpDpjB,QAUTyX,UAAUnc,IACJp/B,KAAK2d,QAAQ69B,aAAex7C,KAAK2d,QAAQ69B,YAAYC,eAClD99B,QAAQ69B,YAAYE,0BAEtB/9B,QAAQ0hB,YAAYD,IAY3BirB,yBACSrqD,KAAK2d,QAAQ60B,YAAcxyC,KAAK2d,QAAQ6nC,WAAWnmB,YAAcr/B,KAAK2d,QAAQ0hB,cASvFioB,gBAGMtnD,KAAK4pD,wBACA5pD,KAAK4pD,iBAAmB5pD,KAAK2d,QAAQ+L,iBAExC2V,YAAcr/B,KAAKqqD,sBACrBvmB,cACE0X,YAAcx7C,KAAK2d,QAAQ69B,mBAC7BA,aAAeA,YAAYC,UAC7B3X,SAAWzE,YAAcmc,YAAYgP,iBAAmBhP,YAAY2N,aAGhE3N,YAAY2K,eACdriB,QAAU,IAGZA,QAAUzE,YAAcr/B,KAAK2d,QAAQ+L,WAEhCoa,QAWTqgB,gBAAgBj1C,OACTuC,kBAAkBvC,SAKvBA,MAAMqH,uBACDk0C,iBAAmBzqD,KAAK2d,QAAQqP,SAIhChtB,KAAK2pD,+CACHhsC,QAAQuP,cAETi3B,gBAAgBj1C,QAYxB23C,gBAAgB33C,WAOVw7C,QAPiBC,sEAChBl5C,kBAAkBvC,QAAUoU,MAAMtjB,KAAK2d,QAAQ+L,mBAG/CihC,WAAc3qD,KAAK2d,QAAQ60B,kBACzB70B,QAAQ60B,WAAU,SAGnB8K,SAAWt9C,KAAKunD,kBAAkBr4C,OAClCssC,YAAcx7C,KAAK2d,QAAQ69B,eAC5BA,aAAgBA,YAAYC,SAO1B,IACD6B,UAAY,gBACd9B,YAAY4K,uBAGRoE,cAAgBhP,YAAYgP,gBAC5BpC,YAAc5M,YAAY8O,qBAChCI,QAAUF,cAAgBlN,SAAW9B,YAAY2N,aAG7CuB,SAAWtC,cACbsC,QAAUtC,aAKRsC,SAAWF,gBACbE,QAAUF,cAAgB,IAMxBE,UAAY3hC,EAAAA,cA7BhB2hC,QAAUpN,SAAWt9C,KAAK2d,QAAQ+L,WAG9BghC,UAAY1qD,KAAK2d,QAAQ+L,aAC3BghC,SAAoB,IA+BpB1qD,KAAK2pD,8CACFC,iBAAmBc,aAEnBnP,UAAUmP,SAEb1qD,KAAK2d,QAAQG,SAASonC,0BACnB7F,SAGTj7C,eACQA,eACAwmD,iBAAmB5qD,KAAKkgB,SAAS,oBAClC0qC,kBAGLA,iBAAiBnoC,OAEnBte,gBACQA,gBACAymD,iBAAmB5qD,KAAKkgB,SAAS,oBAClC0qC,kBAGLA,iBAAiBloC,OAWnBikC,cAAcz3C,aACNy3C,cAAcz3C,OAGhBA,OACFA,MAAMqH,uBAEHoH,QAAQ60B,WAAU,GAGnBxyC,KAAK4pD,wBACFrO,UAAUv7C,KAAK4pD,uBACfA,iBAAmB,WAUrBjsC,QAAQzF,QAAQ,CACnB/X,KAAM,aACNmQ,OAAQtQ,KACR+xC,mBAAmB,IAEjB/xC,KAAKyqD,gBACPxgC,eAAejqB,KAAK2d,QAAQD,aAIvB4hC,UAOTsI,mBACOrM,UAAUv7C,KAAK2d,QAAQ0hB,cA7WX,GAmXnBsoB,gBACOpM,UAAUv7C,KAAK2d,QAAQ0hB,cApXX,GA+XnBwrB,aAAa37C,OACPlP,KAAK2d,QAAQqP,cACVrP,QAAQD,YAERC,QAAQuP,QAoBjBlJ,cAAc9U,aACNssC,YAAcx7C,KAAK2d,QAAQ69B,eACf,MAAdtsC,MAAMpK,KAA6B,UAAdoK,MAAMpK,IAC7BoK,MAAM8G,iBACN9G,MAAMqH,uBACDs0C,aAAa37C,YACb,GAAkB,SAAdA,MAAMpK,IACfoK,MAAM8G,iBACN9G,MAAMqH,uBACDglC,UAAU,QACV,GAAkB,QAAdrsC,MAAMpK,IACfoK,MAAM8G,iBACN9G,MAAMqH,kBACFilC,aAAeA,YAAYC,cACxBF,UAAUC,YAAY8O,wBAEtB/O,UAAUv7C,KAAK2d,QAAQ+L,iBAEzB,GAAI,UAAUrnB,KAAK6M,MAAMpK,KAAM,CACpCoK,MAAM8G,iBACN9G,MAAMqH,wBACAu0C,aAAyC,GAA1B3nC,SAASjU,MAAMpK,IAAK,IACrC02C,aAAeA,YAAYC,cACxBF,UAAUC,YAAYgP,gBAAkBhP,YAAY2N,aAAe2B,mBAEnEvP,UAAUv7C,KAAK2d,QAAQ+L,WAAaohC,kBAEpB,aAAd57C,MAAMpK,KACfoK,MAAM8G,iBACN9G,MAAMqH,uBACDglC,UAAUv7C,KAAK2d,QAAQ0hB,cAAgB0rB,KACrB,WAAd77C,MAAMpK,KACfoK,MAAM8G,iBACN9G,MAAMqH,uBACDglC,UAAUv7C,KAAK2d,QAAQ0hB,cAAgB0rB,WAGtC/mC,cAAc9U,OAGxB6P,eACOmrC,wBACA1mD,IAAIxD,KAAK2d,QAAS,CAAC,iBAAkB,cAAe3d,KAAKq/C,aACzD77C,IAAIxD,KAAK2d,QAAS,CAAC,SAAU3d,KAAKs/C,SACnCt/C,KAAK2d,QAAQ69B,kBACVh4C,IAAIxD,KAAK2d,QAAQ69B,YAAa,iBAAkBx7C,KAAKq/C,aAEvD77C,IAAIxD,KAAK2d,QAAS,CAAC,WAAY3d,KAAK+pD,6BACpCvmD,IAAIxD,KAAK2d,QAAS,CAAC,QAAS,QAAS,WAAY3d,KAAKiqD,yBAIvD,WAAY/oD,UAAY,oBAAqBA,eAC1CsC,IAAItC,SAAU,mBAAoBlB,KAAKmqD,yBAExCprC,WAUVyqC,QAAQjlD,UAAUuZ,SAAW,CAC3BkC,SAAU,CAAC,kBAAmB,mBAC9B+mC,QAAS,mBAEXvpC,YAAY8K,kBAAkB,UAAWkhC,eAYnCwB,wBAAwBxtC,YAU5BnY,YAAYwO,OAAQ1N,eACZ0N,OAAQ1N,cACT0gD,gBAAkB5tC,SAASJ,MAAM7Y,KAAMA,KAAK6mD,iBA/+arB,SAg/avBoE,yBAA2BhyC,SAASJ,MAAM7Y,KAAMA,KAAKkrD,iBAh/a9B,SAi/avBC,sBAAwBn5C,GAAKhS,KAAK2mD,cAAc30C,QAChDo5C,wBAA0Bp5C,GAAKhS,KAAKmkD,gBAAgBnyC,QACpD5N,SASPoG,kBACSgiB,MAAMhiB,SAAS,MAAO,CAC3BuC,UAAW,qCAaf85C,gBAAgB33C,aACRm8C,QAAUrrD,KAAKkgB,SAAS,eACzBmrC,qBAGCC,gBAAkBD,QAAQnrC,SAAS,mBACnC0qC,iBAAmBS,QAAQnrC,SAAS,wBACrCorC,kBAAoBV,8BAGnBW,UAAYF,QAAQxgD,KACpB49C,YAAcj6C,aAAa+8C,eAC7B7C,aAAez5C,mBAAmBs8C,UAAWr8C,OAAOjF,EAKxDy+C,aAAerC,MAAMqC,aAAc,EAAG,GAClCkC,kBACFA,iBAAiBvL,OAAOoJ,YAAaC,cAEnC4C,iBACFA,gBAAgBjM,OAAOoJ,YAAa4C,QAAQnE,eAwBhDgE,gBAAgBh8C,aACRm8C,QAAUrrD,KAAKkgB,SAAS,WAC1BmrC,SACFA,QAAQxE,gBAAgB33C,OAU5BgV,iBACSlkB,KAAKg1B,SAMd7wB,kBACO6b,WAAWnb,SAAQ4G,OAASA,MAAMtH,SAAWsH,MAAMtH,YACnDnE,KAAKkkB,iBAGL1gB,IAAI,CAAC,YAAa,cAAexD,KAAKorD,8BACtC5nD,IAAIxD,KAAKoc,IAAK,CAAC,YAAa,aAAcpc,KAAK6mD,sBAC/C2E,oDACAr/C,SAAS,iBACT6oB,UAAW,EAGZh1B,KAAK2d,QAAQ60B,aAAa,OACtB6Y,QAAUrrD,KAAKkgB,SAAS,gBACzBvC,QAAQ60B,WAAU,GACnB6Y,QAAQZ,iBACVxgC,eAAejqB,KAAK2d,QAAQD,SAQlCtZ,cACO4b,WAAWnb,SAAQ4G,OAASA,MAAMrH,QAAUqH,MAAMrH,WACnDpE,KAAKkkB,iBAGJ5M,GAAG,CAAC,YAAa,cAAetX,KAAKorD,8BACrC9zC,GAAGtX,KAAKoc,IAAK,CAAC,YAAa,aAAcpc,KAAK6mD,sBAC9Cp6C,YAAY,iBACZuoB,UAAW,GAMlBw2B,qDACQ70C,IAAM3W,KAAKoc,IAAIhE,mBAChB5U,IAAImT,IAAK,YAAa3W,KAAKirD,+BAC3BznD,IAAImT,IAAK,YAAa3W,KAAKirD,+BAC3BznD,IAAImT,IAAK,UAAW3W,KAAKmrD,4BACzB3nD,IAAImT,IAAK,WAAY3W,KAAKmrD,uBAYjChH,gBAAgBj1C,aACRyH,IAAM3W,KAAKoc,IAAIhE,cACfizC,QAAUrrD,KAAKkgB,SAAS,WAC1BmrC,SACFA,QAAQlH,gBAAgBj1C,YAErBoI,GAAGX,IAAK,YAAa3W,KAAKirD,+BAC1B3zC,GAAGX,IAAK,YAAa3W,KAAKirD,+BAC1B3zC,GAAGX,IAAK,UAAW3W,KAAKmrD,4BACxB7zC,GAAGX,IAAK,WAAY3W,KAAKmrD,uBAYhCxE,cAAcz3C,aACNm8C,QAAUrrD,KAAKkgB,SAAS,WAC1BmrC,SACFA,QAAQ1E,cAAcz3C,YAEnBs8C,gDAUTR,gBAAgBzmD,UAAUuZ,SAAW,CACnCkC,SAAU,CAAC,YAEbxC,YAAY8K,kBAAkB,kBAAmB0iC,uBAa3CS,+BAA+BzH,OAanC3+C,YAAYwO,OAAQ1N,eACZ0N,OAAQ1N,cACToa,QAAQ,iCACRjJ,GAAGzD,OAAQ,CAAC,wBAAyB,0BAA0B7B,GAAKhS,KAAK0rD,6BAA6B15C,UACtGsF,GAAGzD,OAAQ,CAAC,iCAAkC,mBAAmB7B,GAAKhS,KAAK2rD,oCAAoC35C,UAC/GsF,GAAGzD,OAAQ,CAAC,iBAAkB,sBAAuB,0BAA0B,IAAM7T,KAAK4rD,+CAG1FznD,UASPie,0EACsDoK,MAAMpK,iBAO5DwpC,wCAEuE,UAA/C5rD,KAAK2d,QAAQkuC,cAAczQ,UAAU,EAAG,IACzBp7C,KAAK2d,QAAQmuC,mBAAqB9rD,KAAK2d,QAAQouC,iBAKhF/rD,KAAK2d,QAAQquC,6BACVruC,QAAQsuC,4BAEVvpC,aANED,OAkBTkpC,sCACMzqD,SAASgrD,0BAAsE,IAA3ClsD,KAAK2d,QAAQm2B,2BAAuC9zC,KAAK2d,QAAQG,SAASquC,gCAAkC,6BAA8BjqD,YAC3KkC,cAEAD,UAcTunD,6BAA6Bx8C,OACvBlP,KAAK2d,QAAQquC,6BACVzrC,QAAQ,gCACRoN,YAAY,kCAEZpN,QAAQ,iCACRoN,YAAY,4BAEdg+B,sCAcPhN,YAAYzvC,OACLlP,KAAK2d,QAAQquC,4BAGXruC,QAAQsuC,4BAFRtuC,QAAQg2B,0BAUjBlxB,OAE+C,mBAAlCvhB,SAAS+qD,4BAGdxpC,QAUVgpC,uBAAuBlnD,UAAUw6C,aAAe,qBAChDvhC,YAAY8K,kBAAkB,yBAA0BmjC,8BAalDW,yBAAyBpI,OAU7B3+C,YAAYwO,OAAQ1N,eACZ0N,OAAQ1N,cACToa,QAAQ,yBACRjJ,GAAGzD,OAAQ,oBAAoB7B,GAAKhS,KAAKqsD,uBAAuBr6C,MACnB,IAA9C9Q,SAAS2S,OAAOy4C,OAAOC,yBACpBpoD,UAUTie,uDACmCoK,MAAMpK,iBAYzCiqC,uBAAuBn9C,OACjBlP,KAAK2d,QAAQ6uC,qBACV7+B,YAAY,wBACZpN,QAAQ,0BAERoN,YAAY,mBACZpN,QAAQ,qBAejBo+B,YAAYzvC,OACLlP,KAAK2d,QAAQ6uC,oBAGX7uC,QAAQ8uC,sBAFR9uC,QAAQ+uC,qBAanBN,iBAAiB7nD,UAAUw6C,aAAe,aAC1CvhC,YAAY8K,kBAAkB,mBAAoB8jC,kBA0DlD5uC,YAAY8K,kBAAkB,4BAlBJ9K,YAOxBhT,iBACQK,GAAK2hB,MAAMhiB,SAAS,MAAO,CAC/BuC,UAAW,iCAERwT,QAAQ,SAAU1V,IACvBA,GAAGe,YAAY4gB,MAAMhiB,SAAS,OAAQ,CACpCuC,UAAW,sBAENlC,MA+HX2S,YAAY8K,kBAAkB,mCA/GG9K,YAU/BnY,YAAYwO,OAAQ1N,eACZ0N,OAAQ1N,cACTk5C,OAASpmC,SAASJ,MAAM7Y,KAAMA,KAAKq/C,QAp+bZ,IA6+b9B70C,kBACSgiB,MAAMhiB,SAAS,MAAO,CAC3BuC,UAAW,sBACV,eACc,SAoBnBsyC,OAAOsN,aAAcC,cAAe7oB,SAAUn5B,aACvCm5B,SAAU,OACP4kB,YAAc16C,sBAAsBjO,KAAKoc,KACzCwsC,WAAa36C,sBAAsBjO,KAAK2d,QAAQ9S,MAChDgiD,iBAAmBF,aAAap+C,MAAQq+C,kBACzChE,aAAeD,yBAGdG,iBAAmB6D,aAAaj+C,KAAOk6C,WAAWl6C,KAAOm+C,iBACzD9D,kBAAoB4D,aAAap+C,MAAQs+C,kBAAoBjE,WAAWhlC,MAAQ+oC,aAAa/oC,WAC/FolC,cAAgBL,YAAYp6C,MAAQ,EACpCu6C,iBAAmBE,cACrBA,eAAiBA,cAAgBF,iBACxBC,kBAAoBC,gBAC7BA,cAAgBD,mBAEdC,cAAgB,EAClBA,cAAgB,EACPA,cAAgBL,YAAYp6C,QACrCy6C,cAAgBL,YAAYp6C,YAEzB6N,IAAI1J,MAAMkR,iBAAYolC,yBAExBC,gBAASr+C,cAShBq+C,MAAMr+C,SACJM,YAAYlL,KAAKoc,IAAKxR,SAwBxBkiD,aAAaH,aAAcC,cAAe7oB,SAAUmT,OAAQlD,SACrDxuB,2BAA2B,mCAAmC,UAC5D65B,OAAOsN,aAAcC,cAAe7oB,SAAUmT,OAAOmQ,QAAQ,IAC9DrT,IACFA,iBAmBF+Y,gCAAgCvvC,YAUpCnY,YAAYwO,OAAQ1N,eACZ0N,OAAQ1N,cACTk5C,OAASpmC,SAASJ,MAAM7Y,KAAMA,KAAKq/C,QAjmcZ,IA0mc9B70C,kBACSgiB,MAAMhiB,SAAS,MAAO,CAC3BuC,UAAW,sBAoBfsyC,OAAOsN,aAAcC,cAAe7oB,gBAC5BmT,OAAS,IAAM0V,mBAChB1sC,SAAS,sBAAsB4sC,aAAaH,aAAcC,cAAe7oB,SAAUmT,QAAQ,KAC1FnT,cACG3nB,IAAI1J,MAAMmR,iBAAY8oC,aAAat+C,OAASu+C,yBAE5CxwC,IAAI1J,MAAMhE,eAAUi+C,aAAap+C,MAAQq+C,wBAYtDG,wBAAwBxoD,UAAUuZ,SAAW,CAC3CkC,SAAU,CAAC,uBAEbxC,YAAY8K,kBAAkB,0BAA2BykC,+BAWnDC,kBAAkBxG,OAUtBnhD,YAAYwO,OAAQ1N,eACZ0N,OAAQ1N,cACTmR,GAAG,gBAAgBtF,GAAKhS,KAAKitD,kBAAkBj7C,UAC/CsF,GAAGzD,OAAQ,gBAAgB7B,GAAKhS,KAAKktD,qBAAqBl7C,KAC/D6B,OAAO4J,OAAM,IAAMzd,KAAKktD,yBAS1B1iD,kBACSgiB,MAAMhiB,SAAS,MAAO,CAC3BuC,UAAW,iCACV,cACa/M,KAAKof,SAAS,4BACf,WAYjB+kC,gBAAgBj1C,OACTuC,kBAAkBvC,cAGjBi1C,gBAAgBj1C,OAWxB23C,gBAAgB33C,aACRi+C,wBAA0BntD,KAAKkgB,SAAS,8BAC1CitC,wBAAyB,OACrBC,YAAcptD,KAAK6K,KACnBwiD,cAAgBp/C,sBAAsBm/C,aACtCrpB,SAAW/jC,KAAK+jC,eAClBupB,eAAiBr+C,mBAAmBm+C,YAAal+C,OACrDo+C,eAAiBvpB,SAAWupB,eAAel+C,EAAIk+C,eAAerjD,EAI9DqjD,eAAiBjH,MAAMiH,eAAgB,EAAG,GAC1CH,wBAAwB9N,OAAOgO,cAAeC,eAAgBvpB,UAE3DtyB,kBAAkBvC,cAGlBq+C,kBACA5vC,QAAQu5B,OAAOl3C,KAAKunD,kBAAkBr4C,SAM7Cq+C,aACMvtD,KAAK2d,QAAQq5B,cACVr5B,QAAQq5B,OAAM,GAUvBsQ,oBACMtnD,KAAK2d,QAAQq5B,QACR,EAEFh3C,KAAK2d,QAAQu5B,SAMtB0Q,mBACO2F,kBACA5vC,QAAQu5B,OAAOl3C,KAAK2d,QAAQu5B,SAAW,IAM9CyQ,gBACO4F,kBACA5vC,QAAQu5B,OAAOl3C,KAAK2d,QAAQu5B,SAAW,IAW9CgW,qBAAqBh+C,aACbs+C,UAAYxtD,KAAK2d,QAAQq5B,QAAU,EAAIh3C,KAAKytD,2BAC7CrxC,IAAIhR,aAAa,gBAAiBoiD,gBAClCpxC,IAAIhR,aAAa,iBAAkBoiD,UAAY,KAQtDC,6BACS18C,KAAKw4B,MAA8B,IAAxBvpC,KAAK2d,QAAQu5B,UAWjC+V,0BACQS,iBAAmB1tD,KAAK2d,QAAQu5B,cACjC3+B,IAAI,kBAAkB,KACK,IAA1BvY,KAAK2d,QAAQu5B,eACVv5B,QAAQgwC,YAAYD,sBAYjCV,UAAUzoD,UAAUuZ,SAAW,CAC7BkC,SAAU,CAAC,eACX+mC,QAAS,eAINx9C,QAAWxC,YACdimD,UAAUzoD,UAAUuZ,SAASkC,SAAStf,OAAO,EAAG,EAAG,2BAQrDssD,UAAUzoD,UAAUyiD,YAAc,eAClCxpC,YAAY8K,kBAAkB,YAAa0kC,iBAWrCY,sBAAsBpwC,YAU1BnY,YAAYwO,YAAQ1N,+DAAU,GAC5BA,QAAQ49B,SAAW59B,QAAQ49B,WAAY,QAIN,IAAtB59B,QAAQ0nD,WAA6B1oD,QAAQgB,QAAQ0nD,cAC9D1nD,QAAQ0nD,UAAY1nD,QAAQ0nD,WAAa,GACzC1nD,QAAQ0nD,UAAU9pB,SAAW59B,QAAQ49B,gBAEjClwB,OAAQ1N,SA7cS,SAAUrG,KAAM+T,QAErCA,OAAOoqB,QAAUpqB,OAAOoqB,MAAM4W,uBAChC/0C,KAAKqM,SAAS,cAEhBrM,KAAKwX,GAAGzD,OAAQ,aAAa,WACtBA,OAAOoqB,MAAM4W,sBAGhB/0C,KAAK2M,YAAY,cAFjB3M,KAAKqM,SAAS,iBAychB2hD,CAAmB9tD,KAAM6T,aACpBk6C,yBAA2B90C,SAASJ,MAAM7Y,KAAMA,KAAK6mD,iBAn3c9B,SAo3cvBsE,sBAAwBn5C,GAAKhS,KAAK2mD,cAAc30C,QAChDsF,GAAG,aAAatF,GAAKhS,KAAKmkD,gBAAgBnyC,UAC1CsF,GAAG,cAActF,GAAKhS,KAAKmkD,gBAAgBnyC,UAC3CsF,GAAG,aAAatF,GAAKhS,KAAK6mD,gBAAgB70C,UAI1CsF,GAAGtX,KAAK6tD,UAAW,CAAC,QAAS,iBAAiB,UAC5CA,UAAU1hD,SAAS,0BACnBA,SAAS,0BACT+L,QAAQ,wBAEVZ,GAAGtX,KAAK6tD,UAAW,CAAC,OAAQ,mBAAmB,UAC7CA,UAAUphD,YAAY,0BACtBA,YAAY,0BACZyL,QAAQ,qBAUjB1N,eACMwjD,iBAAmB,+BACnBhuD,KAAK8d,SAASimB,WAChBiqB,iBAAmB,uBAEdxhC,MAAMhiB,SAAS,MAAO,CAC3BuC,mDAA6CihD,oBAajD7J,gBAAgBj1C,aACRyH,IAAM3W,KAAKoc,IAAIhE,mBAChBd,GAAGX,IAAK,YAAa3W,KAAK+tD,+BAC1Bz2C,GAAGX,IAAK,YAAa3W,KAAK+tD,+BAC1Bz2C,GAAGX,IAAK,UAAW3W,KAAKmrD,4BACxB7zC,GAAGX,IAAK,WAAY3W,KAAKmrD,uBAYhCxE,cAAcz3C,aACNyH,IAAM3W,KAAKoc,IAAIhE,mBAChB5U,IAAImT,IAAK,YAAa3W,KAAK+tD,+BAC3BvqD,IAAImT,IAAK,YAAa3W,KAAK+tD,+BAC3BvqD,IAAImT,IAAK,UAAW3W,KAAKmrD,4BACzB3nD,IAAImT,IAAK,WAAY3W,KAAKmrD,uBAYjCtE,gBAAgB33C,YACT2+C,UAAUhH,gBAAgB33C,QAUnC0+C,cAAcrpD,UAAUuZ,SAAW,CACjCkC,SAAU,CAAC,cAEbxC,YAAY8K,kBAAkB,gBAAiBslC,qBA0CzCK,mBAAmBjK,OAUvB3+C,YAAYwO,OAAQ1N,eACZ0N,OAAQ1N,SApCO,SAAUrG,KAAM+T,QAEnCA,OAAOoqB,QAAUpqB,OAAOoqB,MAAM6W,qBAChCh1C,KAAKqM,SAAS,cAEhBrM,KAAKwX,GAAGzD,OAAQ,aAAa,WACtBA,OAAOoqB,MAAM6W,oBAGhBh1C,KAAK2M,YAAY,cAFjB3M,KAAKqM,SAAS,iBAgChB+hD,CAAiBluD,KAAM6T,aAClByD,GAAGzD,OAAQ,CAAC,YAAa,iBAAiB7B,GAAKhS,KAAKq/C,OAAOrtC,KASlEoQ,iDAC6BoK,MAAMpK,iBAcnCu8B,YAAYzvC,aACJi/C,IAAMnuD,KAAK2d,QAAQu5B,SACnBkX,WAAapuD,KAAK2d,QAAQgwC,iBACpB,IAARQ,IAAW,OACPE,YAAcD,WAAa,GAAM,GAAMA,gBACxCzwC,QAAQu5B,OAAOmX,kBACf1wC,QAAQq5B,OAAM,aAEdr5B,QAAQq5B,OAAMh3C,KAAK2d,QAAQq5B,SAepCqI,OAAOnwC,YACAo/C,mBACAC,qBAcPD,oBACQH,IAAMnuD,KAAK2d,QAAQu5B,aACrB11C,MAAQ,OACP+e,QAAQ,eAKThX,QAAUvJ,KAAK2d,QAAQsgB,OAASj+B,KAAK2d,QAAQsgB,MAAM7hB,UAChDuB,QAAQq5B,MAAMh3C,KAAK2d,QAAQsgB,MAAM7hB,IAAI46B,OAEhC,IAARmX,KAAanuD,KAAK2d,QAAQq5B,cACvBz2B,QAAQ,eACb/e,MAAQ,GACC2sD,IAAM,UACV5tC,QAAQ,cACb/e,MAAQ,GACC2sD,IAAM,WACV5tC,QAAQ,iBACb/e,MAAQ,GAEViL,YAAYzM,KAAKoc,IAAK,CAAC,EAAG,EAAG,EAAG,GAAGrX,QAAO,CAAC4E,IAAK3I,IAAM2I,cAAS3I,EAAI,IAAM,sBAAaA,IAAK,KAC3FmL,SAASnM,KAAKoc,sBAAgB5a,QAUhC+sD,2BAEQjjD,KADWtL,KAAK2d,QAAQq5B,SAAqC,IAA1Bh3C,KAAK2d,QAAQu5B,SAC9B,SAAW,OAC/Bl3C,KAAK2tB,gBAAkBriB,WACpBqiB,YAAYriB,OAWvB2iD,WAAW1pD,UAAUw6C,aAAe,OACpCvhC,YAAY8K,kBAAkB,aAAc2lC,kBAYtCO,oBAAoBhxC,YAUxBnY,YAAYwO,YAAQ1N,+DAAU,QACE,IAAnBA,QAAQsoD,OACjBtoD,QAAQsoD,OAAStoD,QAAQsoD,OAEzBtoD,QAAQsoD,QAAS,QAKkB,IAA1BtoD,QAAQuoD,eAAiCvpD,QAAQgB,QAAQuoD,kBAClEvoD,QAAQuoD,cAAgBvoD,QAAQuoD,eAAiB,GACjDvoD,QAAQuoD,cAAc3qB,UAAY59B,QAAQsoD,cAEtC56C,OAAQ1N,cAGTwoD,uBAAyB38C,GAAKhS,KAAKmkB,eAAenS,QAClDsF,GAAGzD,OAAQ,CAAC,cAAc7B,GAAKhS,KAAK4uD,kBAAkB58C,UACtDsF,GAAGtX,KAAK6uD,WAAY,SAAS78C,GAAKhS,KAAKmkB,eAAenS,UACtDsF,GAAGtX,KAAK0uD,cAAe,SAAS18C,GAAKhS,KAAK8uD,yBAAyB98C,UACnEsF,GAAG,WAAWtF,GAAKhS,KAAKmkB,eAAenS,UACvCsF,GAAG,aAAatF,GAAKhS,KAAKu+C,gBAAgBvsC,UAC1CsF,GAAG,YAAYtF,GAAKhS,KAAKy+C,eAAezsC,UAIxCsF,GAAGtX,KAAK0uD,cAAe,CAAC,gBAAiB1uD,KAAK+uD,oBAC9Cz3C,GAAGtX,KAAK0uD,cAAe,CAAC,kBAAmB1uD,KAAKgvD,iBASvDD,qBACO5iD,SAAS,qBAShB6iD,uBACOviD,YAAY,qBAUnBmiD,oBAGM5uD,KAAK0uD,cAAc7iD,SAAS,eAAiB7L,KAAK6uD,WAAWhjD,SAAS,oBACnEM,SAAS,cAKZnM,KAAK0uD,cAAc7iD,SAAS,gBAAkB7L,KAAK6uD,WAAWhjD,SAAS,oBACpEM,SAAS,wBAUlB3B,eACMwjD,iBAAmB,qCAClBhuD,KAAK8d,SAAS2wC,SACjBT,iBAAmB,6BAEdxhC,MAAMhiB,SAAS,MAAO,CAC3BuC,iDAA2CihD,oBAO/CjvC,eACO0/B,uBACC1/B,UAYR+vC,yBAAyB5/C,OACL,WAAdA,MAAMpK,UACH+pD,WAAW/gD,QAcpBywC,gBAAgBrvC,YACT/C,SAAS,aACdmL,GAAGpW,SAAU,QAASlB,KAAK2uD,wBAa7BlQ,eAAevvC,YACRzC,YAAY,aACjBjJ,IAAItC,SAAU,QAASlB,KAAK2uD,wBAY9BxqC,eAAejV,OACK,WAAdA,MAAMpK,UACH25C,kBAWX+P,YAAYjqD,UAAUuZ,SAAW,CAC/BkC,SAAU,CAAC,aAAc,kBAE3BxC,YAAY8K,kBAAkB,cAAekmC,mBAUvCS,oBAAoBjL,OACxB3+C,YAAYwO,OAAQ1N,eACZ0N,OAAQ1N,cACT+oD,aAAe,CAAC,EAAG,GAAI,SACvBC,SAAWnvD,KAAKovD,qBACjBpvD,KAAKmvD,UAAYnvD,KAAKkvD,aAAazhD,SAASzN,KAAKmvD,gBAC9C5uC,0BAAmBvgB,KAAKmvD,gBACxBxhC,YAAY3tB,KAAKof,SAAS,2BAA4B,CAACpf,KAAKmvD,SAASE,eAAex7C,OAAO2L,oBAC3FiD,aAEAC,OAGT0sC,2BACQvtC,cAAgB7hB,KAAK8d,SAAS+D,qBAC7BA,cAAcsgC,YAActgC,cAAcsgC,WAAWmN,aAAeztC,cAAcsgC,WAAWmN,YAAYC,QAElHntC,iDAC6BpiB,KAAKovD,iCAAwB5iC,MAAMpK,iBAchEu8B,YAAYzvC,UACNoU,MAAMtjB,KAAK2d,QAAQ+L,yBAGjB8lC,iBAAmBxvD,KAAK2d,QAAQ0hB,cAChCmc,YAAcx7C,KAAK2d,QAAQ69B,YAC3B9xB,SAAW8xB,aAAeA,YAAYC,SAAWD,YAAY4M,cAAgBpoD,KAAK2d,QAAQ+L,eAC5FghC,QAEFA,QADE8E,iBAAmBxvD,KAAKmvD,UAAYzlC,SAC5B8lC,iBAAmBxvD,KAAKmvD,SAExBzlC,cAEP/L,QAAQ0hB,YAAYqrB,SAM3BxsC,4BACOyP,YAAY3tB,KAAKof,SAAS,2BAA4B,CAACpf,KAAKmvD,aAGrEF,YAAY1qD,UAAUw6C,aAAe,eACrCvhC,YAAY8K,kBAAkB,cAAe2mC,mBAUvCQ,qBAAqBzL,OACzB3+C,YAAYwO,OAAQ1N,eACZ0N,OAAQ1N,cACT+oD,aAAe,CAAC,EAAG,GAAI,SACvBC,SAAWnvD,KAAK0vD,sBACjB1vD,KAAKmvD,UAAYnvD,KAAKkvD,aAAazhD,SAASzN,KAAKmvD,gBAC9C5uC,yBAAkBvgB,KAAKmvD,gBACvBxhC,YAAY3tB,KAAKof,SAAS,4BAA6B,CAACpf,KAAKmvD,SAASE,eAAex7C,OAAO2L,oBAC5FiD,aAEAC,OAGTgtC,4BACQ7tC,cAAgB7hB,KAAK8d,SAAS+D,qBAC7BA,cAAcsgC,YAActgC,cAAcsgC,WAAWmN,aAAeztC,cAAcsgC,WAAWmN,YAAYK,SAElHvtC,kDAC8BpiB,KAAK0vD,kCAAyBljC,MAAMpK,iBAclEu8B,YAAYzvC,aACJsgD,iBAAmBxvD,KAAK2d,QAAQ0hB,cAChCmc,YAAcx7C,KAAK2d,QAAQ69B,YAC3BgP,cAAgBhP,aAAeA,YAAYC,UAAYD,YAAYgP,oBACrEE,QAEFA,QADEF,eAAiBgF,iBAAmBxvD,KAAKmvD,UAAY3E,cAC7CA,cACDgF,kBAAoBxvD,KAAKmvD,SACxBK,iBAAmBxvD,KAAKmvD,SAExB,OAEPxxC,QAAQ0hB,YAAYqrB,SAM3BxsC,4BACOyP,YAAY3tB,KAAKof,SAAS,4BAA6B,CAACpf,KAAKmvD,aAGtEM,aAAalrD,UAAUw6C,aAAe,gBACtCvhC,YAAY8K,kBAAkB,eAAgBmnC,oBAcxCG,aAAapyC,YAWjBnY,YAAYwO,OAAQ1N,eACZ0N,OAAQ1N,SACVA,eACG0pD,YAAc1pD,QAAQ2pD,iBAExBC,eAAiB,OACjBz4C,GAAG,WAAWtF,GAAKhS,KAAKgkB,cAAchS,UAGtCg+C,iBAAmBh+C,GAAKhS,KAAKiwD,WAAWj+C,QACxCk+C,qBAAuBl+C,GAAKhS,KAAKmwD,eAAen+C,GAUvDo+C,wBAAwBlvC,WAChBA,qBAAqB1D,mBAGtBlG,GAAG4J,UAAW,OAAQlhB,KAAKgwD,uBAC3B14C,GAAG4J,UAAW,CAAC,MAAO,SAAUlhB,KAAKkwD,uBAU5CG,2BAA2BnvC,WACnBA,qBAAqB1D,mBAGtBha,IAAI0d,UAAW,OAAQlhB,KAAKgwD,uBAC5BxsD,IAAI0d,UAAW,CAAC,MAAO,SAAUlhB,KAAKkwD,uBAY7C9+C,YAAY8P,WACe,iBAAdA,YACTA,UAAYlhB,KAAKkgB,SAASgB,iBAEvBmvC,2BAA2BnvC,iBAC1B9P,YAAY8P,WAUpBovC,QAAQpvC,iBACAqvC,eAAiBvwD,KAAKihB,SAASC,WACjCqvC,qBACGH,wBAAwBG,gBAUjC/lD,iBACQgmD,cAAgBxwD,KAAK8d,SAAS0yC,eAAiB,UAChDzwC,WAAavV,SAASgmD,cAAe,CACxCzjD,UAAW,0BAERgT,WAAW3U,aAAa,OAAQ,cAC/BP,GAAK2hB,MAAMhiB,SAAS,MAAO,CAC/BimD,OAAQzwD,KAAK+f,WACbhT,UAAW,oBAEblC,GAAGe,YAAY5L,KAAK+f,YAIpBzI,GAAGzM,GAAI,SAAS,SAAUqE,OACxBA,MAAM8G,iBACN9G,MAAMuH,8BAED5L,GAETkU,eACOgB,WAAa,UACbiwC,iBAAmB,UACnBE,qBAAuB,WACtBnxC,UAWRkxC,WAAW/gD,aACHgH,cAAgBhH,MAAMgH,eAAiBhV,SAASktB,kBAGjDpuB,KAAKggB,WAAWiC,MAAKnW,SACjBA,QAAQjB,OAASqL,gBACtB,OACIw6C,IAAM1wD,KAAK6vD,YACba,KAAOA,IAAIC,gBAAkBz6C,gBAAkBw6C,IAAI7lD,KAAKa,YAC1DglD,IAAIE,iBAaVT,eAAejhD,UAETlP,KAAK6vD,YAAa,MACfA,YAAYe,sBACXC,gBAAkB7wD,KAAKggB,eACxB1d,MAAMC,QAAQsuD,8BAGbC,eAAiBD,gBAAgB9sD,QAAOmd,WAAaA,UAAUrW,OAASqE,MAAMoB,SAAQ,OACvFwgD,sBAMyB,4BAA1BA,eAAezvD,aACZwuD,YAAY/hD,SAavBkW,cAAc9U,OAEM,cAAdA,MAAMpK,KAAqC,cAAdoK,MAAMpK,KACrCoK,MAAM8G,iBACN9G,MAAMqH,uBACDqxC,eAGkB,eAAd14C,MAAMpK,KAAsC,YAAdoK,MAAMpK,MAC7CoK,MAAM8G,iBACN9G,MAAMqH,uBACDoxC,YAOTC,kBACMmJ,UAAY,OACW9tD,IAAvBjD,KAAK+vD,gBACPgB,UAAY/wD,KAAK+vD,cAAgB,QAE9BjiD,MAAMijD,WAMbpJ,eACMoJ,UAAY,OACW9tD,IAAvBjD,KAAK+vD,gBACPgB,UAAY/wD,KAAK+vD,cAAgB,QAE9BjiD,MAAMijD,WASbjjD,YAAMuB,4DAAO,QACL2Q,SAAWhgB,KAAKggB,WAAWvf,QACfuf,SAAS/e,QAAU+e,SAAS,GAAGnU,SAAS,mBAExDmU,SAAS3E,QAEP2E,SAAS/e,OAAS,IAChBoO,KAAO,EACTA,KAAO,EACEA,MAAQ2Q,SAAS/e,SAC1BoO,KAAO2Q,SAAS/e,OAAS,QAEtB8uD,cAAgB1gD,KACrB2Q,SAAS3Q,MAAM+M,IAAItO,UAIzB0P,YAAY8K,kBAAkB,OAAQsnC,YAahCoB,mBAAmBxzC,YAUvBnY,YAAYwO,YAAQ1N,+DAAU,SACtB0N,OAAQ1N,cACT0pD,YAAc,IAAI7L,OAAOnwC,OAAQ1N,cACjC0pD,YAAYliC,YAAY3tB,KAAK++C,mBAC7B8Q,YAAYzzC,IAAIhR,aAAa,gBAAiB,cAG7C6lD,YAAcjN,OAAOz/C,UAAU6d,qBAChCytC,YAAYzzC,IAAIrP,UAAY/M,KAAKoiB,gBAAkB,IAAM6uC,iBACzDpB,YAAYpjD,YAAY,oBACxBwU,SAASjhB,KAAK6vD,kBACdxQ,cACArqB,UAAW,QACV2pB,YAAc3sC,GAAKhS,KAAK2+C,YAAY3sC,QACrCk/C,iBAAmBl/C,GAAKhS,KAAKmxD,gBAAgBn/C,QAC7CsF,GAAGtX,KAAK6vD,YAAa,MAAOlR,kBAC5BrnC,GAAGtX,KAAK6vD,YAAa,QAASlR,kBAC9BrnC,GAAGtX,KAAK6vD,YAAa,WAAW79C,GAAKhS,KAAKgkB,cAAchS,UACxDsF,GAAGtX,KAAK6vD,YAAa,cAAc,UACjC1jD,SAAS,kBACTilD,KAAK3uC,OACVnL,GAAGpW,SAAU,QAASlB,KAAKkxD,0BAExB55C,GAAG,cAActF,GAAKhS,KAAKqxD,iBAAiBr/C,UAC5CsF,GAAG,WAAWtF,GAAKhS,KAAKsxD,qBAAqBt/C,KAMpDqtC,eACQ+R,KAAOpxD,KAAKuxD,aACdvxD,KAAKoxD,YACFA,KAAKryC,eACL3N,YAAYpR,KAAKoxD,YAEnBA,KAAOA,UACPnwC,SAASmwC,WAQTT,gBAAiB,OACjBd,YAAYzzC,IAAIhR,aAAa,gBAAiB,SAC/CpL,KAAKq8C,OAASr8C,KAAKq8C,MAAMp7C,QAAUjB,KAAKwxD,qBACrC9uC,YACA0uC,KAAKrxC,WAAW5S,gBAAgB,eAEhCsV,YACA2uC,KAAKrxC,WAAW3U,aAAa,OAAQ,SAU9CmmD,mBACQH,KAAO,IAAIxB,KAAK5vD,KAAK2d,QAAS,CAClCmyC,WAAY9vD,eAWTwxD,eAAiB,EAGlBxxD,KAAK8d,SAAS2zC,MAAO,OACjBC,QAAUlnD,SAAS,KAAM,CAC7BuC,UAAW,iBACX7B,YAAagS,cAAcld,KAAK8d,SAAS2zC,OACzCvrC,UAAW,IAEPyrC,eAAiB,IAAIn0C,YAAYxd,KAAK2d,QAAS,CACnD9S,GAAI6mD,UAENN,KAAKd,QAAQqB,wBAEVtV,MAAQr8C,KAAK4xD,cACd5xD,KAAKq8C,UAEF,IAAIr7C,EAAI,EAAGA,EAAIhB,KAAKq8C,MAAMp7C,OAAQD,IACrCowD,KAAKd,QAAQtwD,KAAKq8C,MAAMr7C,WAGrBowD,KAQTQ,eAQApnD,kBACSgiB,MAAMhiB,SAAS,MAAO,CAC3BuC,UAAW/M,KAAK6xD,wBACf,IAULtxC,QAAQlf,YACAkf,QAAQlf,KAAMrB,KAAK6vD,YAAYzzC,KASvCy1C,2BACMC,gBAAkB,mBAGO,IAAzB9xD,KAAK8d,SAAS2wC,OAChBqD,iBAAmB,UAEnBA,iBAAmB,eAIfb,YAAcjN,OAAOz/C,UAAU6d,gDACX0vC,4BAAmBb,wBAAezkC,MAAMpK,iBASpEA,oBACM0vC,gBAAkB,yBAGO,IAAzB9xD,KAAK8d,SAAS2wC,OAChBqD,iBAAmB,UAEnBA,iBAAmB,mCAEKA,4BAAmBtlC,MAAMpK,iBAiBrDuL,YAAYriB,UAAMT,0DAAK7K,KAAK6vD,YAAYhlD,YAC/B7K,KAAK6vD,YAAYliC,YAAYriB,KAAMT,IAM5CkU,eACOsyC,yBACCtyC,UAcR4/B,YAAYzvC,OACNlP,KAAK2wD,oBACFC,qBAEAmB,cAYTV,iBAAiBniD,YACVzC,YAAY,aACjBjJ,IAAItC,SAAU,QAASlB,KAAKkxD,kBAM9BpjD,aACO+hD,YAAY/hD,QAMnBiW,YACO8rC,YAAY9rC,OAYnBC,cAAc9U,OAEM,WAAdA,MAAMpK,KAAkC,QAAdoK,MAAMpK,KAC9B9E,KAAK2wD,qBACFC,gBAIY,SAAd1hD,MAAMpK,MACToK,MAAM8G,sBAED65C,YAAY/hD,UAGI,OAAdoB,MAAMpK,MAA8B,SAAdoK,MAAMpK,KAAoB9E,KAAK2d,QAAQG,SAAS+D,cAAcoC,mBAAqBjkB,KAAK2d,QAAQG,SAAS+D,cAAcoC,kBAAkBC,UACnKlkB,KAAK2wD,iBACRzhD,MAAM8G,sBACD+7C,eAcXZ,gBAAgBjiD,OAEI,WAAdA,MAAMpK,KAAkC,QAAdoK,MAAMpK,UAC7B2H,YAAY,aAYrBulD,sBAAsB9iD,YACfoiD,qBAAqBpiD,OAY5BoiD,qBAAqBpiD,OAED,WAAdA,MAAMpK,KAAkC,QAAdoK,MAAMpK,MAC9B9E,KAAK2wD,qBACFC,gBAGY,SAAd1hD,MAAMpK,MACToK,MAAM8G,sBAED65C,YAAY/hD,UAQvBikD,iBACM/xD,KAAKg1B,SAAU,SACZ27B,gBAAiB,OACjBS,KAAK3uC,YACL2uC,KAAKzuC,mBACLktC,YAAYzzC,IAAIhR,aAAa,gBAAiB,QAI/C7B,QAAUQ,wBAITqnD,KAAKtjD,SAOd8iD,gBACM5wD,KAAKg1B,gBACF27B,gBAAiB,OACjBS,KAAKxuC,qBACLwuC,KAAK1uC,YACLmtC,YAAYzzC,IAAIhR,aAAa,gBAAiB,UAOvDjH,eACOysD,qBACA57B,UAAW,OACX7oB,SAAS,qBACT0jD,YAAY1rD,UAMnBC,cACO4wB,UAAW,OACXvoB,YAAY,qBACZojD,YAAYzrD,UAGrBoZ,YAAY8K,kBAAkB,aAAc0oC,kBAatCiB,oBAAoBjB,WAUxB3rD,YAAYwO,OAAQ1N,eACZqpB,OAASrpB,QAAQqpB,gBACjB3b,OAAQ1N,SACVnG,KAAKq8C,MAAMp7C,QAAU,QAClByhB,QAEF8M,oBAGC0iC,cAAgBr5C,MAAM7Y,KAAMA,KAAKq/C,QACvC7vB,OAAOpb,iBAAiB,cAAe89C,eACvC1iC,OAAOpb,iBAAiB,WAAY89C,eACpC1iC,OAAOpb,iBAAiB,cAAe89C,oBAClCv0C,QAAQrG,GAAG,QAAS46C,oBACpBv0C,QAAQrG,GAAG,WAAW,WACzBkY,OAAOtb,oBAAoB,cAAeg+C,eAC1C1iC,OAAOtb,oBAAoB,WAAYg+C,eACvC1iC,OAAOtb,oBAAoB,cAAeg+C,mBAIhD10C,YAAY8K,kBAAkB,cAAe2pC,mBAavCE,iBAAiB9T,mBAWrBh5C,YAAYwO,OAAQ1N,eACZ0N,OAAQ1N,cACTisD,WAAajsD,QAAQisD,gBACrBC,YAAclsD,QAAQoqB,WAAY,OAClC+hC,gBAAkBnsD,QAAQmsD,qBAC1B/hC,SAASvwB,KAAKqyD,aACfryD,KAAKoyD,WACHpyD,KAAKsyD,qBACFl2C,IAAIhR,aAAa,OAAQ,yBAEzBgR,IAAIhR,aAAa,OAAQ,sBAG3BgR,IAAIhR,aAAa,OAAQ,YAmBlCZ,SAASrK,KAAMqwC,MAAOjjC,YAEf0xC,gBAAiB,QAChBp0C,GAAK2hB,MAAMhiB,SAAS,KAAMlG,OAAO4X,OAAO,CAC5CnP,UAAW,gBACXmZ,UAAW,GACVsqB,OAAQjjC,OAGLglD,WAAa/nD,SAAS,OAAQ,CAClCuC,UAAW,qBACX7B,YAAalL,KAAKof,SAASpf,KAAK8d,SAAS2O,gBAIvCzsB,KAAK2d,QAAQG,SAAS2C,qBACxB5V,GAAGe,YAAY2mD,YAEf1nD,GAAGqU,aAAaqzC,WAAY1nD,GAAGP,cAAc,0BAExCO,GAYTmZ,cAAc9U,OACP,CAAC,MAAO,SAAU,UAAW,YAAa,aAAc,aAAazB,SAASyB,MAAMpK,YAEjFkf,cAAc9U,OAexByvC,YAAYzvC,YACLqhB,UAAS,GAShBA,SAASA,UACHvwB,KAAKoyD,aACH7hC,eACGpkB,SAAS,qBACTiQ,IAAIhR,aAAa,eAAgB,aAGjCuiB,YAAY,mBACZ0kC,aAAc,SAEd5lD,YAAY,qBACZ2P,IAAIhR,aAAa,eAAgB,cAEjCuiB,YAAY,SACZ0kC,aAAc,KAK3B70C,YAAY8K,kBAAkB,WAAY6pC,gBAapCK,0BAA0BL,SAU9B9sD,YAAYwO,OAAQ1N,0BACZykB,MAAQzkB,QAAQykB,MAChB4E,OAAS3b,OAAO2X,aAGtBrlB,QAAQsmB,MAAQ7B,MAAM6B,OAAS7B,MAAMpL,UAAY,UACjDrZ,QAAQoqB,SAA0B,YAAf3F,MAAM0T,WACnBzqB,OAAQ1N,0BACTykB,MAAQA,WAGR6nC,OAAStsD,QAAQssD,OAAS,CAACtsD,QAAQyqB,MAAQ5wB,KAAK4qB,MAAMgG,OAAO7sB,OAAOwD,eACnEmrD,cAAgB,2CAAIjxD,uDAAAA,+BACxBkxD,OAAKC,mBAAmBn6C,MAAMk6C,OAAMlxD,OAEhCoxD,8BAAgC,2CAAIpxD,uDAAAA,+BACxCkxD,OAAKG,6BAA6Br6C,MAAMk6C,OAAMlxD,UAEhDoS,OAAOyD,GAAG,CAAC,YAAa,mBAAoBo7C,eAC5CljC,OAAOpb,iBAAiB,SAAUs+C,eAClCljC,OAAOpb,iBAAiB,yBAA0By+C,oCAC7Cv7C,GAAG,WAAW,WACjBzD,OAAOrQ,IAAI,CAAC,YAAa,mBAAoBkvD,eAC7CljC,OAAOtb,oBAAoB,SAAUw+C,eACrCljC,OAAOtb,oBAAoB,yBAA0B2+C,uCAS/B5vD,IAApBusB,OAAOujC,SAAwB,KAC7B7jD,WACCoI,GAAG,CAAC,MAAO,UAAU,cACI,iBAAjBpV,OAAO8wD,UAGd9jD,MAAQ,IAAIhN,OAAO8wD,MAAM,UACzB,MAAO76B,MAINjpB,QACHA,MAAQhO,SAAS+xD,YAAY,SAC7B/jD,MAAMgkD,UAAU,UAAU,GAAM,IAElC1jC,OAAOjV,cAAcrL,eAKpB0jD,qBAcPjU,YAAYzvC,aACJikD,eAAiBnzD,KAAK4qB,MACtB4E,OAASxvB,KAAK2d,QAAQ6N,sBACtBmzB,YAAYzvC,OACbsgB,WAGA,IAAIxuB,EAAI,EAAGA,EAAIwuB,OAAOvuB,OAAQD,IAAK,OAChC4pB,MAAQ4E,OAAOxuB,IAImB,IAApChB,KAAKyyD,MAAMjyD,QAAQoqB,MAAMgG,QAMzBhG,QAAUuoC,eACO,YAAfvoC,MAAM0T,OACR1T,MAAM0T,KAAO,WAKS,aAAf1T,MAAM0T,OACf1T,MAAM0T,KAAO,cAanBs0B,mBAAmB1jD,aACXkkD,iBAAuC,YAApBpzD,KAAK4qB,MAAM0T,KAIhC80B,mBAAqBpzD,KAAKqyD,kBACvB9hC,SAAS6iC,kBAGlBN,6BAA6B5jD,UACH,YAApBlP,KAAK4qB,MAAM0T,KAAoB,OAC3B8iB,iBAAmBphD,KAAK2d,QAAQwjC,OAAOC,oBAGzCA,kBAAoBA,iBAAiBl9B,SAAWk9B,iBAAiB5hC,WAAaxf,KAAK4qB,MAAMpL,UAAY4hC,iBAAiBxwB,OAAS5wB,KAAK4qB,MAAMgG,iBAGzIjT,QAAQwjC,OAAOC,iBAAmB,CACrCl9B,SAAS,EACT1E,SAAUxf,KAAK4qB,MAAMpL,SACrBoR,KAAM5wB,KAAK4qB,MAAMgG,OAIvB7R,eAEO6L,MAAQ,WACP7L,WAGVvB,YAAY8K,kBAAkB,oBAAqBkqC,yBAa7Ca,6BAA6Bb,kBAUjCntD,YAAYwO,OAAQ1N,SAGlBA,QAAQykB,MAAQ,CACd/W,OAAAA,OAIA+c,KAAMzqB,QAAQyqB,KACd6hC,MAAOtsD,QAAQssD,MACfz1B,SAAS,EACTsB,KAAM,YAEHn4B,QAAQssD,QACXtsD,QAAQssD,MAAQ,CAACtsD,QAAQyqB,OAEvBzqB,QAAQsmB,MACVtmB,QAAQykB,MAAM6B,MAAQtmB,QAAQsmB,MAE9BtmB,QAAQykB,MAAM6B,MAAQtmB,QAAQssD,MAAMhgD,KAAK,SAAW,OAItDtM,QAAQisD,YAAa,EAErBjsD,QAAQmsD,iBAAkB,QACpBz+C,OAAQ1N,SAShBysD,mBAAmB1jD,aACXsgB,OAASxvB,KAAK6T,SAAS2X,iBACzB4nC,kBAAmB,MAClB,IAAIpyD,EAAI,EAAG8uB,EAAIN,OAAOvuB,OAAQD,EAAI8uB,EAAG9uB,IAAK,OACvC4pB,MAAQ4E,OAAOxuB,MACjBhB,KAAK8d,SAAS20C,MAAMjyD,QAAQoqB,MAAMgG,OAAS,GAAoB,YAAfhG,MAAM0T,KAAoB,CAC5E80B,kBAAmB,SAOnBA,mBAAqBpzD,KAAKqyD,kBACvB9hC,SAAS6iC,kBAGlBN,6BAA6B5jD,aACrBsgB,OAASxvB,KAAK6T,SAAS2X,iBACzB8nC,WAAY,MACX,IAAItyD,EAAI,EAAG8uB,EAAIN,OAAOvuB,OAAQD,EAAI8uB,EAAG9uB,IAAK,OACvC4pB,MAAQ4E,OAAOxuB,MACjB,CAAC,WAAY,eAAgB,aAAaR,QAAQoqB,MAAMgG,OAAS,GAAoB,YAAfhG,MAAM0T,KAAoB,CAClGg1B,WAAY,SAIZA,iBACG31C,QAAQwjC,OAAOC,iBAAmB,CACrCl9B,SAAS,IAQfhG,4BACOtM,EAAE,uBAAuB1G,YAAclL,KAAK2d,QAAQyB,SAASpf,KAAK8d,SAAS2O,aAC1EvO,wBAGVV,YAAY8K,kBAAkB,uBAAwB+qC,4BAahDE,wBAAwBtB,YAU5B5sD,YAAYwO,YAAQ1N,+DAAU,GAC5BA,QAAQqpB,OAAS3b,OAAO2X,mBAClB3X,OAAQ1N,SAYhByrD,kBAGMnlC,MAHM4vB,6DAAQ,GAAImX,qEAAgBhB,kBAIlCxyD,KAAKyzD,SACPhnC,gBAAWzsB,KAAKyzD,gBAGlBpX,MAAMp6C,KAAK,IAAIoxD,qBAAqBrzD,KAAK2d,QAAS,CAChD80C,MAAOzyD,KAAK0zD,OACZ9iC,KAAM5wB,KAAK2zD,MACXlnC,MAAAA,cAEG+kC,gBAAkB,QACjBhiC,OAASxvB,KAAK2d,QAAQ6N,aACvBlpB,MAAMC,QAAQvC,KAAK0zD,eACjBA,OAAS,CAAC1zD,KAAK2zD,YAEjB,IAAI3yD,EAAI,EAAGA,EAAIwuB,OAAOvuB,OAAQD,IAAK,OAChC4pB,MAAQ4E,OAAOxuB,MAGjBhB,KAAK0zD,OAAOlzD,QAAQoqB,MAAMgG,OAAS,EAAG,OAClCvhB,KAAO,IAAImkD,cAAcxzD,KAAK2d,QAAS,CAC3CiN,MAAAA,MACA6nC,MAAOzyD,KAAK0zD,OACZ9iC,KAAM5wB,KAAK2zD,MAEXvB,YAAY,EAEZE,iBAAiB,IAEnBjjD,KAAKlD,uBAAgBye,MAAMgG,oBAC3ByrB,MAAMp6C,KAAKoN,cAGRgtC,OAGX7+B,YAAY8K,kBAAkB,kBAAmBirC,uBAa3CK,8BAA8BzB,SAUlC9sD,YAAYwO,OAAQ1N,eACZykB,MAAQzkB,QAAQykB,MAChBE,IAAM3kB,QAAQ2kB,IACduU,YAAcxrB,OAAOwrB,cAG3Bl5B,QAAQisD,YAAa,EACrBjsD,QAAQmsD,iBAAkB,EAC1BnsD,QAAQsmB,MAAQ3B,IAAIxf,KACpBnF,QAAQoqB,SAAWzF,IAAIC,WAAasU,aAAeA,YAAcvU,IAAIE,cAC/DnX,OAAQ1N,cACTykB,MAAQA,WACRE,IAAMA,IAcb6zB,YAAYzvC,aACJyvC,mBACDhhC,QAAQ0hB,YAAYr/B,KAAK8qB,IAAIC,YAGtCvN,YAAY8K,kBAAkB,wBAAyBsrC,6BAkBjDC,uBAAuBN,gBAa3BluD,YAAYwO,OAAQ1N,QAASsX,aACrB5J,OAAQ1N,QAASsX,YAClB8C,QAAQ,iBACRuzC,mBAAqB,UACnBzX,MAAMx3C,SAAQwK,OACjBA,KAAKkhB,SAASvwB,KAAK+zD,OAAOp1B,WAAW,KAAOtvB,KAAKyb,SAWvD1I,oDACgCoK,MAAMpK,iBAEtCyvC,2DACgCrlC,MAAMqlC,wBAatCxS,OAAOnwC,UACDA,OAASA,MAAM0b,OAA8B,aAArB1b,MAAM0b,MAAMgG,kBAGlChG,MAAQ5qB,KAAKg0D,oBACfppC,QAAU5qB,KAAK+zD,aACZE,SAASrpC,aACRy0B,YACIr/C,KAAKq8C,OAASzxB,OAASA,MAAMC,MAAQD,MAAMC,KAAK5pB,SAAWjB,KAAKq8C,MAAMp7C,eAE1Eo+C,SAWV4U,SAASrpC,UACH5qB,KAAK+zD,SAAWnpC,UAGf5qB,KAAKk0D,sBACHA,eAAiBl0D,KAAKq/C,OAAOrmC,KAAKhZ,OAIrCA,KAAK+zD,OAAQ,OACTI,kBAAoBn0D,KAAK2d,QAAQ81B,qBAAqBhS,wBAAwBzhC,KAAK+zD,QACrFI,mBACFA,kBAAkBjgD,oBAAoB,OAAQlU,KAAKk0D,qBAEhDH,OAAO7/C,oBAAoB,YAAalU,KAAK8zD,yBAC7CC,OAAS,aAEXA,OAASnpC,MAGV5qB,KAAK+zD,OAAQ,MACVA,OAAOz1B,KAAO,eACb61B,kBAAoBn0D,KAAK2d,QAAQ81B,qBAAqBhS,wBAAwBzhC,KAAK+zD,QACrFI,mBACFA,kBAAkB//C,iBAAiB,OAAQpU,KAAKk0D,qBAE7CH,OAAO3/C,iBAAiB,YAAapU,KAAK8zD,sBAUnDE,0BACQxkC,OAASxvB,KAAK2d,QAAQ6N,cAAgB,OACvC,IAAIxqB,EAAIwuB,OAAOvuB,OAAS,EAAGD,GAAK,EAAGA,IAAK,OAErC4pB,MAAQ4E,OAAOxuB,MACjB4pB,MAAMgG,OAAS5wB,KAAK2zD,aACf/oC,OAYbwpC,wBACMp0D,KAAK+zD,QAAU/zD,KAAK+zD,OAAOtnC,MACtBzsB,KAAK+zD,OAAOtnC,MAEdzsB,KAAKof,SAASlC,cAAcld,KAAK2zD,QAS1CpC,yBACOzzC,SAAS2zC,MAAQzxD,KAAKo0D,iBACpB5nC,MAAM+kC,aASfK,oBACQvV,MAAQ,OACTr8C,KAAK+zD,cACD1X,YAEHxxB,KAAO7qB,KAAK+zD,OAAOlpC,SACpBA,YACIwxB,UAEJ,IAAIr7C,EAAI,EAAG8uB,EAAIjF,KAAK5pB,OAAQD,EAAI8uB,EAAG9uB,IAAK,OACrC8pB,IAAMD,KAAK7pB,GACXqzD,GAAK,IAAIT,sBAAsB5zD,KAAK2d,QAAS,CACjDiN,MAAO5qB,KAAK+zD,OACZjpC,IAAAA,MAEFuxB,MAAMp6C,KAAKoyD,WAENhY,OAUXwX,eAAetvD,UAAUovD,MAAQ,WAQjCE,eAAetvD,UAAUw6C,aAAe,WACxCvhC,YAAY8K,kBAAkB,iBAAkBurC,sBAa1CS,2BAA2Bf,gBAa/BluD,YAAYwO,OAAQ1N,QAASsX,aACrB5J,OAAQ1N,QAASsX,YAClB8C,QAAQ,2BACPiP,OAAS3b,OAAO2X,aAChBknC,cAAgB75C,MAAM7Y,KAAMA,KAAK4yD,oBACvCpjC,OAAOpb,iBAAiB,SAAUs+C,oBAC7Bp7C,GAAG,WAAW,WACjBkY,OAAOtb,oBAAoB,SAAUw+C,kBAYzCE,mBAAmB1jD,aACXsgB,OAASxvB,KAAK6T,SAAS2X,iBACzBrW,UAAW,MAGV,IAAInU,EAAI,EAAG8uB,EAAIN,OAAOvuB,OAAQD,EAAI8uB,EAAG9uB,IAAK,OACvC4pB,MAAQ4E,OAAOxuB,MACjB4pB,MAAMgG,OAAS5wB,KAAK2zD,OAAwB,YAAf/oC,MAAM0T,KAAoB,CACzDnpB,UAAW,SAMXA,cACGhR,eAEAC,SAUTge,wDACoCoK,MAAMpK,iBAE1CyvC,+DACoCrlC,MAAMqlC,yBAU5CyC,mBAAmB/vD,UAAUovD,MAAQ,eAQrCW,mBAAmB/vD,UAAUw6C,aAAe,eAC5CvhC,YAAY8K,kBAAkB,qBAAsBgsC,0BAa9CC,wBAAwBhB,gBAa5BluD,YAAYwO,OAAQ1N,QAASsX,aACrB5J,OAAQ1N,QAASsX,YAClB8C,QAAQ,aASf6B,qDACiCoK,MAAMpK,iBAEvCyvC,4DACiCrlC,MAAMqlC,yBAUzC0C,gBAAgBhwD,UAAUovD,MAAQ,YAQlCY,gBAAgBhwD,UAAUw6C,aAAe,YACzCvhC,YAAY8K,kBAAkB,kBAAmBisC,uBAa3CC,gCAAgChC,kBAUpCntD,YAAYwO,OAAQ1N,SAClBA,QAAQykB,MAAQ,CACd/W,OAAAA,OACA+c,KAAMzqB,QAAQyqB,KACdnE,MAAOtmB,QAAQyqB,KAAO,YACtBwhC,YAAY,EACZp1B,SAAS,EACTsB,KAAM,YAIRn4B,QAAQisD,YAAa,EACrBjsD,QAAQ9E,KAAO,gCACTwS,OAAQ1N,cACTgG,SAAS,+BACTwhB,YAAY,WAAaxnB,QAAQyqB,KAAO,oBAc/C+tB,YAAYzvC,YACL2E,SAASqM,SAAS,qBAAqB0M,OAM9C1O,4BACOtM,EAAE,uBAAuB1G,YAAclL,KAAK2d,QAAQyB,SAASpf,KAAK8d,SAAS8S,KAAO,mBACjF1S,wBAGVV,YAAY8K,kBAAkB,0BAA2BksC,+BAanDC,uBAAuBlB,gBAa3BluD,YAAYwO,OAAQ1N,QAASsX,aACrB5J,OAAQ1N,QAASsX,YAClB8C,QAAQ,YASf6B,oDACgCoK,MAAMpK,iBAEtCyvC,2DACgCrlC,MAAMqlC,wBAStCD,oBACQvV,MAAQ,UACRr8C,KAAK6T,SAASoqB,OAASj+B,KAAK6T,SAASoqB,MAAM8S,2BAA6B/wC,KAAK6T,SAASqM,SAAS,uBACnGm8B,MAAMp6C,KAAK,IAAIuyD,wBAAwBx0D,KAAK2d,QAAS,CACnDiT,KAAM5wB,KAAK2zD,cAERnC,gBAAkB,GAElBhlC,MAAMolC,YAAYvV,QAU7BoY,eAAelwD,UAAUovD,MAAQ,WAQjCc,eAAelwD,UAAUw6C,aAAe,WACxCvhC,YAAY8K,kBAAkB,iBAAkBmsC,sBAY1CC,yBAAyBlC,kBAC7BhoD,SAASrK,KAAMqwC,MAAOjjC,aACd1C,GAAK2hB,MAAMhiB,SAASrK,KAAMqwC,MAAOjjC,OACjConD,WAAa9pD,GAAGP,cAAc,6BACH,aAA7BtK,KAAK8d,SAAS8M,MAAMgG,OAClB5wB,KAAK2d,QAAQG,SAAS2C,0BACnBF,QAAQ,WAAY1V,IAEzB8pD,WAAW/oD,YAAYpB,SAAS,OAAQ,CACtCuC,UAAW,wBACV,gBACc,KAGnB4nD,WAAW/oD,YAAYpB,SAAS,OAAQ,CACtCuC,UAAW,mBAGX7B,uBAAiBlL,KAAKof,SAAS,iBAG5BvU,IAGX2S,YAAY8K,kBAAkB,mBAAoBosC,wBAa5CE,uBAAuBrB,gBAa3BluD,YAAYwO,cACJA,8DADsB,SAKvB4/C,OAAS,iBACTlzC,QAAQ,aACT,CAAC,KAAM,QAAS,QAAS,SAAS/f,QAAQR,KAAK2d,QAAQk3C,YAAc,SAClEpB,OAAS,gBACTlzC,QAAQ,kBAEVsvC,YAAYliC,YAAYzQ,cAAcld,KAAKyzD,SASlDrxC,qDACiCoK,MAAMpK,iBAEvCyvC,4DACiCrlC,MAAMqlC,wBASvCD,kBACMvV,MAAQ,UACNr8C,KAAK6T,SAASoqB,OAASj+B,KAAK6T,SAASoqB,MAAM8S,2BAA6B/wC,KAAK6T,SAASqM,SAAS,uBACnGm8B,MAAMp6C,KAAK,IAAIuyD,wBAAwBx0D,KAAK2d,QAAS,CACnDiT,KAAM5wB,KAAKyzD,eAERjC,gBAAkB,GAEzBnV,MAAQ7vB,MAAMolC,YAAYvV,MAAOqY,kBAC1BrY,OAUXuY,eAAerwD,UAAUmvD,OAAS,CAAC,WAAY,aAS/CkB,eAAerwD,UAAUw6C,aAAe,YACxCvhC,YAAY8K,kBAAkB,iBAAkBssC,sBAa1CE,2BAA2B3C,SAU/B9sD,YAAYwO,OAAQ1N,0BACZykB,MAAQzkB,QAAQykB,MAChB4E,OAAS3b,OAAOkhD,cAGtB5uD,QAAQsmB,MAAQ7B,MAAM6B,OAAS7B,MAAMpL,UAAY,UACjDrZ,QAAQoqB,SAAW3F,MAAM1G,cACnBrQ,OAAQ1N,0BACTykB,MAAQA,WACRze,uBAAgBye,MAAMgG,0BACrB8hC,cAAgB,2CAAIjxD,uDAAAA,+BACxBuzD,OAAKpC,mBAAmBn6C,MAAMu8C,OAAMvzD,OAEtC+tB,OAAOpb,iBAAiB,SAAUs+C,oBAC7Bp7C,GAAG,WAAW,KACjBkY,OAAOtb,oBAAoB,SAAUw+C,kBAGzCloD,SAASrK,KAAMqwC,MAAOjjC,aACd1C,GAAK2hB,MAAMhiB,SAASrK,KAAMqwC,MAAOjjC,OACjConD,WAAa9pD,GAAGP,cAAc,6BAChC,CAAC,YAAa,gBAAgB9J,QAAQR,KAAK8d,SAAS8M,MAAMgG,OAAS,IACrE+jC,WAAW/oD,YAAYpB,SAAS,OAAQ,CACtCuC,UAAW,wBACV,gBACc,KAEjB4nD,WAAW/oD,YAAYpB,SAAS,OAAQ,CACtCuC,UAAW,mBACX7B,YAAa,IAAMlL,KAAKof,SAAS,oBAG9BvU,GAcT8zC,YAAYzvC,gBACJyvC,YAAYzvC,YAIb0b,MAAM1G,SAAU,EAGjBlkB,KAAK2d,QAAQsgB,MAAMg3B,0BAA2B,OAC1CzlC,OAASxvB,KAAK2d,QAAQo3C,kBACvB,IAAI/zD,EAAI,EAAGA,EAAIwuB,OAAOvuB,OAAQD,IAAK,OAChC4pB,MAAQ4E,OAAOxuB,GAGjB4pB,QAAU5qB,KAAK4qB,QAGnBA,MAAM1G,QAAU0G,QAAU5qB,KAAK4qB,SAarCgoC,mBAAmB1jD,YACZqhB,SAASvwB,KAAK4qB,MAAM1G,UAG7B1G,YAAY8K,kBAAkB,qBAAsBwsC,0BAW9CI,yBAAyBjD,YAU7B5sD,YAAYwO,YAAQ1N,+DAAU,GAC5BA,QAAQqpB,OAAS3b,OAAOkhD,oBAClBlhD,OAAQ1N,cACToa,QAAQ,SASf6B,iDAC6BoK,MAAMpK,iBAEnCyvC,wDAC6BrlC,MAAMqlC,wBAYnCD,kBAAYvV,6DAAQ,QAEbmV,eAAiB,QAChBhiC,OAASxvB,KAAK2d,QAAQo3C,kBACvB,IAAI/zD,EAAI,EAAGA,EAAIwuB,OAAOvuB,OAAQD,IAAK,OAChC4pB,MAAQ4E,OAAOxuB,GACrBq7C,MAAMp6C,KAAK,IAAI6yD,mBAAmB90D,KAAK2d,QAAS,CAC9CiN,MAAAA,MAEAwnC,YAAY,EAEZE,iBAAiB,YAGdjW,OAUX6Y,iBAAiB3wD,UAAUw6C,aAAe,cAC1CvhC,YAAY8K,kBAAkB,mBAAoB4sC,wBAa5CC,6BAA6BhD,SAUjC9sD,YAAYwO,OAAQ1N,eACZsmB,MAAQtmB,QAAQivD,KAChBA,KAAOhsD,WAAWqjB,MAAO,IAG/BtmB,QAAQsmB,MAAQA,MAChBtmB,QAAQoqB,SAAW6kC,OAASvhD,OAAOwhD,eACnClvD,QAAQisD,YAAa,EACrBjsD,QAAQmsD,iBAAkB,QACpBz+C,OAAQ1N,cACTsmB,MAAQA,WACR2oC,KAAOA,UACP99C,GAAGzD,OAAQ,cAAc7B,GAAKhS,KAAKq/C,OAAOrtC,KAcjD2sC,YAAYzvC,aACJyvC,mBACD9qC,SAASwhD,aAAar1D,KAAKo1D,MAWlC/V,OAAOnwC,YACAqhB,SAASvwB,KAAK6T,SAASwhD,iBAAmBr1D,KAAKo1D,OAUxDD,qBAAqB5wD,UAAUisD,cAAgB,SAC/ChzC,YAAY8K,kBAAkB,uBAAwB6sC,4BAahDG,+BAA+BtE,WAUnC3rD,YAAYwO,OAAQ1N,eACZ0N,OAAQ1N,cACT0pD,YAAYzzC,IAAIhR,aAAa,mBAAoBpL,KAAKu1D,iBACtDC,wBACAC,mBACAn+C,GAAGzD,OAAQ,aAAa7B,GAAKhS,KAAKw1D,iBAAiBxjD,UACnDsF,GAAGzD,OAAQ,cAAc7B,GAAKhS,KAAKy1D,YAAYzjD,UAC/CsF,GAAGzD,OAAQ,uBAAuB7B,GAAKhS,KAAK01D,0BAA0B1jD,KAS7ExH,iBACQK,GAAK2hB,MAAMhiB,uBACZ+qD,WAAa,iCAAmCv1D,KAAK+d,SACrD43C,SAAWnrD,SAAS,MAAO,CAC9BuC,UAAW,0BACXiR,GAAIhe,KAAKu1D,WACTrqD,YAAa,OAEfL,GAAGe,YAAY5L,KAAK21D,UACb9qD,GAETkU,eACO42C,SAAW,WACV52C,UASRqD,kDAC8BoK,MAAMpK,iBAEpCyvC,yDAC8BrlC,MAAMqlC,wBAOpCD,oBACQgE,MAAQ51D,KAAK61D,gBACbxZ,MAAQ,OACT,IAAIr7C,EAAI40D,MAAM30D,OAAS,EAAGD,GAAK,EAAGA,IACrCq7C,MAAMp6C,KAAK,IAAIkzD,qBAAqBn1D,KAAK6T,SAAU,CACjDuhD,KAAMQ,MAAM50D,GAAK,cAGdq7C,MAQTqZ,0BAA0BxmD,YACnBmwC,SASPwW,sBACQhiD,OAAS7T,KAAK6T,gBACbA,OAAOgiD,eAAiBhiD,OAAOgiD,iBAAmB,GAU3DC,+BACS91D,KAAK6T,SAASoqB,OAASj+B,KAAK6T,SAASoqB,MAAM+W,sBAAwBh1C,KAAK61D,iBAAmB71D,KAAK61D,gBAAgB50D,OAAS,EAWlIu0D,iBAAiBtmD,OACXlP,KAAK81D,6BACFrpD,YAAY,mBAEZN,SAAS,cAYlBspD,YAAYvmD,OACNlP,KAAK81D,+BACFH,SAASzqD,YAAclL,KAAK6T,SAASwhD,eAAiB,MAajEC,uBAAuB/wD,UAAUw6C,aAAe,gBAChDvhC,YAAY8K,kBAAkB,yBAA0BgtC,8BAYlDS,eAAev4C,YAOnB4E,2CACuBoK,MAAMpK,iBAS7B5X,eAAS6C,2DAAM,MAAOmjC,6DAAQ,GAAI7lC,kEAAa,UACxC6lC,MAAMzjC,YACTyjC,MAAMzjC,UAAY/M,KAAKoiB,iBAElBoK,MAAMhiB,SAAS6C,IAAKmjC,MAAO7lC,aAGtC6S,YAAY8K,kBAAkB,SAAUytC,QAqCxCv4C,YAAY8K,kBAAkB,oCA1BIytC,OAOhC3zC,0DACsCoK,MAAMpK,iBAS5C5X,kBACSgiB,MAAMhiB,SAAS,MAAO,CAC3BuC,UAAW/M,KAAKoiB,gBAGhBlX,YAAa,eAeb8qD,mBAAmBx4C,YAOvBhT,kBACSgiB,MAAMhiB,SAAS,MAAO,CAC3BuC,UAAW,kBACXg3C,IAAK,SAWXiS,WAAWzxD,UAAUuZ,SAAW,CAC9BkC,SAAU,CAAC,aAAc,eAAgB,cAAe,cAAe,qBAAsB,cAAe,kBAAmB,kBAAmB,cAAe,aAAc,uBAAwB,sBAAuB,yBAA0B,iBAAkB,qBAAsB,iBAAkB,mBAAoB,yBAA0B,qBAElWxC,YAAY8K,kBAAkB,aAAc0tC,kBActCC,qBAAqBrqC,YAUzBvmB,YAAYwO,OAAQ1N,eACZ0N,OAAQ1N,cACTmR,GAAGzD,OAAQ,SAAS7B,SAClB4a,KAAK5a,MAYdoQ,kDAC8BoK,MAAMpK,iBASpCxX,gBACQjH,MAAQ3D,KAAK6T,SAASlQ,eACrBA,MAAQ3D,KAAKof,SAASzb,MAAMkmB,SAAW,IASlDosC,aAAa1xD,UAAUuZ,SAAWxZ,OAAO4X,OAAO,GAAI0P,YAAYrnB,UAAUuZ,SAAU,CAClFmP,aAAa,EACbJ,YAAY,EACZW,WAAW,EACXpB,aAAa,IAEf5O,YAAY8K,kBAAkB,eAAgB2tC,oBAUxCC,wBAAwB14C,YAuB5BnY,YAAYwO,cACJA,8DADsB,SAEvBuI,IAAIhR,aAAa,kBAAmBpL,KAAKm2D,qBAShD3rD,gBACO2rD,oBAAsB,CAACn2D,KAAK8d,SAASs4C,SAAUp2D,KAAK8d,SAASu4C,SAAS5jD,KAAK,KAAK7I,cAG/DY,SAAS,SAAU,CACvCwT,GAAIhe,KAAK8d,SAASE,IACjB,GAAIhe,KAAK8d,SAASw4C,cAAc7mD,KAAI8mD,mBAI/BC,UAAYx2D,KAAK8d,SAASu4C,QAAUr2D,KAAK8d,SAASu4C,mCAA8B1hD,YAAe,IAAM4hD,WAAW,GAAGv5C,QAAQ,OAAQ,IACnIy5C,OAASjsD,SAAS,SAAU,CAChCwT,GAAIw4C,SACJtxD,MAAOlF,KAAKof,SAASm3C,WAAW,IAChCrrD,YAAalL,KAAKof,SAASm3C,WAAW,aAExCE,OAAOrrD,aAAa,4BAAsBpL,KAAKm2D,gCAAuBK,WAC/DC,YAKbj5C,YAAY8K,kBAAkB,kBAAmB4tC,uBAa3CQ,0BAA0Bl5C,YA0C9BnY,YAAYwO,cACJA,8DADsB,UAItB8iD,cAAgBnsD,SAAS,SAAU,CACvCU,YAAalL,KAAKof,SAASpf,KAAK8d,SAAS84C,YACzC54C,GAAIhe,KAAK8d,SAASs4C,gBAEfvrD,KAAKe,YAAY+qD,qBAChBE,QAAU72D,KAAK8d,SAAS+4C,YAGzB,MAAM71D,KAAK61D,QAAS,OACjBC,aAAe92D,KAAK8d,SAASi5C,cAAc/1D,GAC3Cg2D,gBAAkBF,aAAa/pD,UAC/BiR,GAAK84C,aAAa94C,GAAGhB,QAAQ,KAAMhd,KAAK8d,SAASC,SACnDgnC,KAAO,WACLxtC,0BAAqB5C,cAGA,WAAvB3U,KAAK8d,SAAS3d,KAAmB,CACnC4kD,KAAOv6C,SAAS,OAAQ,CACtBuC,UAAWiqD,wBAEPvqC,MAAQjiB,SAAS,QAAS,CAC9BwT,GAAAA,GACAjR,UAAW,YACX7B,YAAalL,KAAKof,SAAS03C,aAAarqC,SAE1CA,MAAMrhB,aAAa,MAAOmM,MAC1BwtC,KAAKn5C,YAAY6gB,aAEbwqC,gBAAkB,IAAIf,gBAAgBriD,OAAQ,CAClDyiD,cAAeQ,aAAa3wD,QAC5BiwD,SAAUp2D,KAAK8d,SAASs4C,SACxBp4C,GAAIzG,KACJ8+C,QAASr4C,UAENiD,SAASg2C,iBAGa,WAAvBj3D,KAAK8d,SAAS3d,OAChB4kD,KAAKn5C,YAAYqrD,gBAAgBpsD,WAC5BA,KAAKe,YAAYm5C,QAW5Bv6C,kBACaA,SAAS,WAAY,CAG9BuC,UAAW/M,KAAK8d,SAAS/Q,aAK/ByQ,YAAY8K,kBAAkB,oBAAqBouC,yBAW7CQ,gCAAgC15C,YAsBpCnY,YAAYwO,cACJA,8DADsB,UAEtBkK,IAAM/d,KAAK8d,SAASq5C,qBAGpBC,kBAAoB,IAAIV,kBAAkB7iD,OAAQ,CACtDkK,IAAAA,IACAq4C,wCAAkCr4C,KAClC64C,WAAY52D,KAAKof,SAAS,QAC1BrS,UAAW,2BACX8pD,QAAS72D,KAAK8d,SAASu5C,UAAU,GACjCN,cAAe/2D,KAAK8d,SAASi5C,cAC7B52D,KAAM,gBAEH8gB,SAASm2C,yBAGRE,kBAAoB,IAAIZ,kBAAkB7iD,OAAQ,CACtDkK,IAAAA,IACAq4C,uCAAiCr4C,KACjC64C,WAAY52D,KAAKof,SAAS,mBAC1BrS,UAAW,2BACX8pD,QAAS72D,KAAK8d,SAASu5C,UAAU,GACjCN,cAAe/2D,KAAK8d,SAASi5C,cAC7B52D,KAAM,gBAEH8gB,SAASq2C,yBAGRC,mBAAqB,IAAIb,kBAAkB7iD,OAAQ,CACvDkK,IAAAA,IACAq4C,mCAA6Br4C,KAC7B64C,WAAY52D,KAAKof,SAAS,2BAC1BrS,UAAW,+BACX8pD,QAAS72D,KAAK8d,SAASu5C,UAAU,GACjCN,cAAe/2D,KAAK8d,SAASi5C,cAC7B52D,KAAM,gBAEH8gB,SAASs2C,oBAShB/sD,kBACaA,SAAS,MAAO,CACzBuC,UAAW,+BAKjByQ,YAAY8K,kBAAkB,0BAA2B4uC,+BAWnDM,8BAA8Bh6C,YAsBlCnY,YAAYwO,cACJA,8DADsB,UAEtBkK,IAAM/d,KAAK8d,SAASq5C,qBACpBC,kBAAoB,IAAIV,kBAAkB7iD,OAAQ,CACtDkK,IAAAA,IACAq4C,sCAAgCr4C,KAChC64C,WAAY,YACZ7pD,UAAW,qCACX8pD,QAAS72D,KAAK8d,SAASu5C,UAAU,GACjCN,cAAe/2D,KAAK8d,SAASi5C,cAC7B52D,KAAM,cAEH8gB,SAASm2C,yBACRE,kBAAoB,IAAIZ,kBAAkB7iD,OAAQ,CACtDkK,IAAAA,IACAq4C,uCAAiCr4C,KACjC64C,WAAY52D,KAAKof,SAAS,mBAC1BrS,UAAW,mCACX8pD,QAAS72D,KAAK8d,SAASu5C,UAAU,GACjCN,cAAe/2D,KAAK8d,SAASi5C,cAC7B52D,KAAM,cAEH8gB,SAASq2C,yBACRC,mBAAqB,IAAIb,kBAAkB7iD,OAAQ,CACvDkK,IAAAA,IACAq4C,wCAAkCr4C,KAClC64C,WAAY52D,KAAKof,SAAS,eAC1BrS,UAAW,oCACX8pD,QAAS72D,KAAK8d,SAASu5C,UAAU,GACjCN,cAAe/2D,KAAK8d,SAASi5C,cAC7B52D,KAAM,cAEH8gB,SAASs2C,oBAShB/sD,kBACaA,SAAS,MAAO,CACzBuC,UAAW,6BAKjByQ,YAAY8K,kBAAkB,wBAAyBkvC,6BAWjDC,8BAA8Bj6C,YAClCnY,YAAYwO,cACJA,8DADsB,UAItB6jD,oBAAsB13D,KAAKof,SAAS,8CACpCu4C,YAAc,IAAI3T,OAAOnwC,OAAQ,CACrC8Z,YAAa+pC,oBACb3qD,UAAW,uBAEb4qD,YAAY9sD,KAAKoB,UAAUU,OAAO,cAAe,cACjDgrD,YAAY9sD,KAAKK,YAAclL,KAAKof,SAAS,cACxC6B,SAAS02C,mBACRC,WAAa,IAAI5T,OAAOnwC,OAAQ,CACpC8Z,YAAa+pC,oBACb3qD,UAAW,oBAIb6qD,WAAW/sD,KAAKoB,UAAUU,OAAO,cAAe,cAChDirD,WAAW/sD,KAAKK,YAAclL,KAAKof,SAAS,aACvC6B,SAAS22C,YAShBptD,kBACaA,SAAS,MAAO,CACzBuC,UAAW,iCAKjByQ,YAAY8K,kBAAkB,wBAAyBmvC,6BASjDI,YAAc,CAAC,OAAQ,SACvBC,WAAa,CAAC,OAAQ,QACtBC,WAAa,CAAC,OAAQ,QACtBC,YAAc,CAAC,OAAQ,SACvBC,cAAgB,CAAC,OAAQ,WACzBC,UAAY,CAAC,OAAQ,OACrBC,YAAc,CAAC,OAAQ,SACvBC,aAAe,CAAC,OAAQ,UACxBC,eAAiB,CAAC,IAAK,UACvBC,aAAe,CAAC,MAAO,oBACvBC,cAAgB,CAAC,IAAK,eAatBxB,cAAgB,CACpBvvB,gBAAiB,CACfp9B,SAAU,yBACV4T,GAAI,+BACJyO,MAAO,QACPtmB,QAAS,CAAC0xD,YAAaM,YAAaD,UAAWF,YAAaF,WAAYM,aAAcH,cAAeF,YACrGhrD,UAAW,gBAEbq2C,kBAAmB,CACjBh5C,SAAU,2BACV4T,GAAI,iCACJyO,MAAO,UACPtmB,QAAS,CAACkyD,eAAgBC,aAAcC,eACxCxrD,UAAW,8BAEbw6B,MAAO,CACLn9B,SAAU,2BACV4T,GAAI,+BACJyO,MAAO,QACPtmB,QAAS,CAACgyD,YAAaN,YAAaK,UAAWF,YAAaF,WAAYM,aAAcH,cAAeF,YACrGhrD,UAAW,kBAEbw2C,UAAW,CACTn5C,SAAU,2BACV4T,GAAI,GACJyO,MAAO,kBACPtmB,QAAS,CAAC,CAAC,OAAQ,QAAS,CAAC,SAAU,UAAW,CAAC,YAAa,aAAc,CAAC,UAAW,WAAY,CAAC,aAAc,iBAEvHu9C,WAAY,CACVt5C,SAAU,4BACV4T,GAAI,GACJyO,MAAO,cACPtmB,QAAS,CAAC,CAAC,wBAAyB,2BAA4B,CAAC,qBAAsB,wBAAyB,CAAC,oBAAqB,sBAAuB,CAAC,iBAAkB,mBAAoB,CAAC,SAAU,UAAW,CAAC,SAAU,UAAW,CAAC,aAAc,gBAEjQs9C,YAAa,CACXr5C,SAAU,6BACV4T,GAAI,GACJyO,MAAO,YACPtmB,QAAS,CAAC,CAAC,OAAQ,OAAQ,CAAC,OAAQ,OAAQ,CAAC,OAAQ,QAAS,CAAC,OAAQ,QAAS,CAAC,OAAQ,QAAS,CAAC,OAAQ,QAAS,CAAC,OAAQ,QAAS,CAAC,OAAQ,QAAS,CAAC,OAAQ,SACjK62B,QAAS,EACTG,OAAQqG,GAAW,SAANA,EAAe,KAAO9zB,OAAO8zB,IAE5C2f,YAAa,CACX/4C,SAAU,6BACV4T,GAAI,iCACJyO,MAAO,UACPtmB,QAAS,CAACkyD,eAAgBC,cAC1BvrD,UAAW,gCAGbs2C,YAAa,CACXj5C,SAAU,6BACV4T,GAAI,2BACJyO,MAAO,QACP1f,UAAW,oBAGbu2C,cAAe,CACbl5C,SAAU,+BACV4T,GAAI,6BACJyO,MAAO,UACPtmB,QAAS,CAACoyD,cAAeD,aAAcD,gBACvCtrD,UAAW,4CAqBNyrD,iBAAiBtzD,MAAOi4B,WAC3BA,SACFj4B,MAAQi4B,OAAOj4B,QAEbA,OAAmB,SAAVA,aACJA,MAvBX6xD,cAAc1T,YAAYl9C,QAAU4wD,cAAcvvB,gBAAgBrhC,QAyPlEqX,YAAY8K,kBAAkB,kCAzKEsD,YAU9BvmB,YAAYwO,OAAQ1N,SAClBA,QAAQqnB,WAAY,QACd3Z,OAAQ1N,cACT+sC,cAAgBlzC,KAAKkzC,cAAcl6B,KAAKhZ,WAGxC8sB,YACAb,eAAiBjsB,KAAKksB,gBAAiB,OACvCusC,sBAAsB5kD,aACtB6kD,UAAYluD,SAAS,IAAK,CAC7BuC,UAAW,mBACX7B,YAAalL,KAAKof,SAAS,gCAExBvU,KAAKe,YAAY5L,KAAK04D,gBACtBC,mBAGoC11D,IAArCkD,QAAQyyD,gCACL96C,SAAS86C,yBAA2B54D,KAAK8d,SAAS+D,cAAc+2C,+BAElEC,mCACD74D,KAAK8d,SAAS86C,+BACXE,kBAGTL,sBAAsB5kD,cACdklD,wBAA0B,IAAI7B,wBAAwBrjD,OAAQ,CAClEsjD,qBAAsBn3D,KAAK+d,IAC3Bg5C,cAAAA,cACAM,UAAW,CAAC,CAAC,QAAS,eAAgB,CAAC,kBAAmB,qBAAsB,CAAC,cAAe,yBAE7Fp2C,SAAS83C,+BACRC,sBAAwB,IAAIxB,sBAAsB3jD,OAAQ,CAC9DsjD,qBAAsBn3D,KAAK+d,IAC3Bg5C,cAAAA,cACAM,UAAW,CAAC,CAAC,eAAgB,CAAC,aAAc,CAAC,sBAE1Cp2C,SAAS+3C,6BACRC,sBAAwB,IAAIxB,sBAAsB5jD,aACnDoN,SAASg4C,uBAEhBJ,wCACOvhD,GAAGtX,KAAK4R,EAAE,oBAAqB,CAAC,QAAS,QAAQ,UAC/CsnD,oBACAntC,gBAEFzU,GAAGtX,KAAK4R,EAAE,uBAAwB,CAAC,QAAS,QAAQ,UAClD+mD,mBACAzlB,mBAEPtuC,KAAKmyD,eAAeoC,cACb7hD,GAAGtX,KAAK4R,EAAEunD,OAAO/uD,UAAW,SAAUpK,KAAKkzC,kBAGpDn0B,eACO25C,UAAY,WACX35C,UAER0N,eACSzsB,KAAKof,SAAS,2BAEvBmN,qBACSvsB,KAAKof,SAAS,wEAEvBgD,uBACSoK,MAAMpK,gBAAkB,2BASjC8gC,mBACSn+C,OAAOgyD,eAAe,CAAC9xD,MAAOk0D,OAAQr0D,aACrCI,OA3HoB2F,GA2HW7K,KAAK4R,EAAEunD,OAAO/uD,UA3HrB+yB,OA2HgCg8B,OAAOh8B,OAzHlEq7B,iBADO3tD,GAAG1E,QAAQ0E,GAAG1E,QAAQizD,eAAel0D,MACpBi4B,aAFDtyB,GAAIsyB,mBA4HhBl6B,IAAViC,QACFD,MAAMH,KAAOI,OAERD,QACN,IASLo0D,UAAU1yD,QACR/B,KAAKmyD,eAAe,CAACoC,OAAQr0D,iBAtHN+F,GAAI3F,MAAOi4B,WAC/Bj4B,UAGA,IAAIlE,EAAI,EAAGA,EAAI6J,GAAG1E,QAAQlF,OAAQD,OACjCw3D,iBAAiB3tD,GAAG1E,QAAQnF,GAAGkE,MAAOi4B,UAAYj4B,MAAO,CAC3D2F,GAAGuuD,cAAgBp4D,SAiHnBs4D,CAAkBt5D,KAAK4R,EAAEunD,OAAO/uD,UAAWzD,OAAO7B,KAAMq0D,OAAOh8B,WAOnEw7B,cACE/zD,KAAKmyD,eAAeoC,eACZ54D,MAAQ44D,OAAOt1D,eAAe,WAAas1D,OAAOn8B,QAAU,OAC7DprB,EAAEunD,OAAO/uD,UAAUgvD,cAAgB74D,SAO5Cu4D,sBACMnyD,WAEFA,OAAS8zB,KAAKC,MAAMx4B,OAAOq3D,aAAaC,QAnSlB,4BAoStB,MAAOrhC,KACP31B,MAAMkB,KAAKy0B,KAETxxB,aACG0yD,UAAU1yD,QAOnBuyD,mBACOl5D,KAAK8d,SAAS86C,sCAGbjyD,OAAS3G,KAAKkjD,gBAEd5+C,OAAOG,KAAKkC,QAAQ1F,OACtBiB,OAAOq3D,aAAaE,QAtTA,0BAsT6Bh/B,KAAKsB,UAAUp1B,SAEhEzE,OAAOq3D,aAAaG,WAxTA,2BA0TtB,MAAOvhC,KACP31B,MAAMkB,KAAKy0B,MAOf+a,sBACQymB,UAAY35D,KAAK2d,QAAQuC,SAAS,oBACpCy5C,WACFA,UAAUzmB,gBAOdh1B,4BACO4O,YACA2rC,sBAAsBz4D,KAAK2d,cAC3Bk7C,sCAuITr7C,YAAY8K,kBAAkB,8BA7GF9K,YAc1BnY,YAAYwO,OAAQ1N,aACdyzD,0BAA4BzzD,QAAQ0zD,gBAAkB33D,OAAO23D,eAGlC,OAA3B1zD,QAAQ0zD,iBACVD,2BAA4B,SAQxB/lD,OAJWvO,QAAQ,CACvBkF,UAAWovD,0BACX/6C,qBAAqB,GACpB1Y,eAEE0zD,eAAiB1zD,QAAQ0zD,gBAAkB33D,OAAO23D,oBAClDC,cAAgB,UAChBC,gBAAkB,UAClBC,kBAAoB3gD,YAAW,UAC7B4gD,kBACJ,KAAK,EAAOj6D,MACX45D,gCACGG,gBAAkB,IAAI/5D,KAAK65D,eAAe75D,KAAKg6D,wBAC/CD,gBAAgBG,QAAQrmD,OAAOhJ,aAE/BivD,cAAgB,SACd95D,KAAKoc,MAAQpc,KAAKoc,IAAI+9C,2BAGrBH,kBAAoBh6D,KAAKg6D,sBAC3BI,gBAAkBp6D,KAAKo6D,gBAAkB,WAC3C52D,IAAIxD,KAAM,SAAUg6D,mBACpBx2D,IAAIxD,KAAM,SAAUo6D,iBACpBA,gBAAkB,MAKpB9iD,GAAGtX,KAAKoc,IAAI+9C,cAAe,SAAUC,iBACrC9iD,GAAGtX,KAAKoc,IAAI+9C,cAAe,SAAUH,yBAElCzhD,IAAI,OAAQvY,KAAK85D,gBAG1BtvD,kBACSgiB,MAAMhiB,SAAS,SAAU,CAC9BuC,UAAW,qBACXmZ,UAAW,EACXurC,MAAOzxD,KAAKof,SAAS,eACpB,eACc,SASnB66C,gBASOj6D,KAAK2d,SAAY3d,KAAK2d,QAAQzF,cAG9ByF,QAAQzF,QAAQ,gBAEvB6G,UACM/e,KAAKg6D,wBACFA,kBAAkBxgD,SAErBxZ,KAAK+5D,kBACH/5D,KAAK2d,QAAQ9S,WACVkvD,gBAAgBM,UAAUr6D,KAAK2d,QAAQ9S,WAEzCkvD,gBAAgBO,cAEnBt6D,KAAK85D,oBACFt2D,IAAI,OAAQxD,KAAK85D,eAEpB95D,KAAKoc,KAAOpc,KAAKoc,IAAI+9C,eAAiBn6D,KAAKo6D,sBACxCA,gBAAgBh1D,KAAKpF,KAAKoc,IAAI+9C,oBAEhCN,eAAiB,UACjBU,eAAiB,UACjBP,kBAAoB,UACpBF,cAAgB,WACf/6C,mBAOJy7C,WAAa,CACjBC,kBAAmB,GACnBC,cAAe,IA2VjBl9C,YAAY8K,kBAAkB,4BAjVJ9K,YAoBxBnY,YAAYwO,OAAQ1N,eAKZ0N,OAHWvO,QAAQk1D,WAAYr0D,QAAS,CAC5CqE,UAAU,UAGPmwD,kBAAoB,IAAM36D,KAAK46D,kBAC/BC,YAAc7oD,GAAKhS,KAAKykD,WAAWzyC,QACnC8oD,uBAAyB9oD,GAAKhS,KAAK+6D,sBAAsB/oD,QACzDgpD,cAAgBhpD,GAAKhS,KAAK4kD,aAAa5yC,QACvCipD,gBAAkBjpD,GAAKhS,KAAKomD,eAAep0C,QAC3CkpD,cACA5jD,GAAGtX,KAAK2d,QAAS,kBAAkB3L,GAAKhS,KAAKm7D,qBAAqBnpD,UAGlEsF,GAAGtX,KAAK2d,QAAS,WAAW,IAAM3d,KAAKo7D,mBAO9CR,mBACQ3jB,SAAWj3C,KAAK2d,QAAQs5B,eAGzBA,WAAaA,SAASh2C,oBAGrBypD,QAAUh7C,OAAOxN,OAAOiX,YAAYC,MAAMiuC,QAAQ,IAClDgU,WAAgC,IAApBr7D,KAAKs7D,UAAmB,GAAK5Q,QAAU1qD,KAAKs7D,WAAa,SACtEA,UAAY5Q,aACZ6Q,aAAev7D,KAAKw7D,cAAgBH,gBACnC/Q,gBAAkBtqD,KAAKsqD,kBACvBjrB,YAAcr/B,KAAK2d,QAAQ0hB,kBAO7Bo8B,SAAWz7D,KAAK2d,QAAQqP,UAAYhtB,KAAK07D,mBAAqB3qD,KAAK24B,IAAI4gB,gBAAkBjrB,aAAer/B,KAAK8d,SAAS48C,cAKrH16D,KAAK27D,iBAAmBrR,kBAAoBvhC,EAAAA,IAC/C0yC,UAAW,GAETA,WAAaz7D,KAAK47D,uBACfA,gBAAkBH,cAClBvjD,QAAQ,mBAQjBijD,4BACOC,iBAMPA,iBACMp7D,KAAK2d,QAAQ+L,aAAeX,EAAAA,GAAY/oB,KAAKmpD,cAAgBnpD,KAAK8d,SAAS28C,mBACzEz6D,KAAK2d,QAAQG,SAAS+9C,aACnBl+C,QAAQxR,SAAS,mBAEnB8yB,uBAEAthB,QAAQlR,YAAY,mBACpBuyB,gBAOTC,gBACMj/B,KAAK87D,eAOJ97D,KAAK27D,uBACHA,gBAAkB37D,KAAK2d,QAAQo+C,mBAEjCC,kBAAoBh8D,KAAKilB,YAAYjlB,KAAK26D,kBAlxkBnB,SAmxkBvBC,kBACAtjD,GAAGtX,KAAK2d,QAAS,CAAC,OAAQ,SAAU3d,KAAK26D,mBACzC36D,KAAK27D,qBAIHrkD,GAAGtX,KAAK2d,QAAS,SAAU3d,KAAKg7D,qBAHhCziD,IAAIvY,KAAK2d,QAAS,OAAQ3d,KAAK66D,kBAC/BtiD,IAAIvY,KAAK2d,QAAS,aAAc3d,KAAK86D,0BAU9CC,6BACOY,iBAAkB,OAClBrkD,GAAGtX,KAAK2d,QAAS,SAAU3d,KAAKg7D,eAOvCpW,qBACQqX,SAAWlrD,KAAK24B,IAAI1pC,KAAKsqD,kBAAoBtqD,KAAK2d,QAAQ0hB,oBAC3Dq8B,kBAAoB17D,KAAKk8D,qBAAuBD,SAAW,OAC3DC,qBAAsB,OACtBtB,aAOPnW,kBACOlsC,IAAIvY,KAAK2d,QAAS,aAAc3d,KAAKi7D,iBAO5CC,cACOI,WAAa,OACbC,aAAe,OACfY,cAAgB,OAChBP,iBAAkB,OAClBD,iBAAkB,OAClBD,mBAAoB,OACpBQ,qBAAsB,OACtBl3C,cAAchlB,KAAKg8D,wBACnBA,kBAAoB,UACpBx4D,IAAIxD,KAAK2d,QAAS,CAAC,OAAQ,SAAU3d,KAAK26D,wBAC1Cn3D,IAAIxD,KAAK2d,QAAS,SAAU3d,KAAKg7D,oBACjCx3D,IAAIxD,KAAK2d,QAAS,OAAQ3d,KAAK66D,kBAC/Br3D,IAAIxD,KAAK2d,QAAS,aAAc3d,KAAK86D,6BACrCt3D,IAAIxD,KAAK2d,QAAS,aAAc3d,KAAKi7D,iBAQ5Cvf,0BACOwgB,qBAAsB,EAM7Bl9B,eACOh/B,KAAK87D,oBAGLZ,cACAhjD,QAAQ,mBAUfkwC,oBACQnR,SAAWj3C,KAAK2d,QAAQs5B,WACxBmlB,aAAe,OACjBp7D,EAAIi2C,SAAWA,SAASh2C,OAAS,OAC9BD,KACLo7D,aAAan6D,KAAKg1C,SAAS/uB,IAAIlnB,WAK1Bo7D,aAAan7D,OAASm7D,aAAaC,OAAOD,aAAan7D,OAAS,GAAK8nB,EAAAA,EAU9EyhC,sBACQvT,SAAWj3C,KAAK2d,QAAQs5B,WACxBqlB,eAAiB,OACnBt7D,EAAIi2C,SAAWA,SAASh2C,OAAS,OAC9BD,KACLs7D,eAAer6D,KAAKg1C,SAAShvB,MAAMjnB,WAK9Bs7D,eAAer7D,OAASq7D,eAAeD,OAAO,GAAK,EAY5DlT,mBACQmB,gBAAkBtqD,KAAKsqD,yBAGzBA,kBAAoBvhC,EAAAA,EACf,EAEFuhC,gBAAkBtqD,KAAKwqD,gBAUhC/O,gBACSz7C,KAAK87D,aAUd3V,oBACUnmD,KAAKu8D,iBASfjS,yBACStqD,KAAKw7D,cAAgBx7D,KAAKooD,cAUnCoT,oBACQpT,YAAcpoD,KAAKooD,qBACE,IAAvBpoD,KAAKm8D,cAAuB/T,cAAgBpoD,KAAKm8D,oBAC9CZ,aAAe,QAEjBY,aAAe/T,YACbpoD,KAAKu7D,aAUdgB,wBACSv8D,KAAK47D,gBAMdE,mBAC2C,iBAA3B97D,KAAKg8D,kBAMrB5V,sBACOsV,mBAAoB,EACrB17D,KAAKmmD,oBAGJ+V,qBAAsB,OACtBv+C,QAAQ0hB,YAAYr/B,KAAKsqD,oBAMhCvrC,eACOigB,qBACCjgB,aA6HVvB,YAAY8K,kBAAkB,yBA/GP9K,YACrBnY,YAAYwO,OAAQ1N,eACZ0N,OAAQ1N,cACTmR,GAAG,gBAAgBtF,GAAKhS,KAAKw8D,oBAC7BA,aASPhyD,uBACOiyD,IAAM,CACThL,MAAOjnD,SAAS,MAAO,CACrBuC,UAAW,sBACXiR,iCAA2BrJ,aAE7B4X,YAAa/hB,SAAS,MAAO,CAC3BuC,UAAW,4BACXiR,uCAAiCrJ,cAG9BnK,SAAS,MAAO,CACrBuC,UAAW,iBACV,GAAIrH,SAAS1F,KAAKy8D,MAMvBD,mBACQtxC,KAAOlrB,KAAK2d,QAAQsgB,MACpBy+B,OAASxxC,MAAQA,KAAK9O,IACtBugD,cAAgB,CACpBlL,MAAO,kBACPllC,YAAa,qBAEd,QAAS,eAAe1nB,SAAQuJ,UACzBlJ,MAAQlF,KAAKsc,MAAMlO,GACnBvD,GAAK7K,KAAKy8D,IAAIruD,GACdwuD,aAAeD,cAAcvuD,GACnC+C,QAAQtG,IACJ3F,OACFgG,YAAYL,GAAI3F,OAKdw3D,SACFA,OAAOvvD,gBAAgByvD,cACnB13D,OACFw3D,OAAOtxD,aAAawxD,aAAc/xD,GAAGmT,QAIvChe,KAAKsc,MAAMm1C,OAASzxD,KAAKsc,MAAMiQ,iBAC5B9J,YAEAC,OAiCT28B,OAAOl5C,cACAoW,SAASpW,SAMhB4Y,gBACQmM,KAAOlrB,KAAK2d,QAAQsgB,MACpBy+B,OAASxxC,MAAQA,KAAK9O,IACxBsgD,SACFA,OAAOvvD,gBAAgB,mBACvBuvD,OAAOvvD,gBAAgB,2BAEnB4R,eACD09C,IAAM,cAkBTI,SAAW,CACfC,eAAgB,IAChB1sD,SAAU,GACV2sD,WAAW,GAgGbv/C,YAAY8K,kBAAkB,gCA7EA07B,OAO5B3+C,YAAYwO,OAAQ1N,eAEZ0N,OADN1N,QAAUb,QAAQu3D,SAAU12D,eAEvBwnB,YAAYxnB,QAAQwnB,kBACpBjL,YAIApL,GAAGtX,KAAK2d,QAAS,CAAC,aAAc,iBAAiB3L,SAC/CvF,YAAY,oBASrB2V,mEAC+CpiB,KAAK8d,SAAS1N,SAASX,KAAIwO,iBAAYA,KAAKxL,KAAK,MAQhGjI,iBAEQK,GAAKL,SAAS,SAAU,GAAI,CAChCrK,KAAM,SACN68D,MAAOh9D,KAAKoiB,iBACX5X,SAAS,qBACPs0C,eAAiBj0C,GAAGP,cAAc,QAChCO,GAOT4X,aACQA,YACDtW,SAAS,iBACVnM,KAAK8d,SAASi/C,gBACXlyD,KAAKiD,MAAM,CACdmvD,eAAe,SAGdC,oBAAsBl9D,KAAK2d,QAAQ3J,YAAW,UAC5CvH,YAAY,mBAChBzM,KAAK8d,SAASg/C,gBAMnBp6C,YACOjW,YAAY,uBACXiW,OAMR3D,eACOpB,QAAQlE,aAAazZ,KAAKk9D,2BACzBn+C,mBAoBJo+C,cAAgBjyC,aACdrgB,GAAKqgB,KAAKrgB,QAGZA,GAAGkkB,aAAa,cAClB7D,KAAKkmB,iBAAiBvmC,GAAG0gB,MAClB,QAeH/lB,QAAU0lB,KAAKrZ,GAAG,UAClBurD,QAAU,OACZ7xC,IAAM,OAGL/lB,QAAQvE,cACJ,MAIJ,IAAID,EAAI,EAAGA,EAAIwE,QAAQvE,OAAQD,IAAK,OACjCuxB,IAAM/sB,QAAQxE,GAAGuqB,IACnBgH,MAAiC,IAA1B6qC,QAAQ58D,QAAQ+xB,MACzB6qC,QAAQn7D,KAAKswB,aAKZ6qC,QAAQn8D,SAMU,IAAnBm8D,QAAQn8D,SACVsqB,IAAM6xC,QAAQ,IAEhBlyC,KAAKkmB,iBAAiB7lB,MACf,IAOH8xC,4BAA8B/4D,OAAO0B,eAAe,GAAI,YAAa,CACzEK,aACSrG,KAAKs9D,WAAU,GAAMn3B,WAE9BpgC,IAAIy9B,SAEI+5B,MAAQr8D,SAAS4J,cAAc9K,KAAKsP,SAASC,eAGnDguD,MAAMp3B,UAAY3C,QAGZg6B,QAAUt8D,SAASu8D,8BAIlBF,MAAMv2B,WAAW/lC,QACtBu8D,QAAQ5xD,YAAY2xD,MAAMv2B,WAAW,gBAIlCz7B,UAAY,GAIjBrJ,OAAOw7D,QAAQn5D,UAAUqH,YAAYxG,KAAKpF,KAAMw9D,SAGzCx9D,KAAKmmC,aAQVw3B,cAAgB,CAACC,SAAU9rD,YAC3B+rD,WAAa,OACZ,IAAI78D,EAAI,EAAGA,EAAI48D,SAAS38D,SAC3B48D,WAAav5D,OAAOw5D,yBAAyBF,SAAS58D,GAAI8Q,QACtD+rD,YAAcA,WAAW93D,KAAO83D,WAAWx3D,MAFZrF,YAMrC68D,WAAW53D,YAAa,EACxB43D,WAAWz3D,cAAe,EACnBy3D,YAsBHE,iBAAmB,SAAU7yC,YAC3BrgB,GAAKqgB,KAAKrgB,QAGZA,GAAGmzD,+BAGDloD,IAAM,GACNmoD,gBA5BuB/yC,CAAAA,MAAQyyC,cAAc,CAACzyC,KAAKrgB,KAAM3I,OAAOg8D,iBAAiB35D,UAAWrC,OAAOw7D,QAAQn5D,UAAW84D,6BAA8B,aA4BlIc,CAAuBjzC,MACzCkzC,cAAgBC,UAAY,2CAAI58D,uDAAAA,qCAC9B68D,OAASD,SAAS5lD,MAAM5N,GAAIpJ,aAClC07D,cAAcjyC,MACPozC,SAER,SAAU,cAAe,sBAAsBz5D,SAAQuJ,IACjDvD,GAAGuD,KAKR0H,IAAI1H,GAAKvD,GAAGuD,GAIZvD,GAAGuD,GAAKgwD,cAActoD,IAAI1H,QAE5B9J,OAAO0B,eAAe6E,GAAI,YAAavF,QAAQ24D,gBAAiB,CAC9Dl4D,IAAKq4D,cAAcH,gBAAgBl4D,QAErC8E,GAAGmzD,kBAAoB,KACrBnzD,GAAGmzD,kBAAoB,KACvB15D,OAAOG,KAAKqR,KAAKjR,SAAQuJ,IACvBvD,GAAGuD,GAAK0H,IAAI1H,MAEd9J,OAAO0B,eAAe6E,GAAI,YAAaozD,kBAIzC/yC,KAAK3S,IAAI,YAAa1N,GAAGmzD,oBAOrBO,sBAAwBj6D,OAAO0B,eAAe,GAAI,MAAO,CAC7DK,aACMrG,KAAK+uB,aAAa,OACb2D,eAAexwB,OAAOw7D,QAAQn5D,UAAUmJ,aAAatI,KAAKpF,KAAM,QAElE,IAET+F,IAAIy9B,UACFthC,OAAOw7D,QAAQn5D,UAAU6G,aAAahG,KAAKpF,KAAM,MAAOwjC,GACjDA,KAoBLg7B,eAAiB,SAAUtzC,UAC1BA,KAAK+pB,+BAGJpqC,GAAKqgB,KAAKrgB,QAGZA,GAAG4zD,6BAGDC,cA3BiBxzC,CAAAA,MAAQyyC,cAAc,CAACzyC,KAAKrgB,KAAM3I,OAAOg8D,iBAAiB35D,UAAWg6D,uBAAwB,OA2B9FI,CAAiBzzC,MACjC0zC,gBAAkB/zD,GAAGO,aACrByzD,QAAUh0D,GAAGu1B,KACnB97B,OAAO0B,eAAe6E,GAAI,MAAOvF,QAAQo5D,cAAe,CACtD34D,IAAKy9B,UACG86B,OAASI,cAAc34D,IAAIX,KAAKyF,GAAI24B,UAG1CtY,KAAKkmB,iBAAiBvmC,GAAG0gB,KAClB+yC,WAGXzzD,GAAGO,aAAe,CAACuM,EAAG6rB,WACd86B,OAASM,gBAAgBx5D,KAAKyF,GAAI8M,EAAG6rB,SACvC,OAAOnhC,KAAKsV,IACduT,KAAKkmB,iBAAiBvmC,GAAG0gB,KAEpB+yC,QAETzzD,GAAGu1B,KAAO,WACFk+B,OAASO,QAAQz5D,KAAKyF,WAMvBsyD,cAAcjyC,QACjBA,KAAKkmB,iBAAiB,IACtB2sB,iBAAiB7yC,OAEZozC,QAELzzD,GAAGi0D,WACL5zC,KAAKkmB,iBAAiBvmC,GAAGi0D,YACf3B,cAAcjyC,OACxB6yC,iBAAiB7yC,MAEnBrgB,GAAG4zD,gBAAkB,KACnB5zD,GAAG4zD,gBAAkB,KACrB5zD,GAAGu1B,KAAOy+B,QACVh0D,GAAGO,aAAewzD,gBAClBt6D,OAAO0B,eAAe6E,GAAI,MAAO6zD,eAC7B7zD,GAAGmzD,mBACLnzD,GAAGmzD,4BAeHe,cAAc/8C,KAUlB3c,YAAYc,QAASsX,aACbtX,QAASsX,aACThY,OAASU,QAAQV,WACnBu5D,mBAAoB,UACnB9pB,2BAA6Bl1C,KAAKk1C,4BAAmD,UAArBl1C,KAAKoc,IAAI3R,QAM1EhF,SAAWzF,KAAKoc,IAAI0iD,aAAer5D,OAAO8lB,KAAOplB,QAAQkH,KAAyC,IAAlClH,QAAQkH,IAAI4xD,wBACzEnpB,UAAUrwC,aAEVy5D,gBAAgBl/D,KAAKoc,KAIxBjW,QAAQg5D,sBACLC,+BAEFC,cAAe,EAChBr/D,KAAKoc,IAAIkjD,gBAAiB,OACtBC,MAAQv/D,KAAKoc,IAAI4qB,eACnBw4B,YAAcD,MAAMt+D,aAClBw+D,YAAc,QACbD,eAAe,OACdjuD,KAAOguD,MAAMC,aAEF,UADAjuD,KAAKjC,SAASC,gBAExBvP,KAAK+wC,+BAQH0C,qBAAqBlS,iBAAiBhwB,WACtCwhC,mBAAmBrjB,SAASne,KAAKqZ,YACjCY,aAAakE,SAASne,KAAKqZ,OAC3Bo0C,mBAAsBh/D,KAAKoc,IAAI2S,aAAa,iBAAkBgE,cAAcxhB,KAAKga,OACpFyzC,mBAAoB,IAPtBS,YAAYx9D,KAAKsP,WAYlB,IAAIvQ,EAAI,EAAGA,EAAIy+D,YAAYx+D,OAAQD,SACjCob,IAAIhL,YAAYquD,YAAYz+D,SAGhC0+D,qBACD1/D,KAAK+wC,0BAA4BiuB,mBACnCx8D,MAAMkB,KAAK,+IAIRi8D,2CAMAx3D,eAAiBJ,aAAiD,IAAnC5B,QAAQgrC,6BACrCyuB,aAAY,QAKdC,8BACAt9C,eAMPxD,UACM/e,KAAKoc,KAAOpc,KAAKoc,IAAIqiD,sBAClBriD,IAAIqiD,kBAEXM,MAAMe,oBAAoB9/D,KAAKoc,UAC1B0B,SAAW,WAGViB,UAORqgD,0BACEZ,eAAex+D,MAWjB2/D,gDACQn0C,WAAaxrB,KAAKwrB,iBACpBu0C,uCAGEC,0BAA4B,KAChCD,iCAAmC,OAC9B,IAAI/+D,EAAI,EAAGA,EAAIwqB,WAAWvqB,OAAQD,IAAK,OACpC4pB,MAAQY,WAAWxqB,GACN,aAAf4pB,MAAMgG,MACRmvC,iCAAiC99D,KAAK,CACpC2oB,MAAAA,MACAq1C,WAAYr1C,MAAM0T,SAQ1B0hC,4BACAx0C,WAAWpX,iBAAiB,SAAU4rD,gCACjC1oD,GAAG,WAAW,IAAMkU,WAAWtX,oBAAoB,SAAU8rD,mCAC5DE,iBAAmB,SAClB,IAAIl/D,EAAI,EAAGA,EAAI++D,iCAAiC9+D,OAAQD,IAAK,OAC1Dm/D,YAAcJ,iCAAiC/+D,GACtB,aAA3Bm/D,YAAYv1C,MAAM0T,MAAuB6hC,YAAYv1C,MAAM0T,OAAS6hC,YAAYF,aAClFE,YAAYv1C,MAAM0T,KAAO6hC,YAAYF,YAIzCz0C,WAAWtX,oBAAoB,SAAUgsD,wBAKtC5oD,GAAG,yBAAyB,KAC/BkU,WAAWtX,oBAAoB,SAAU8rD,2BAGzCx0C,WAAWtX,oBAAoB,SAAUgsD,kBACzC10C,WAAWpX,iBAAiB,SAAU8rD,0BAInC5oD,GAAG,uBAAuB,KAE7BkU,WAAWtX,oBAAoB,SAAU8rD,2BACzCx0C,WAAWpX,iBAAiB,SAAU4rD,2BAGtCx0C,WAAWtX,oBAAoB,SAAUgsD,qBAa7CE,gBAAgBjgE,KAAMk0C,aAEhBA,WAAar0C,6BAAsBG,6BAGjCkgE,cAAgBlgE,KAAKoP,cACvBvP,eAAQqgE,oCACV/7D,OAAOG,KAAKzE,eAAQqgE,oCAAkCx7D,SAAQy7D,YAC3CtgE,KAAK6K,eAAQw1D,yBACrBnsD,oBAAoBosD,UAAWtgE,eAAQqgE,mCAAiCC,4CAG/DngE,iBAAiBk0C,wBAC/BgsB,mCAAmC,UACtCE,0BAA0BF,eASjCjsB,0BAA0BC,eACnB+rB,gBAAgB,QAAS/rB,UAShCC,0BAA0BD,eACnB+rB,gBAAgB,QAAS/rB,UAUhCksB,0BAA0Bl/D,YAClBmvC,MAAQjQ,OAAOl/B,MACfm/D,SAAWxgE,KAAK6K,KAAK2lC,MAAMxP,YAC3By/B,WAAazgE,KAAKwwC,MAAMxP,kBACzBhhC,6BAAsBwwC,MAAM3P,yBAAyB2/B,WAAaA,SAASpsD,8BAG1EssD,UAAY,CAChB1wC,OAAQhe,UACA9C,MAAQ,CACZ/O,KAAM,SACNmQ,OAAQmwD,WACRvkB,cAAeukB,WACfxqD,WAAYwqD,YAEdA,WAAWvoD,QAAQhJ,OASN,SAAT7N,WACG6/B,OAAOC,WAAWH,cAAc9oB,QAAQhJ,QAGjD+gB,SAASje,GACPyuD,WAAW/wC,SAAS1d,EAAE4Y,QAExBsF,YAAYle,GACVyuD,WAAW7wC,YAAY5d,EAAE4Y,SAGvB+1C,gBAAkB,iBAChBC,aAAe,OAChB,IAAI5/D,EAAI,EAAGA,EAAIy/D,WAAWx/D,OAAQD,IAAK,KACtC6/D,OAAQ,MACP,IAAI9iB,EAAI,EAAGA,EAAIyiB,SAASv/D,OAAQ88C,OAC/ByiB,SAASziB,KAAO0iB,WAAWz/D,GAAI,CACjC6/D,OAAQ,QAIPA,OACHD,aAAa3+D,KAAKw+D,WAAWz/D,SAG1B4/D,aAAa3/D,QAClBw/D,WAAW7wC,YAAYgxC,aAAavlD,eAGnCm1B,MAAMxP,WAAa,cAAgB0/B,UACxCp8D,OAAOG,KAAKi8D,WAAW77D,SAAQy7D,kBACvBplD,SAAWwlD,UAAUJ,WAC3BE,SAASpsD,iBAAiBksD,UAAWplD,eAChC5D,GAAG,WAAWtF,GAAKwuD,SAAStsD,oBAAoBosD,UAAWplD,oBAI7D5D,GAAG,YAAaqpD,sBAChBrpD,GAAG,WAAWtF,GAAKhS,KAAKwD,IAAI,YAAam9D,mBAShDjB,qBACEn/B,OAAOngB,MAAMvb,SAAQxD,YACdk/D,0BAA0Bl/D,SAUnCmJ,eACMK,GAAK7K,KAAK8d,SAASzQ,QAMlBxC,KAAQ7K,KAAK8d,SAASgjD,iBAAkB9gE,KAAK+gE,wBAA0B,IAEtEl2D,GAAI,OACAm2D,MAAQn2D,GAAGyyD,WAAU,GACvBzyD,GAAGqD,YACLrD,GAAGqD,WAAWvC,aAAaq1D,MAAOn2D,IAEpCk0D,MAAMe,oBAAoBj1D,IAC1BA,GAAKm2D,UACA,CACLn2D,GAAK3J,SAAS4J,cAAc,eAItBH,WAAarF,QAAQ,GADLtF,KAAK8d,SAASzQ,KAAOD,cAAcpN,KAAK8d,SAASzQ,MAElElF,gBAA0D,IAAzCnI,KAAK8d,SAASqzB,+BAC3BxmC,WAAWyiB,SAEpBngB,cAAcpC,GAAIvG,OAAO4X,OAAOvR,WAAY,CAC1CqT,GAAIhe,KAAK8d,SAASmjD,OAClBjE,MAAO,cAGXnyD,GAAGq2D,SAAWlhE,KAAK8d,SAASojD,cAEO,IAA1BlhE,KAAK8d,SAASqjD,SACvB/1D,aAAaP,GAAI,UAAW7K,KAAK8d,SAASqjD,cAEEl+D,IAA1CjD,KAAK8d,SAASg2B,0BAChBjpC,GAAGipC,wBAA0B9zC,KAAK8d,SAASg2B,+BAMvCstB,cAAgB,CAAC,OAAQ,QAAS,cAAe,gBAClD,IAAIpgE,EAAI,EAAGA,EAAIogE,cAAcngE,OAAQD,IAAK,OACvCqgE,KAAOD,cAAcpgE,GACrBkE,MAAQlF,KAAK8d,SAASujD,WACP,IAAVn8D,QACLA,MACFkG,aAAaP,GAAIw2D,KAAMA,MAEvBl0D,gBAAgBtC,GAAIw2D,MAEtBx2D,GAAGw2D,MAAQn8D,cAGR2F,GAgBTq0D,gBAAgBr0D,OACU,IAApBA,GAAGy2D,cAA0C,IAApBz2D,GAAGy2D,uBAKV,IAAlBz2D,GAAGsJ,WAAkB,KAWnBotD,gBAAiB,QACfC,kBAAoB,WACxBD,gBAAiB,QAEdjqD,GAAG,YAAakqD,yBACfC,iBAAmB,WAGlBF,qBACErpD,QAAQ,0BAGZZ,GAAG,iBAAkBmqD,4BACrBhkD,OAAM,gBACJja,IAAI,YAAag+D,wBACjBh+D,IAAI,iBAAkBi+D,kBACtBF,qBAEErpD,QAAQ,sBAUbwpD,gBAAkB,CAAC,aAGzBA,gBAAgBz/D,KAAK,kBAGjB4I,GAAGsJ,YAAc,GACnButD,gBAAgBz/D,KAAK,cAInB4I,GAAGsJ,YAAc,GACnButD,gBAAgBz/D,KAAK,WAInB4I,GAAGsJ,YAAc,GACnButD,gBAAgBz/D,KAAK,uBAIlBwb,OAAM,WACTikD,gBAAgB78D,SAAQ,SAAU1E,WAC3B+X,QAAQ/X,QACZH,SAaPsyC,aAAaqvB,kBACNtC,aAAesC,YAUtBnvB,mBACSxyC,KAAKq/D,aASd5sB,eAAejqB,aAEPxoB,KAAKq/D,cAAgBr/D,KAAKoc,IAAIwlD,UAAYp4D,mBACvC4S,IAAIwlD,SAASp5C,cAEbpM,IAAIijB,YAAc7W,QAEzB,MAAOxW,GACPxP,MAAMwP,EAAG,mCAWb0X,cAKM1pB,KAAKoc,IAAIsN,WAAaX,EAAAA,GAAYhiB,YAAcI,WAAsC,IAAzBnH,KAAKoc,IAAIijB,YAAmB,OAGrFwiC,cAAgB,KAChB7hE,KAAKoc,IAAIijB,YAAc,IAErBr/B,KAAKoc,IAAIsN,WAAaX,EAAAA,QACnB7Q,QAAQ,uBAEV1U,IAAI,aAAcq+D,6BAGtBvqD,GAAG,aAAcuqD,eACfC,WAEF9hE,KAAKoc,IAAIsN,UAAYo4C,IAS9BvzD,eACSvO,KAAKoc,IAAIxN,YASlBP,gBACSrO,KAAKoc,IAAIvN,aAalBgxD,8BACQ,+BAAgC7/D,KAAKoc,kBAGrC2lD,MAAQ,gBACP7pD,QAAQ,mBAAoB,CAC/Bs0C,cAAc,IAGZxsD,KAAKoc,IAAIgR,WAAaptB,KAAK8d,SAASqzB,wBAA0BnxC,KAAKotB,kBAChEhR,IAAIgR,UAAW,IAGlB40C,QAAU,WACV,2BAA4BhiE,KAAKoc,KAA2C,uBAApCpc,KAAKoc,IAAI6lD,8BAC9C1pD,IAAI,sBAAuBwpD,YAC3B7pD,QAAQ,mBAAoB,CAC/Bs0C,cAAc,EAEd0V,qBAAqB,WAItB5qD,GAAG,wBAAyB0qD,cAC5B1qD,GAAG,WAAW,UACZ9T,IAAI,wBAAyBw+D,cAC7Bx+D,IAAI,sBAAuBu+D,UAWpCI,2BACmD,mBAAnCniE,KAAKoc,IAAIgmD,sBAMzBC,wBACQvhC,MAAQ9gC,KAAKoc,OACf0kB,MAAM9T,QAAU8T,MAAMwgC,cAAgBxgC,MAAMwhC,cAG9Cr4C,eAAejqB,KAAKoc,IAAIsB,aAInB1J,YAAW,WACd8sB,MAAM5T,YAEJ4T,MAAMshC,wBACN,MAAOpwD,QACFkG,QAAQ,kBAAmBlG,MAEjC,YAGD8uB,MAAMshC,wBACN,MAAOpwD,QACFkG,QAAQ,kBAAmBlG,IAQtCuwD,iBACOviE,KAAKoc,IAAIomD,gCAITpmD,IAAIqmD,4BAHFvqD,QAAQ,kBAAmB,IAAIpU,MAAM,gCAgB9C6vC,iCACS3zC,KAAKoc,IAAIu3B,0BAYlB5U,0BAA0BiV,WACpBh0C,KAAKk1C,6BAA+Bl1C,KAAKoc,IAAIsmD,WACxC1iE,KAAKoc,IAAI2iB,0BAA0BiV,IAErCxnB,MAAMuS,0BAA0BiV,IAQzCzU,yBAAyBvhB,IACnBhe,KAAKk1C,6BAA+Bl1C,KAAKoc,IAAIsmD,gBAC1CtmD,IAAImjB,yBAAyBvhB,UAE5BuhB,yBAAyBvhB,IAiBnCuN,IAAIA,aACUtoB,IAARsoB,WACKvrB,KAAKoc,IAAImP,SAIbk0B,OAAOl0B,KAedo3C,iBAAiBC,OAAQC,cAClBD,cACHpgE,MAAMmB,MAAM,wBACL,QAEHm/D,iBAAmB,CACvBv3C,IAAKq3C,QAEHC,WACFC,iBAAiB3iE,KAAO0iE,gBAEpBE,cAAgBv4D,SAAS,SAAU,GAAIs4D,8BACxC1mD,IAAIxQ,YAAYm3D,gBACd,EAYTC,oBAAoBJ,YACbA,cACHpgE,MAAMmB,MAAM,yDACL,QAEHs/D,eAAiBjjE,KAAKoc,IAAIwS,iBAAiB,cAC5C,MAAMm0C,iBAAiBE,kBACtBF,cAAcx3C,MAAQq3C,mBACnBxmD,IAAIhL,YAAY2xD,gBACd,SAGXvgE,MAAMkB,0DAAmDk/D,UAClD,EAOTztC,QACE4pC,MAAMmE,kBAAkBljE,KAAKoc,KAW/B0iD,oBACM9+D,KAAKg2C,eACAh2C,KAAKg2C,eAAezqB,IAEtBvrB,KAAKoc,IAAI0iD,WASlBc,YAAY30D,UACLmR,IAAIgR,WAAaniB,IAkBxBmoC,aAAaxiB,KAAMnE,MAAOjN,iBACnBxf,KAAK+wC,yBAGH/wC,KAAKoc,IAAIg3B,aAAaxiB,KAAMnE,MAAOjN,UAFjCgN,MAAM4mB,aAAaxiB,KAAMnE,MAAOjN,UAiC3C8zB,sBAAsBntC,aACfnG,KAAK+wC,gCACDvkB,MAAM8mB,sBAAsBntC,eAE/BqtC,iBAAmBtyC,SAAS4J,cAAc,gBAC5C3E,QAAQyqB,OACV4iB,iBAAiB5iB,KAAOzqB,QAAQyqB,MAE9BzqB,QAAQsmB,QACV+mB,iBAAiB/mB,MAAQtmB,QAAQsmB,QAE/BtmB,QAAQqZ,UAAYrZ,QAAQk4B,WAC9BmV,iBAAiBnV,QAAUl4B,QAAQqZ,UAAYrZ,QAAQk4B,SAErDl4B,QAAQ62B,UACVwW,iBAAiBxW,QAAU72B,QAAQ62B,SAEjC72B,QAAQ6X,KACVw1B,iBAAiBx1B,GAAK7X,QAAQ6X,IAE5B7X,QAAQolB,MACVioB,iBAAiBjoB,IAAMplB,QAAQolB,KAE1BioB,iBAeT9nB,mBAAmBvlB,QAASotC,qBACpBC,iBAAmBhnB,MAAMd,mBAAmBvlB,QAASotC,sBACvDvzC,KAAK+wC,+BACFlmC,KAAKe,YAAY4nC,kBAEjBA,iBASTvB,sBAAsBrnB,gBACdqnB,sBAAsBrnB,OACxB5qB,KAAK+wC,yBAA0B,OAC3BvhB,OAASxvB,KAAK6R,GAAG,aACnB7Q,EAAIwuB,OAAOvuB,YACRD,KACD4pB,QAAU4E,OAAOxuB,IAAM4pB,QAAU4E,OAAOxuB,GAAG4pB,YACxC/f,KAAKuG,YAAYoe,OAAOxuB,KAerC0yC,6BACmD,mBAAtC1zC,KAAK6K,KAAK6oC,+BACZ1zC,KAAK6K,KAAK6oC,gCAEbyvB,qBAAuB,eACoB,IAAtCnjE,KAAK6K,KAAKu4D,8BAAwF,IAAtCpjE,KAAK6K,KAAKw4D,0BAC/EF,qBAAqBG,mBAAqBtjE,KAAK6K,KAAKu4D,wBACpDD,qBAAqBI,iBAAmBvjE,KAAK6K,KAAKw4D,yBAEhDnhE,OAAOiX,cACTgqD,qBAAqBK,aAAethE,OAAOiX,YAAYC,OAElD+pD,sBAaXx9D,mBAAmBo5D,MAAO,YAAY,eAC/B32D,sBAGC04B,MAAQ5/B,SAAS4J,cAAc,SAC/B8f,MAAQ1pB,SAAS4J,cAAc,gBACrC8f,MAAMgG,KAAO,WACbhG,MAAMyT,QAAU,KAChBzT,MAAM6B,MAAQ,UACdqU,MAAMl1B,YAAYgf,OACXkW,SAUTi+B,MAAM5gB,YAAc,eAGhB4gB,MAAM0E,SAASvsB,OAAS,GACxB,MAAOllC,UACA,WAEC+sD,MAAM0E,WAAY1E,MAAM0E,SAASlvB,cAU7CwqB,MAAMxqB,YAAc,SAAUp0C,aACrB4+D,MAAM0E,SAASlvB,YAAYp0C,OAYpC4+D,MAAMpqB,cAAgB,SAAUF,OAAQtuC,gBAC/B44D,MAAMxqB,YAAYE,OAAOt0C,OAYlC4+D,MAAM2E,iBAAmB,qBAGfxsB,OAAS6nB,MAAM0E,SAASvsB,OAC9B6nB,MAAM0E,SAASvsB,OAASA,OAAS,EAAI,SAC/BysB,WAAazsB,SAAW6nB,MAAM0E,SAASvsB,cAOzCysB,YAAcp6D,QAChBrH,OAAO8R,YAAW,KACZ+qD,OAASA,MAAMx6D,YACjBw6D,MAAMx6D,UAAUswC,sBAAwBqC,SAAW6nB,MAAM0E,SAASvsB,YAK/D,GAEFysB,WACP,MAAO3xD,UACA,IAaX+sD,MAAM6E,cAAgB,qBAEZ5sB,MAAQ+nB,MAAM0E,SAASzsB,aAI7B+nB,MAAM0E,SAASzsB,OAASA,MACpB+nB,MAAM0E,SAASzsB,MACjB5rC,aAAa2zD,MAAM0E,SAAU,QAAS,SAEtCt2D,gBAAgB4xD,MAAM0E,SAAU,SAE3BzsB,QAAU+nB,MAAM0E,SAASzsB,MAChC,MAAOhlC,UACA,IAWX+sD,MAAM8E,uBAAyB,cAGzB98D,YAAcI,WAAaE,eAAiB,UACvC,YAIDguD,aAAe0J,MAAM0E,SAASpO,oBACpC0J,MAAM0E,SAASpO,aAAeA,aAAe,EAAI,GAC1CA,eAAiB0J,MAAM0E,SAASpO,aACvC,MAAOrjD,UACA,IAYX+sD,MAAM+E,sBAAwB,qBAIpBC,KAAO,OACbz/D,OAAO0B,eAAe9E,SAAS4J,cAAc,SAAU,MAAO,CAC5DzE,IAAK09D,KACLh+D,IAAKg+D,OAEPz/D,OAAO0B,eAAe9E,SAAS4J,cAAc,SAAU,MAAO,CAC5DzE,IAAK09D,KACLh+D,IAAKg+D,OAEPz/D,OAAO0B,eAAe9E,SAAS4J,cAAc,SAAU,YAAa,CAClEzE,IAAK09D,KACLh+D,IAAKg+D,OAEPz/D,OAAO0B,eAAe9E,SAAS4J,cAAc,SAAU,YAAa,CAClEzE,IAAK09D,KACLh+D,IAAKg+D,OAEP,MAAO/xD,UACA,SAEF,GAUT+sD,MAAMiF,yBAA2B,kBACxBx6D,eAAiBD,QAAUpC,WAUpC43D,MAAMkF,0BAA4B,oBACtBlF,MAAM0E,WAAY1E,MAAM0E,SAASS,cAU7CnF,MAAMoF,0BAA4B,oBACtBpF,MAAM0E,WAAY1E,MAAM0E,SAAS1O,cAS7CgK,MAAMnmD,OAAS,CAAC,YAAa,UAAW,QAAS,QAAS,UAAW,UAAW,iBAAkB,aAAc,UAAW,iBAAkB,UAAW,UAAW,UAAW,SAAU,QAAS,iBAAkB,aAAc,WAAY,OAAQ,QAAS,aAAc,SAAU,iBAiDrR,CAAC,sBAAuB,iBAAkB,CAAC,uBAAwB,0BAA2B,CAAC,oBAAqB,yBAA0B,CAAC,2BAA4B,4BAA6B,CAAC,4BAA6B,6BAA8B,CAAC,4BAA6B,8BAA8B/T,SAAQ,oBAAWC,IAAK1E,UACvVuF,mBAAmBo5D,MAAMx6D,UAAWO,KAAK,IAAMi6D,MAAM3+D,QAAO,MAE9D2+D,MAAMx6D,UAAUswC,sBAAwBkqB,MAAM2E,mBAU9C3E,MAAMx6D,UAAUw8D,yBAA2Bx3D,OAW3Cw1D,MAAMx6D,UAAUwwC,0BAA2B,EAS3CgqB,MAAMx6D,UAAUksC,wBAAyB,EAQzCsuB,MAAMx6D,UAAUosC,0BAA2B,EAO3CouB,MAAMx6D,UAAU2wC,8BAAgC6pB,MAAM0E,WAAY1E,MAAM0E,SAAS1kC,2BACjFggC,MAAMe,oBAAsB,SAAUj1D,OAC/BA,QAGDA,GAAGqD,YACLrD,GAAGqD,WAAWkD,YAAYvG,IAIrBA,GAAGy0D,iBACRz0D,GAAGuG,YAAYvG,GAAGa,YAKpBb,GAAGsC,gBAAgB,OAII,mBAAZtC,GAAGu1B,qBAIRv1B,GAAGu1B,OACH,MAAOpuB,UAMf+sD,MAAMmE,kBAAoB,SAAUr4D,QAC7BA,gBAGCrF,QAAUqF,GAAG+jB,iBAAiB,cAChC5tB,EAAIwE,QAAQvE,YACTD,KACL6J,GAAGuG,YAAY5L,QAAQxE,IAKzB6J,GAAGsC,gBAAgB,OACI,mBAAZtC,GAAGu1B,qBAIRv1B,GAAGu1B,OACH,MAAOpuB,UAwBf,QAeA,eAaA,WAaA,WAgBA,OAcA,eAAenN,SAAQ,SAAUiN,MAC/BitD,MAAMx6D,UAAUuN,MAAQ,kBACf9R,KAAKoc,IAAItK,OAAS9R,KAAKoc,IAAI2S,aAAajd,WAoBnD,QAYA,eAYA,WAeA,OAaA,eAAejN,SAAQ,SAAUiN,MAC/BitD,MAAMx6D,UAAU,MAAQ2Y,cAAcpL,OAAS,SAAU0xB,QAClDpnB,IAAItK,MAAQ0xB,EACbA,OACGpnB,IAAIhR,aAAa0G,KAAMA,WAEvBsK,IAAIjP,gBAAgB2E,WAqB/B,SAWA,cAYA,WAYA,SAYA,SAkBA,UAaA,QAaA,UAYA,WAaA,QAcA,eAiBA,sBAYA,0BAYA,SAgBA,eAkBA,aAYA,aAYA,cAaA,eAAejN,SAAQ,SAAUiN,MAC/BitD,MAAMx6D,UAAUuN,MAAQ,kBACf9R,KAAKoc,IAAItK,WAqBpB,SAWA,MAYA,SAkBA,UAcA,eAiBA,sBAWA,0BAaA,eAAejN,SAAQ,SAAUiN,MAC/BitD,MAAMx6D,UAAU,MAAQ2Y,cAAcpL,OAAS,SAAU0xB,QAClDpnB,IAAItK,MAAQ0xB,OAerB,QAQA,OAQA,QAAQ3+B,SAAQ,SAAUiN,MACxBitD,MAAMx6D,UAAUuN,MAAQ,kBACf9R,KAAKoc,IAAItK,YAGpBkQ,KAAKmzB,mBAAmB4pB,OAWxBA,MAAMhpB,oBAAsB,GAW5BgpB,MAAMhpB,oBAAoBxB,YAAc,SAAUp0C,iBAGvC4+D,MAAM0E,SAASlvB,YAAYp0C,MAClC,MAAO6R,SACA,KAgBX+sD,MAAMhpB,oBAAoBL,gBAAkB,SAAUjwC,OAAQU,YAExDV,OAAOtF,YACF4+D,MAAMhpB,oBAAoBxB,YAAY9uC,OAAOtF,MAG/C,GAAIsF,OAAO8lB,IAAK,OACfiuB,IAAM7mB,iBAAiBltB,OAAO8lB,YAC7BwzC,MAAMhpB,oBAAoBxB,4BAAqBiF,YAEjD,IAeTulB,MAAMhpB,oBAAoBE,aAAe,SAAUxwC,OAAQylB,KAAM/kB,SAC/D+kB,KAAKu0B,OAAOh6C,OAAO8lB,MAMrBwzC,MAAMhpB,oBAAoBh3B,QAAU,aAGpCggD,MAAM1pB,sBAAsB0pB,MAAMhpB,qBAClC/zB,KAAKk0B,aAAa,QAAS6oB,aAiBrBqF,sBAAwB,CAe9B,WAeA,QAeA,UAeA,UAeA,UAeA,iBAeA,aAeA,aAeA,SAeA,eAeA,mBAKMC,kBAAoB,CACxBC,QAAS,UACTC,eAAgB,iBAChBC,QAAS,UACTC,OAAQ,UAEJC,iBAAmB,CAAC,OAAQ,SAAU,QAAS,SAAU,QAAS,SAAU,QAC5EC,mBAAqB,GAS3BD,iBAAiB7/D,SAAQuJ,UACjBo1B,EAAoB,MAAhBp1B,EAAEw2D,OAAO,eAAkBx2D,EAAEgtC,UAAU,IAAOhtC,EACxDu2D,mBAAmBv2D,wBAAmBo1B,YAElCqhC,oBAAsB,CAC1BC,KAAM,IACNC,OAAQ,IACRC,MAAO,IACPC,OAAQ,IACRC,MAAO,KACPC,OAAQ,KACRC,KAAMr8C,EAAAA,SAeF1B,eAAe7J,YAanBnY,YAAYgI,IAAKlH,QAASsX,UAGxBpQ,IAAI2Q,GAAK3Q,IAAI2Q,IAAM7X,QAAQ6X,wBAAmBrJ,YAO9CxO,QAAU7B,OAAO4X,OAAOmL,OAAOg+C,eAAeh4D,KAAMlH,UAI5CyY,cAAe,EAGvBzY,QAAQqE,UAAW,EAGnBrE,QAAQ6V,SAAU,EAIlB7V,QAAQ0Y,qBAAsB,GAGzB1Y,QAAQqZ,SAAU,OACfw8B,QAAU3uC,IAAI2uC,QAAQ,UACxBA,UACF71C,QAAQqZ,SAAWw8B,QAAQtuC,aAAa,kBAKtC,KAAMvH,QAASsX,YAGhB6nD,+BAAiCtzD,GAAKhS,KAAKulE,0BAA0BvzD,QACrEwzD,yBAA2BxzD,GAAKhS,KAAKylE,mBAAmBzzD,QACxD0zD,oBAAsB1zD,GAAKhS,KAAK2lE,eAAe3zD,QAC/C4zD,oBAAsB5zD,GAAKhS,KAAK6lE,eAAe7zD,QAC/C8zD,8BAAgC9zD,GAAKhS,KAAK+lE,yBAAyB/zD,QACnEg0D,sBAAwBh0D,GAAKhS,KAAKimE,iBAAiBj0D,QACnDk0D,4BAA8Bl0D,GAAKhS,KAAKmmE,uBAAuBn0D,QAC/Do0D,2BAA6Bp0D,GAAKhS,KAAKqmE,sBAAsBr0D,QAC7Ds0D,0BAA4Bt0D,GAAKhS,KAAKumE,qBAAqBv0D,QAC3Dw0D,yBAA2Bx0D,GAAKhS,KAAKymE,oBAAoBz0D,QACzD00D,oBAAsB10D,GAAKhS,KAAK2mE,eAAe30D,QAC/C40D,wCAA0C50D,GAAKhS,KAAK6mE,mCAAmC70D,QAGvF80D,eAAgB,OAGhBxlE,IAAMsB,aAAa5C,KAAK+d,UAGxBuuC,OAAS3rD,mBAGTomE,mBAAoB,OAIpBC,iBAAmB,QAGnB1kD,UAAW,OAGXiuB,aAAc,OAGd02B,aAAc,OAGdC,eAAgB,OAGhBC,gBAAiB,OAGjBC,kBAAmB,OAGnBC,gBAAkB,CACrBnlB,iBAAkB,KAClBE,aAAc,KACdklB,eAAgB,KAKbtnE,KAAK8d,WAAa9d,KAAK8d,SAASkgC,YAAch+C,KAAK8d,SAASkgC,UAAU/8C,aACnE,IAAI6C,MAAM,mIAIbuJ,IAAMA,SAGNk6D,cAAgBl6D,KAAOD,cAAcC,UAGrCmS,SAASxf,KAAK8d,SAAS0B,UAGxBrZ,QAAQsZ,UAAW,OAEf+nD,iBAAmB,GACzBljE,OAAOyG,oBAAoB5E,QAAQsZ,WAAW5a,SAAQ,SAAUxD,MAC9DmmE,iBAAiBnmE,KAAKkO,eAAiBpJ,QAAQsZ,UAAUpe,cAEtDomE,WAAaD,2BAEbC,WAAapgD,OAAO9iB,UAAUuZ,SAAS2B,eAEzCioD,mBAIAC,QAAUxhE,QAAQq5C,QAAU,QAI5BooB,YAAczhE,QAAQinB,SAK3B/f,IAAI+f,UAAW,EACf/f,IAAIF,gBAAgB,iBACf06D,cAAe,OACfC,eAAiB,QACjBC,qBAAuB,GAGxB16D,IAAI0hB,aAAa,iBACdi5C,UAAS,QAITA,SAAShoE,KAAK8d,SAASkqD,UAI1B7hE,QAAQ8hE,SACV3jE,OAAOG,KAAK0B,QAAQ8hE,SAASpjE,SAAQxD,UACT,mBAAfrB,KAAKqB,YACR,IAAIyC,wBAAiBzC,kCAW5B6mE,YAAa,OACb9rD,IAAMpc,KAAKwK,WAGhBwR,QAAQhc,KAAM,CACZic,YAAa,QAOXjc,KAAKssD,OAAOI,oBACdp1C,GAAGpW,SAAUlB,KAAKssD,OAAO6b,iBAAkBnoE,KAAKslE,qCAC3ChuD,GAAGtX,KAAKssD,OAAO6b,iBAAkBnoE,KAAKslE,iCAEzCtlE,KAAKooE,aACF9wD,GAAG,CAAC,cAAe,UAAWtX,KAAK0lE,2BAMpC2C,kBAAoB/iE,QAAQtF,KAAK8d,aAGnC3X,QAAQ8hE,SACV3jE,OAAOG,KAAK0B,QAAQ8hE,SAASpjE,SAAQxD,YAC9BA,MAAM8E,QAAQ8hE,QAAQ5mE,UAK3B8E,QAAQ1C,YACLA,OAAM,QAERqa,SAAS+D,cAAgBwmD,uBACzBC,YAAc,QACdzS,cAAc1vD,QAAQ0vD,eACvB1vD,QAAQsa,qBAAsB,OAG1B8nD,WADS,IAAIrmE,OAAOsmE,WACDC,gBA9wXnB,o1iBA8wX0C,oBAC9BF,UAAUj+D,cAAc,eAExC9H,MAAMkB,KAAK,8DACNoa,SAAS2C,qBAAuB,SAChC,OACCioD,OAASH,UAAU3xD,gBACzB8xD,OAAOh2D,MAAM+0B,QAAU,YAClBrrB,IAAIxQ,YAAY88D,aAChBv8D,SAAS,+BAGbyS,oBAGAilC,QAAuC,UAA/Bx2C,IAAIiC,SAASC,eAItBvP,KAAKotB,gBACFjhB,SAAS,6BAETA,SAAS,8BAIXiQ,IAAIhR,aAAa,OAAQ,UAC1BpL,KAAK6jD,eACFznC,IAAIhR,aAAa,aAAcpL,KAAKof,SAAS,sBAE7ChD,IAAIhR,aAAa,aAAcpL,KAAKof,SAAS,iBAEhDpf,KAAK6jD,gBACF13C,SAAS,aAKZhG,QAAQ8d,mBAAqB9d,QAAQ8d,kBAAkBC,eACpDD,kBAAoB,IAAIs2B,kBAAkBv6C,WAC1CmM,SAAS,mCAOZhE,oBACGgE,SAAS,qBAIX5C,aACE4C,SAAS,oBAIhBkb,OAAOC,QAAQtnB,KAAK+d,KAAO/d,WAGrB2oE,aAp0vBM,SAo0vBmBn8D,MAAM,KAAK,QACrCL,wBAAiBw8D,oBAIjBjrB,YAAW,QACX74B,0BACAtM,IAAI,QAAQvG,GAAKhS,KAAK4oE,uBAAuB52D,UAC7CsF,GAAG,WAAWtF,GAAKhS,KAAKgkB,cAAchS,UACtCsF,GAAG,kBAAkBtF,GAAKhS,KAAKke,qBAAqBlM,UACpD62D,YAAY7oE,KAAK8d,SAAS+qD,kBAC1BC,WAAW9oE,KAAK8d,SAASgrD,iBAIzBxxD,GAAG,SAAS,UAGVw0C,gBAAgB9rD,KAAK8d,SAASguC,sBAC9BC,cAAc/rD,KAAK8d,SAASiuC,kBAYrChtC,cA5kY2BlL,YAmlYpBqE,QAAQ,gBAER1U,IAAI,WAGTA,IAAItC,SAAUlB,KAAKssD,OAAO6b,iBAAkBnoE,KAAKslE,gCACjD9hE,IAAItC,SAAU,UAAWlB,KAAKwlE,0BAC1BxlE,KAAK+oE,UAAY/oE,KAAK+oE,SAAS76D,kBAC5B66D,SAAS76D,WAAWkD,YAAYpR,KAAK+oE,eACrCA,SAAW,MAIlB1hD,OAAOC,QAAQtnB,KAAK+d,KAAO,KACvB/d,KAAKqN,KAAOrN,KAAKqN,IAAIwG,cAClBxG,IAAIwG,OAAS,MAEhB7T,KAAKoc,KAAOpc,KAAKoc,IAAIvI,cAClBuI,IAAIvI,OAAS,MAEhB7T,KAAKi+B,aACFA,MAAMlf,eACNgoD,mBAAoB,OACpBY,QAAU,IAEb3nE,KAAKgpE,uBACFA,gBAAkB,MAErBhpE,KAAKqN,WACFA,IAAM,MAhnYYwG,OAknYL7T,KAjnYlBo2C,oBAAoBvyC,eAAegQ,OAAOmK,cACrCo4B,oBAAoBviC,OAAOmK,MAqnYlC4jB,IAAIxhB,MAAMvb,SAAQxD,aAEVgvB,KAAOrwB,KADC4hC,IAAIvgC,MACM2/B,cAIpB3Q,MAAQA,KAAK7sB,KACf6sB,KAAK7sB,eAKHub,QAAQ,CACZE,UAAWjf,KAAK8d,SAASmB,YAU7BzU,eAEMK,GADAwC,IAAMrN,KAAKqN,IAEXyzD,eAAiB9gE,KAAKgpE,gBAAkB37D,IAAIa,YAAcb,IAAIa,WAAW6gB,cAAgB1hB,IAAIa,WAAW6gB,aAAa,yBACnHk6C,SAA8C,aAAnCjpE,KAAKqN,IAAI5C,QAAQ8E,cAC9BuxD,eACFj2D,GAAK7K,KAAKoc,IAAM/O,IAAIa,WACV+6D,WACVp+D,GAAK7K,KAAKoc,IAAMoQ,MAAMhiB,SAAS,cAK3B+C,MAAQH,cAAcC,QACxB47D,SAAU,KACZp+D,GAAK7K,KAAKoc,IAAM/O,IAChBA,IAAMrN,KAAKqN,IAAMnM,SAAS4J,cAAc,SACjCD,GAAGmV,SAAS/e,QACjBoM,IAAIzB,YAAYf,GAAGa,YAEhBG,SAAShB,GAAI,aAChBsB,SAAStB,GAAI,YAEfA,GAAGe,YAAYyB,KACfyzD,eAAiB9gE,KAAKgpE,gBAAkBn+D,GAKxCvG,OAAOG,KAAKoG,IAAIhG,SAAQuJ,QAEpBf,IAAIe,GAAKvD,GAAGuD,GACZ,MAAO4D,QAOb3E,IAAIjC,aAAa,WAAY,MAC7BmC,MAAM27D,SAAW,KAMb/hE,WAAaU,aACfwF,IAAIjC,aAAa,OAAQ,eACzBmC,MAAM8e,KAAO,eAIfhf,IAAIF,gBAAgB,SACpBE,IAAIF,gBAAgB,UAChB,UAAWI,cACNA,MAAMgB,MAEX,WAAYhB,cACPA,MAAMc,OAEf/J,OAAOyG,oBAAoBwC,OAAO1I,SAAQ,SAAUw8D,MAI5C4H,UAAqB,UAAT5H,MAChBx2D,GAAGO,aAAai2D,KAAM9zD,MAAM8zD,OAE1B4H,UACF57D,IAAIjC,aAAai2D,KAAM9zD,MAAM8zD,UAOjCh0D,IAAI6zD,SAAW7zD,IAAI2Q,GACnB3Q,IAAI2Q,IAAM,aACV3Q,IAAIN,UAAY,WAGhBM,IAAIwG,OAAShJ,GAAGgJ,OAAS7T,UAEpBmM,SAAS,oBACRg9D,iBAAmB,CAAC,cAAe,WAAY,WAAY,aAAc,UAAW,YAAa,0BAA0BplE,QAAOe,KAAO2E,QAAQ3E,OAAM2K,KAAI3K,KACxJ,cAAgBA,IAAIs2C,UAAU,GAAG7rC,cAAcyN,QAAQ,MAAO,eAElE7Q,YAAYg9D,mBAKuB,IAApCjnE,OAAOknE,yBAAmC,MACvCL,SAAW10D,mBAAmB,+BAC7Bg1D,gBAAkBz3D,EAAE,wBACpBe,KAAOf,EAAE,QACfe,KAAKhH,aAAa3L,KAAK+oE,SAAUM,gBAAkBA,gBAAgBt7C,YAAcpb,KAAKjH,iBAEnF49D,OAAQ,OACRlB,QAAS,OAGT75D,MAAMvO,KAAK8d,SAASvP,YACpBF,OAAOrO,KAAK8d,SAASzP,aACrBye,KAAK9sB,KAAK8d,SAASgP,WACnBy8C,MAAMvpE,KAAK8d,SAASyrD,YACpBC,YAAYxpE,KAAK8d,SAAS0rD,kBAE1BxrC,YAAYh+B,KAAK8d,SAASkgB,aAAeh+B,KAAK8d,SAASyhC,mBAItDkqB,MAAQp8D,IAAIkG,qBAAqB,SAClC,IAAIvS,EAAI,EAAGA,EAAIyoE,MAAMxoE,OAAQD,IAAK,OAC/B0oE,OAASD,MAAMp6D,KAAKrO,GAC1BmL,SAASu9D,OAAQ,cACjBA,OAAOt+D,aAAa,SAAU,iBAKhCiC,IAAI4xD,kBAAoB5xD,IAAIi0D,aAGxBj0D,IAAIa,aAAe4yD,gBACrBzzD,IAAIa,WAAWvC,aAAad,GAAIwC,KAQlC7B,UAAU6B,IAAKxC,SACVsT,UAAUpc,QAAQsL,UAIlB+O,IAAIhR,aAAa,OAAQpL,KAAK60D,gBAC9Bz4C,IAAIhR,aAAa,YAAa,WAC9BgR,IAAMvR,GACJA,GAkBTmzB,YAAY94B,eAEW,IAAVA,aACFlF,KAAK2pE,SAAS,eAET,OAAVzkE,OAA4B,cAAVA,OAAmC,oBAAVA,YAI1C0kE,UAAU,iBAAkB1kE,OAC7BlF,KAAK6pE,kBACFA,YAAY7rC,YAAY94B,QAL7B1C,MAAMkB,mFAA4EwB,YAqBtFqJ,MAAMrJ,cACGlF,KAAK+iB,UAAU,QAAS7d,OAcjCmJ,OAAOnJ,cACElF,KAAK+iB,UAAU,SAAU7d,OAiBlC6d,UAAUA,UAAW7d,aACb4kE,cAAgB/mD,UAAY,YACpB9f,IAAViC,aACKlF,KAAK8pE,gBAAkB,KAElB,KAAV5kE,OAA0B,SAAVA,kBAEb4kE,oBAAiB7mE,YACjB0iE,uBAGDoE,UAAY3gE,WAAWlE,OACzBoe,MAAMymD,WACRvnE,MAAMmB,gCAAyBuB,oCAA2B6d,kBAGvD+mD,eAAiBC,eACjBpE,kBAiBP4D,MAAM1hB,cACS5kD,IAAT4kD,aACO7nD,KAAKooE,OAz4qBO,IAAC93D,OAAQiF,cA24qB3B6yD,SAAWvgB,KACZntC,UAAU1a,YACPwD,IAAI,CAAC,cAAe,UAAWxD,KAAK0lE,qBAEvC7d,WACG17C,SAAS,kBACT2gB,MAAK,GAj5qBoBvX,SAk5qBL,UAClB+B,GAAG,CAAC,cAAe,UAAWtX,KAAK0lE,sBAl5qB1ChrD,UADsBpK,OAk5qBHtQ,MAh5qBrBuV,YAEKjF,OAAO6L,mBACV7L,OAAO6L,iBAAmB,IAE5B7L,OAAO6L,iBAAiBla,KAAKsT,iBA+4qBtB9I,YAAY,kBAEdk5D,iBAiBP74C,KAAK+6B,cACU5kD,IAAT4kD,aACO7nD,KAAKspE,WAEXA,QAAUzhB,KACXA,WACG17C,SAAS,iBACTo9D,OAAM,SAEN98D,YAAY,YAwBrB+8D,YAAYQ,eACI/mE,IAAV+mE,aACKhqE,KAAKiqE,iBAIT,aAAa5nE,KAAK2nE,aACf,IAAIlmE,MAAM,uGAEbmmE,aAAeD,WAIfT,OAAM,QACN5D,iBASPA,qBAC0C,IAApCzjE,OAAOknE,yBAAmC,OACtC76D,MAA+B,iBAAhBvO,KAAKkqE,OAAsBlqE,KAAKkqE,OAASlqE,KAAK8d,SAASvP,MACtEF,OAAiC,iBAAjBrO,KAAKmqE,QAAuBnqE,KAAKmqE,QAAUnqE,KAAK8d,SAASzP,OACzEquD,OAAS18D,KAAKi+B,OAASj+B,KAAKi+B,MAAMpzB,iBACpC6xD,SACEnuD,OAAS,IACXmuD,OAAOnuD,MAAQA,OAEbF,QAAU,IACZquD,OAAOruD,OAASA,cAKlBE,MACAF,OACAm7D,YACAY,QAKFZ,iBAFwBvmE,IAAtBjD,KAAKiqE,cAAoD,SAAtBjqE,KAAKiqE,aAE5BjqE,KAAKiqE,aACVjqE,KAAK4iD,aAAe,EAEf5iD,KAAK4iD,aAAe,IAAM5iD,KAAKwiD,cAG/B,aAIV6nB,WAAab,YAAYh9D,MAAM,KAC/B89D,gBAAkBD,WAAW,GAAKA,WAAW,GAGjD97D,WAFkBtL,IAAhBjD,KAAKkqE,OAEClqE,KAAKkqE,YACajnE,IAAjBjD,KAAKmqE,QAENnqE,KAAKmqE,QAAUG,gBAGftqE,KAAK4iD,cAAgB,IAI7Bv0C,YAFmBpL,IAAjBjD,KAAKmqE,QAEEnqE,KAAKmqE,QAGL57D,MAAQ+7D,gBAKjBF,QADE,aAAa/nE,KAAKrC,KAAKge,MACf,cAAgBhe,KAAKge,KAErBhe,KAAKge,KAAO,mBAInB7R,SAASi+D,SACd91D,eAAetU,KAAK+oE,4BACjBqB,sCACQ77D,sCACCF,yCAGT+7D,gFACgC,IAAlBE,sCAiBnBlsB,UAAUH,SAAUx4C,QAEdzF,KAAKi+B,YACFssC,oBAEDC,cAAgBttD,cAAc+gC,UAC9BwsB,cAAgBxsB,SAAS2mB,OAAO,GAAGr1D,cAAgB0uC,SAASx9C,MAAM,GAGlD,UAAlB+pE,eAA6BxqE,KAAKqN,MACpC2U,KAAKk8B,QAAQ,SAAS4hB,oBAAoB9/D,KAAKqN,UAC1CA,IAAIwG,OAAS,UACbxG,IAAM,WAERq9D,UAAYF,mBAGZloD,UAAW,MACZ0lD,SAAWhoE,KAAKgoE,YAIW,iBAApBhoE,KAAKgoE,aAA+C,IAApBhoE,KAAKgoE,YAAuBhoE,KAAK8d,SAAS6sD,qBACnF3C,UAAW,SAIP4C,YAAc,CAClBnlE,OAAAA,OACAuiE,SAAAA,gCAC0BhoE,KAAK8d,SAASqzB,gCAC5BnxC,KAAKge,sBACJhe,KAAKge,iBAAQysD,kCACXzqE,KAAK8d,SAASo2B,oBAClBl0C,KAAK8d,SAASqjD,aACjBnhE,KAAK8d,SAAS+sD,6BACK7qE,KAAK8d,SAASg2B,8BAChC9zC,KAAK8d,SAASk5B,aACbh3C,KAAKw/C,kBACHx/C,KAAKwf,0BACCxf,KAAKgpE,kBAAmB,WAChChpE,KAAK8d,SAAS,8BACD9d,KAAK8d,SAASgtD,sCAClB9qE,KAAK8d,SAASqhD,iBAEnCv9B,IAAIxhB,MAAMvb,SAAQxD,aACVmvC,MAAQ5O,IAAIvgC,MAClBupE,YAAYp6B,MAAMxP,YAAchhC,KAAKwwC,MAAMvP,gBAE7C38B,OAAO4X,OAAO0uD,YAAa5qE,KAAK8d,SAAS0sD,gBACzClmE,OAAO4X,OAAO0uD,YAAa5qE,KAAK8d,SAAS2sD,gBACzCnmE,OAAO4X,OAAO0uD,YAAa5qE,KAAK8d,SAASmgC,SAAS1uC,gBAC9CvP,KAAKqN,MACPu9D,YAAYv9D,IAAMrN,KAAKqN,KAErB5H,QAAUA,OAAO8lB,MAAQvrB,KAAKmhD,OAAO51B,KAAOvrB,KAAKmhD,OAAO9hB,YAAc,IACxEurC,YAAY7/C,UAAY/qB,KAAKmhD,OAAO9hB,mBAIhC0rC,UAAY/oD,KAAKk8B,QAAQD,cAC1B8sB,gBACG,IAAIjnE,+BAAwB0mE,oCAA2BA,4EAE1DvsC,MAAQ,IAAI8sC,UAAUH,kBAGtB3sC,MAAMxgB,MAAM5E,MAAM7Y,KAAMA,KAAKgrE,mBAAmB,GACrD//C,oCAAoCjrB,KAAKirE,iBAAmB,GAAIjrE,KAAKi+B,OAGrEmmC,sBAAsBv/D,SAAQqK,aACvBoI,GAAGtX,KAAKi+B,MAAO/uB,OAAO8C,GAAKhS,yBAAkBkd,cAAchO,aAAW8C,QAE7E1N,OAAOG,KAAK4/D,mBAAmBx/D,SAAQqK,aAChCoI,GAAGtX,KAAKi+B,MAAO/uB,OAAOg8D,WACS,IAA9BlrE,KAAKi+B,MAAMo3B,gBAAwBr1D,KAAKi+B,MAAMktC,eAC3CnE,iBAAiB/kE,KAAK,CACzBsT,SAAUvV,yBAAkBqkE,kBAAkBn1D,aAAW8J,KAAKhZ,MAC9DkP,MAAOg8D,oCAIO7G,kBAAkBn1D,aAAWg8D,qBAG9C5zD,GAAGtX,KAAKi+B,MAAO,aAAajsB,GAAKhS,KAAKorE,qBAAqBp5D,UAC3DsF,GAAGtX,KAAKi+B,MAAO,aAAajsB,GAAKhS,KAAKqrE,qBAAqBr5D,UAC3DsF,GAAGtX,KAAKi+B,MAAO,WAAWjsB,GAAKhS,KAAKsrE,mBAAmBt5D,UACvDsF,GAAGtX,KAAKi+B,MAAO,SAASjsB,GAAKhS,KAAKurE,iBAAiBv5D,UACnDsF,GAAGtX,KAAKi+B,MAAO,WAAWjsB,GAAKhS,KAAKwrE,mBAAmBx5D,UACvDsF,GAAGtX,KAAKi+B,MAAO,QAAQjsB,GAAKhS,KAAKyrE,gBAAgBz5D,UACjDsF,GAAGtX,KAAKi+B,MAAO,SAASjsB,GAAKhS,KAAK0rE,iBAAiB15D,UACnDsF,GAAGtX,KAAKi+B,MAAO,kBAAkBjsB,GAAKhS,KAAK2rE,0BAA0B35D,UACrEsF,GAAGtX,KAAKi+B,MAAO,oBAAoB,CAACjsB,EAAG+C,OAAS/U,KAAK4rE,4BAA4B55D,EAAG+C,aACpFuC,GAAGtX,KAAKi+B,MAAO,mBAAmB,CAACjsB,EAAGmmB,MAAQn4B,KAAK6rE,2BAA2B75D,EAAGmmB,YACjF7gB,GAAGtX,KAAKi+B,MAAO,yBAAyBjsB,GAAKhS,KAAK8rE,iCAAiC95D,UACnFsF,GAAGtX,KAAKi+B,MAAO,yBAAyBjsB,GAAKhS,KAAK+rE,iCAAiC/5D,UACnFsF,GAAGtX,KAAKi+B,MAAO,SAASjsB,GAAKhS,KAAKgsE,iBAAiBh6D,UACnDsF,GAAGtX,KAAKi+B,MAAO,gBAAgBjsB,GAAKhS,KAAKisE,wBAAwBj6D,UACjEsF,GAAGtX,KAAKi+B,MAAO,YAAYjsB,GAAKhS,KAAKksE,oBAAoBl6D,UACzDsF,GAAGtX,KAAKi+B,MAAO,cAAcjsB,GAAKhS,KAAKmsE,sBAAsBn6D,UAC7DsF,GAAGtX,KAAKi+B,MAAO,iBAAkBj+B,KAAK0lE,0BACtC0G,oBAAoBpsE,KAAK2pE,SAAS,aACnC3pE,KAAKotB,aAAeptB,KAAKosE,4BACtBC,4BAKHrsE,KAAKi+B,MAAMpzB,KAAKqD,aAAelO,KAAK6K,MAA2B,UAAlB2/D,eAA8BxqE,KAAKqN,KAClF7B,UAAUxL,KAAKi+B,MAAMpzB,KAAM7K,KAAK6K,MAI9B7K,KAAKqN,WACFA,IAAIwG,OAAS,UACbxG,IAAM,MASfk9D,cAEE3oC,IAAIxhB,MAAMvb,SAAQxD,aACVmvC,MAAQ5O,IAAIvgC,WACbmvC,MAAMvP,aAAejhC,KAAKwwC,MAAMxP,sBAElCiqC,gBAAkBhgD,oCAAoCjrB,KAAKi+B,YAC3D3b,UAAW,OACX2b,MAAMlf,eACNkf,OAAQ,EACTj+B,KAAK+mE,yBACFY,QAAU,QACVzvD,QAAQ,sBAEV6uD,mBAAoB,EAc3B77C,KAAKohD,oBACYrpE,IAAXqpE,QACF9pE,MAAMkB,KAAK,sJAEN1D,KAAKi+B,MAiBdl1B,gBACS,YAjgxBK,UA2hxBdsjE,iCAEOE,oCACAj1D,GAAGtX,KAAKi+B,MAAO,QAASj+B,KAAKgmE,4BAC7B1uD,GAAGtX,KAAKi+B,MAAO,WAAYj+B,KAAKkmE,kCAKhC5uD,GAAGtX,KAAKi+B,MAAO,aAAcj+B,KAAKomE,iCAClC9uD,GAAGtX,KAAKi+B,MAAO,YAAaj+B,KAAKsmE,gCACjChvD,GAAGtX,KAAKi+B,MAAO,WAAYj+B,KAAKwmE,+BAIhClvD,GAAGtX,KAAKi+B,MAAO,MAAOj+B,KAAK0mE,qBASlC6F,oCAGO/oE,IAAIxD,KAAKi+B,MAAO,MAAOj+B,KAAK0mE,0BAC5BljE,IAAIxD,KAAKi+B,MAAO,aAAcj+B,KAAKomE,iCACnC5iE,IAAIxD,KAAKi+B,MAAO,YAAaj+B,KAAKsmE,gCAClC9iE,IAAIxD,KAAKi+B,MAAO,WAAYj+B,KAAKwmE,+BACjChjE,IAAIxD,KAAKi+B,MAAO,QAASj+B,KAAKgmE,4BAC9BxiE,IAAIxD,KAAKi+B,MAAO,WAAYj+B,KAAKkmE,6BAQxC8E,wBACOzoD,eAGDviB,KAAKmhD,OAAOjK,aACT0yB,UAAU,YAAa5pE,KAAKmhD,OAAOjK,aAIrC+0B,+BAGAN,4BAUPP,4BAGO3+D,YAAY,YAAa,oBAGzB9I,MAAM,WAGNgoE,4BACA3rE,KAAKgtB,eAUH+uC,YAAW,QACX7jD,QAAQ,mBAJRA,QAAQ,kBASVs0D,iBAAoC,IAApBxsE,KAAKgoE,YAAuBhoE,KAAK8d,SAAS6sD,kBAAoB,OAAS3qE,KAAKgoE,YASnGwE,gBAAgBrsE,UACTH,KAAKi+B,OAAyB,iBAAT99B,kBAMpBssE,aAAe,WACbC,gBAAkB1sE,KAAKg3C,aACxBA,OAAM,SACL21B,aAAe,UACd31B,MAAM01B,uBAIR3E,qBAAqB9lE,KAAK0qE,oBACzBC,aAAe5sE,KAAK0d,UACrBqM,UAAU6iD,qBAGRA,aAAaC,OAAM10C,YACxBw0C,eACM,IAAI7oE,oEAA6Dq0B,KAAY,aAGnF20C,cAIS,QAAT3sE,MAAmBH,KAAKg3C,QAQ1B81B,QAHkB,UAAT3sE,MAAqBH,KAAKg3C,QAGzBh3C,KAAK0d,OAFL+uD,gBALVK,QAAU9sE,KAAK0d,OACXqM,UAAU+iD,WACZA,QAAUA,QAAQD,MAAMJ,gBAOvB1iD,UAAU+iD,SAGRA,QAAQ9iD,MAAK,UACb9R,QAAQ,CACX/X,KAAM,mBACN6nE,SAAU7nE,UAEX0sE,OAAM,UACF30D,QAAQ,CACX/X,KAAM,mBACN6nE,SAAU7nE,iBAgBhB4sE,0BAAoBt4B,8DAAS,GACvBlpB,IAAMkpB,OACNt0C,KAAO,GACQ,iBAARorB,MACTA,IAAMkpB,OAAOlpB,IACbprB,KAAOs0C,OAAOt0C,WAKXghD,OAAO17C,OAASzF,KAAKmhD,OAAO17C,QAAU,QACtC07C,OAAO37C,QAAUxF,KAAKmhD,OAAO37C,SAAW,GAGzC+lB,MAAQprB,OACVA,KA/yZe,EAAC0T,OAAQ0X,WACvBA,UACI,MAIL1X,OAAOstC,OAAO17C,OAAO8lB,MAAQA,KAAO1X,OAAOstC,OAAO17C,OAAOtF,YACpD0T,OAAOstC,OAAO17C,OAAOtF,WAIxB6sE,gBAAkBn5D,OAAOstC,OAAO37C,QAAQzB,QAAO2kB,GAAKA,EAAE6C,MAAQA,SAChEyhD,gBAAgB/rE,cACX+rE,gBAAgB,GAAG7sE,WAItBqF,QAAUqO,OAAOhC,GAAG,cACrB,IAAI7Q,EAAI,EAAGA,EAAIwE,QAAQvE,OAAQD,IAAK,OACjC0nB,EAAIljB,QAAQxE,MACd0nB,EAAEvoB,MAAQuoB,EAAE6C,KAAO7C,EAAE6C,MAAQA,WACxB7C,EAAEvoB,YAKNo5C,YAAYhuB,MAqxZR0hD,CAAajtE,KAAMurB,WAIvB41B,OAAO17C,OAASH,QAAQ,GAAImvC,OAAQ,CACvClpB,IAAAA,IACAprB,KAAAA,aAEI6sE,gBAAkBhtE,KAAKmhD,OAAO37C,QAAQzB,QAAO2kB,GAAKA,EAAE6C,KAAO7C,EAAE6C,MAAQA,MACrE2hD,gBAAkB,GAClBC,UAAYntE,KAAK6R,GAAG,UACpBu7D,kBAAoB,OACrB,IAAIpsE,EAAI,EAAGA,EAAImsE,UAAUlsE,OAAQD,IAAK,OACnCqsE,UAAYjgE,cAAc+/D,UAAUnsE,IAC1CksE,gBAAgBjrE,KAAKorE,WACjBA,UAAU9hD,KAAO8hD,UAAU9hD,MAAQA,KACrC6hD,kBAAkBnrE,KAAKorE,UAAU9hD,KAMjC6hD,kBAAkBnsE,SAAW+rE,gBAAgB/rE,YAC1CkgD,OAAO37C,QAAU0nE,gBAGZF,gBAAgB/rE,cACrBkgD,OAAO37C,QAAU,CAACxF,KAAKmhD,OAAO17C,cAIhC07C,OAAO51B,IAAMA,IAsCpB8/C,qBAAqBn8D,WAGdlP,KAAK6nE,aAAc,KAClByF,mBAAqB/hD,KAAOvrB,KAAK+sE,oBAAoBxhD,WACnDgiD,UAAYvtE,KAAKwtE,gBAAgBjiD,IACjCkiD,SAAWv+D,MAAMqc,IAGnBgiD,YAAc,SAASlrE,KAAKkrE,YAAc,SAASlrE,KAAKorE,aAGrDztE,KAAK0tE,aAAe1tE,KAAK0tE,YAAYxiD,OAASuiD,UAAYztE,KAAK0tE,YAAY75D,SAAW05D,aACzFD,mBAAqB,QAMzBA,mBAAmBG,UAKdv+D,MAAMqc,UACJ0S,MAAMtlB,IAAI,CAAC,YAAa,cAAc3G,OAI1B,cAAXA,EAAE7R,kBAGAwtE,QAAU3tE,KAAK2pE,SAAS,mBACzB+D,YAAYxiD,KAAOyiD,aACnBZ,oBAAoBY,iBAI1BD,YAAc,CACjB75D,OAAQ7T,KAAKwtE,gBAAgBjiD,IAC7BL,KAAMhc,MAAMqc,UAETrT,QAAQ,CACXqT,IAAKrc,MAAMqc,IACXprB,KAAM,cAeV47D,WAAW6R,iBACO3qE,IAAZ2qE,eAEK5tE,KAAKuwC,YAEVq9B,UAAY5tE,KAAKuwC,mBAGhBA,YAAcq9B,QACf5tE,KAAKuwC,iBACFpkC,SAAS,wBAETM,YAAY,oBAYrBg/D,uBACOh/D,YAAY,YAAa,mBACzBN,SAAS,oBAGT4vD,YAAW,QAQX7jD,QAAQ,QAcfi0D,wBACMnsE,KAAKi+B,MAAMo3B,eAAiB,GAAsC,IAAjCr1D,KAAKmhD,OAAO0sB,wBAC1C7G,iBAAiBniE,SAAQipE,QAAUA,OAAOv4D,SAASu4D,OAAO5+D,cAC1D83D,iBAAmB,SAErB7lB,OAAO0sB,iBAAmB7tE,KAAKi+B,MAAMo3B,oBAOrCn9C,QAAQ,cAUfozD,0BACOn/D,SAAS,oBAOT+L,QAAQ,iBAIP61D,gBAAkB/tE,KAAKq/B,cACvB2uC,mBAAqB,KACrBD,kBAAoB/tE,KAAKq/B,qBACtB5yB,YAAY,oBACZjJ,IAAI,aAAcwqE,2BAGtB12D,GAAG,aAAc02D,oBAWxBC,0BACOxhE,YAAY,oBAOZyL,QAAQ,WAUfg2D,iCACOzhE,YAAY,oBAQZyL,QAAQ,kBAUfi2D,0BACO1hE,YAAY,oBAOZyL,QAAQ,WAUfszD,0BACOr/D,SAAS,oBAOT+L,QAAQ,WAUfk2D,yBACO3hE,YAAY,cAAe,kBAO3ByL,QAAQ,UAUfwzD,wBACOj/D,YAAY,oBACZN,SAAS,mBAOT+L,QAAQ,SAUfqzD,wBACOp/D,SAAS,kBACTM,YAAY,eACbzM,KAAK8d,SAAS+sD,WACXxrC,YAAY,QACZ3hB,QACK1d,KAAKgtB,eACVE,aASFhV,QAAQ,SASfyzD,iCACOjiD,SAAS1pB,KAAK2pE,SAAS,aAY9B1D,iBAAiB/2D,OAGVlP,KAAK4nE,iBAGY3kE,IAAlBjD,KAAK8d,eAAwD7a,IAA9BjD,KAAK8d,SAASuwD,kBAAiEprE,IAApCjD,KAAK8d,SAASuwD,YAAYC,QAA2D,IAApCtuE,KAAK8d,SAASuwD,YAAYC,aACjIrrE,IAAlBjD,KAAK8d,eAAwD7a,IAA9BjD,KAAK8d,SAASuwD,aAAwE,mBAApCruE,KAAK8d,SAASuwD,YAAYC,WACxGxwD,SAASuwD,YAAYC,MAAMlpE,KAAKpF,KAAMkP,OAClClP,KAAKgtB,SACd/C,eAAejqB,KAAK0d,aAEfwP,UAeXi5C,uBAAuBj3D,WAChBlP,KAAK4nE,iBAMWtlE,MAAMiC,UAAU0d,KAAK7c,KAAKpF,KAAK6R,GAAG,wCAAwChH,IAAMA,GAAGqB,SAASgD,MAAMoB,gBAS/FrN,IAAlBjD,KAAK8d,eAAwD7a,IAA9BjD,KAAK8d,SAASuwD,kBAAuEprE,IAA1CjD,KAAK8d,SAASuwD,YAAYE,cAAuE,IAA1CvuE,KAAK8d,SAASuwD,YAAYE,mBACvItrE,IAAlBjD,KAAK8d,eAAwD7a,IAA9BjD,KAAK8d,SAASuwD,aAA8E,mBAA1CruE,KAAK8d,SAASuwD,YAAYE,iBACxGzwD,SAASuwD,YAAYE,YAAYnpE,KAAKpF,KAAMkP,OACxClP,KAAKgsD,yBAA2B9qD,SAASstE,6BAK7CviB,uBACIjsD,KAAKwsD,oBACTC,sBAEAC,qBAabia,sBACOjpB,YAAY19C,KAAK09C,cASxB2oB,6BACOoI,cAAgBzuE,KAAK09C,aAS5B6oB,uBACMvmE,KAAKyuE,oBACF5pD,qBAcT4hD,oBAAoBv3D,OAEdA,MAAMw/D,YACRx/D,MAAM8G,iBAOV24D,yBACM3uE,KAAKwsD,oBACFrgD,SAAS,uBAETM,YAAY,kBAOrB84D,0BAA0BvzD,SAClB48D,aAAe58D,EAAE1B,OAAOuD,UAI1B+6D,cAAgBA,eAAiB5uE,kBAG/B6K,GAAK7K,KAAK6K,SACZgkE,KAAO3tE,SAASlB,KAAKssD,OAAOx9C,qBAAuBjE,IAClDgkE,MAAQhkE,GAAGikE,UACdD,KAAOhkE,GAAGikE,QAAQ,IAAM9uE,KAAKssD,OAAOyiB,kBAEjCviB,aAAaqiB,MAgBpBjD,4BAA4B18D,MAAO6F,MAC7BA,OACEA,KAAKmtD,2BACF/1D,SAAS,0BACT8xB,MAAM1lB,IAAI,uBAAuB,UAC/B9L,YAAY,8BAGhB+/C,aAAaz3C,KAAKy3C,eAG3Bqf,2BAA2B38D,MAAOipB,UAC3BjgB,QAAQ,kBAAmBigB,KAMlC62C,+BACMhvE,KAAKgsD,4BACF7/C,SAAS,+BAETM,YAAY,0BAarBq/D,iCAAiC58D,YAC1B88C,sBAAqB,GAY5B+f,iCAAiC78D,YAC1B88C,sBAAqB,GAS5BggB,yBACQroE,MAAQ3D,KAAKi+B,MAAMt6B,QACrBA,YACGA,MAAMA,OAWfuoE,0BACMn3D,KAAO,KACP2D,UAAUzX,OAAS,IACrB8T,KAAO2D,UAAU,SASdR,QAAQ,WAAYnD,MAS3BywC,kBACSxlD,KAAKmhD,OAWdumB,mBACOvmB,OAAS,CAKZ9hB,YAAa,EACb4vC,SAAU,EACVC,kBAAmBlvE,KAAK8d,SAASoxD,kBACjCxlD,SAAUo4C,IACV1T,WAAY,EACZyf,iBAAkB7tE,KAAKmvE,sBACvBr8D,MAAO,KACPyY,IAAK,GACL9lB,OAAQ,GACRD,QAAS,GACTqwD,cAAe,GACf3e,OAAQ,GAeZ0yB,UAAUz/D,OAAQssC,UAGXh5B,OAAM,cACLtT,UAAUitC,+BA9rbPZ,WAAYtrB,KAAM/gB,OAAQssC,YAC9BvrB,KAAK/gB,QAAQqsC,WAAWzxC,OAAO6xC,mBAAmBzsC,QAASssC,MA8rbrD1wC,CAAI/F,KAAKsoE,YAAatoE,KAAKi+B,MAAO9zB,OAAQssC,KAC5C,GAAItsC,UAAUotC,wBACZhB,QAAQv2C,KAAKsoE,YAAatoE,KAAKi+B,MAAO9zB,OAAQssC,SAGjDz2C,KAAKi+B,YACFA,MAAM9zB,QAAQssC,KAErB,MAAOzkC,SACPxP,MAAMwP,GACAA,MAEP,GAgBL23D,SAASx/D,WACFnK,KAAKi+B,OAAUj+B,KAAKi+B,MAAM3b,aAG3BnY,UAAU4sC,+BAtvbLP,WAAYtrB,KAAM/gB,eACtBqsC,WAAW44B,YAAYx4B,mBAAmBzsC,QAAS+gB,KAAK/gB,WAsvbpD9D,CAAIrG,KAAKsoE,YAAatoE,KAAKi+B,MAAO9zB,QACpC,GAAIA,UAAUotC,wBACZhB,QAAQv2C,KAAKsoE,YAAatoE,KAAKi+B,MAAO9zB,mBAMtCnK,KAAKi+B,MAAM9zB,UAClB,MAAO6H,WAEoB/O,IAAvBjD,KAAKi+B,MAAM9zB,cACb3H,0BAAmB2H,0CAAiCnK,KAAK0qE,mCAAkC14D,GACrFA,KAIO,cAAXA,EAAE3Q,WACJmB,0BAAmB2H,kCAAyBnK,KAAK0qE,2CAA0C14D,QACtFisB,MAAM3b,UAAW,EAChBtQ,QAIRxP,MAAMwP,GACAA,IAcV0L,cACS,IAAIk2B,SAAQy7B,eACZC,MAAMD,YAafC,YAAM/5D,gEAAW0U,oBACV69C,eAAe7lE,KAAKsT,gBACnBg6D,WAAahoE,SAASvH,KAAK6nE,eAAiB7nE,KAAKurB,OAASvrB,KAAK8+D,eAC/D0Q,cAAgBjoE,QAAQiC,eAAiBD,WAG3CvJ,KAAKyvE,mBACFjsE,IAAI,CAAC,QAAS,aAAcxD,KAAKyvE,kBACjCA,YAAc,OAKhBzvE,KAAKsiB,WAAaitD,uBAChBE,YAAcz9D,SACZs9D,cAEF/2D,IAAI,CAAC,QAAS,aAAcvY,KAAKyvE,mBAIjCF,YAAcC,oBACZpvC,cAMHn1B,IAAMjL,KAAK2pE,SAAS,QAGH6F,eAAiBxvE,KAAK6L,SAAS,mBAE/C6jE,oBAGK,OAARzkE,SACG0kE,+BAEAC,kBAAkB3kE,KAS3B0kE,gCACQE,MAAQ7vE,KAAK+nE,qBAAqBtnE,MAAM,QACzCsnE,qBAAuB,GAC5B8H,MAAMhrE,SAAQ,SAAUirE,GACtBA,OAaJF,kBAAkB3kE,WACV8kE,UAAY/vE,KAAK8nE,eAAernE,MAAM,QACvCqnE,eAAiB,QAEjBC,qBAAuB,GAC5BgI,UAAUlrE,SAAQ,SAAUmvC,IAC1BA,GAAG/oC,QAOPiiB,aACO08C,UAAU,SAUjB58C,gBAEqC,IAA5BhtB,KAAK2pE,SAAS,UAWvBt3B,gBACSryC,KAAK2pE,SAAS,WAAathD,mBAAmB,EAAG,GAe1DmqB,UAAUmvB,qBACmB,IAAhBA,mBACF3hE,KAAKkoE,gBAETA,aAAevG,iBACfiI,UAAU,eAAgB5pE,KAAKkoE,YAChCvG,iBACGx1D,SAAS,sBAETM,YAAY,iBAcrB4yB,YAAY7W,qBACMvlB,IAAZulB,cAOG24B,OAAO9hB,YAAcr/B,KAAK2pE,SAAS,gBAAkB,EACnD3pE,KAAKmhD,OAAO9hB,cAEjB7W,QAAU,IACZA,QAAU,GAEPxoB,KAAKsiB,WAAYtiB,KAAK6nE,cAAiB7nE,KAAKi+B,OAAUj+B,KAAKi+B,MAAM3b,eAMjEsnD,UAAU,iBAAkBphD,cAC5B24B,OAAO8tB,SAAW,OACnBe,SAASxnD,gBACN24B,OAAO9hB,YAAc3vB,OAAO8Y,kBAR5B24B,OAAO8tB,SAAWzmD,aAClBhlB,IAAI,UAAWxD,KAAK4lE,+BACpBrtD,IAAI,UAAWvY,KAAK4lE,uBAe7BC,sBACOxmC,YAAYr/B,KAAKmhD,OAAO8tB,UAoB/BvlD,SAASlB,iBACSvlB,IAAZulB,oBAE8BvlB,IAAzBjD,KAAKmhD,OAAOz3B,SAAyB1pB,KAAKmhD,OAAOz3B,SAAWo4C,KAErEt5C,QAAUpf,WAAWof,UAGP,IACZA,QAAUO,EAAAA,GAERP,UAAYxoB,KAAKmhD,OAAOz3B,gBAErBy3B,OAAOz3B,SAAWlB,QACnBA,UAAYO,EAAAA,OACT5c,SAAS,iBAETM,YAAY,YAEd6W,MAAMkF,eAQJtQ,QAAQ,mBAYnB2tC,uBACS7lD,KAAK0pB,WAAa1pB,KAAKq/B,cAUhCumB,8BACS70C,KAAK4X,MAAM3oB,KAAK0pB,YAAc3Y,KAAK4X,MAAM3oB,KAAKq/B,eAgBvD5V,eACMA,SAAWzpB,KAAK2pE,SAAS,mBACxBlgD,UAAaA,SAASxoB,SACzBwoB,SAAWpB,mBAAmB,EAAG,IAE5BoB,SAYTwtB,eACMA,SAAWj3C,KAAK2pE,SAAS,mBACxB1yB,UAAaA,SAASh2C,SACzBg2C,SAAW5uB,mBAAmB,EAAG,IAE5B4uB,SAQTk0B,iBACSnrE,KAAK2pE,SAAS,WAQvBxyB,eACSn3C,KAAK2pE,SAAS,SAsBvBrI,sBACSthE,KAAK2pE,SAAS,gBAyBvBx1D,oBACSnU,KAAK2pE,SAAS,cAWvBngD,yBACSA,gBAAgBxpB,KAAKypB,WAAYzpB,KAAK0pB,YAU/C2+B,oBACQ5+B,SAAWzpB,KAAKypB,WAChBC,SAAW1pB,KAAK0pB,eAClBxB,IAAMuB,SAASvB,IAAIuB,SAASxoB,OAAS,UACrCinB,IAAMwB,WACRxB,IAAMwB,UAEDxB,IAeTgvB,OAAO+4B,sBACD9hB,gBACqBlrD,IAArBgtE,kBAEF9hB,IAAMp9C,KAAKC,IAAI,EAAGD,KAAKE,IAAI,EAAGg/D,wBACzB9uB,OAAOjK,OAASiX,SAChByb,UAAU,YAAazb,UACxBA,IAAM,QACHR,YAAYQ,QAMrBA,IAAM/kD,WAAWpJ,KAAK2pE,SAAS,WACxBrmD,MAAM6qC,KAAO,EAAIA,KAe1BnX,MAAMA,eACU/zC,IAAV+zC,aAIGh3C,KAAK2pE,SAAS,WAAY,OAH1BC,UAAU,WAAY5yB,OAgC/Bk5B,aAAaA,0BACUjtE,IAAjBitE,mBACGtG,UAAU,kBAAmBsG,cAE7BlwE,KAAK2pE,SAAS,kBAAmB,EAkB1Chc,YAAYsiB,0BACehtE,IAArBgtE,kBAAuD,IAArBA,wBAI/BjwE,KAAKmhD,OAAOiN,gBAHZjN,OAAOiN,WAAa6hB,iBAa7B9N,4BACSniE,KAAK2pE,SAAS,wBAAyB,EAmBhDnd,aAAa2jB,cACEltE,IAATktE,KAAoB,OAChBC,SAAWpwE,KAAK8mE,0BACjBA,cAAgBv/D,QAAQ4oE,MAKzBnwE,KAAK8mE,gBAAkBsJ,UAAYpwE,KAAKssD,OAAO1rD,eAK5CsX,QAAQ,8BAEVy2D,gCAGA3uE,KAAK8mE,cAiBdpa,kBAAkB2jB,mBACZrwE,KAAKgsD,6BACFC,6BAEDnsD,KAAOE,YACN,IAAI4zC,SAAQ,CAACy7B,QAASx7B,mBAClBy8B,aACPxwE,KAAK0D,IAAI,kBAAmB+sE,cAC5BzwE,KAAK0D,IAAI,mBAAoBkvD,wBAEtBA,gBACP4d,aACAjB,mBAEOkB,aAAav+D,EAAGmmB,KACvBm4C,aACAz8B,OAAO1b,KAETr4B,KAAKyY,IAAI,mBAAoBm6C,eAC7B5yD,KAAKyY,IAAI,kBAAmBg4D,oBACtBzD,QAAUhtE,KAAK0wE,yBAAyBH,mBAC1CvD,UACFA,QAAQ9iD,KAAKsmD,WAAYA,YACzBxD,QAAQ9iD,KAAKqlD,QAASx7B,YAI5B28B,yBAAyBH,uBACnBI,aAICzwE,KAAKssD,OAAO1rD,WACf6vE,UAAYzwE,KAAK8d,SAASixD,YAAc/uE,KAAK8d,SAASixD,WAAW5oE,SAAW,QAClDlD,IAAtBotE,oBACFI,UAAYJ,oBAWZrwE,KAAKssD,OAAOI,kBAAmB,OAC3BogB,QAAU9sE,KAAKoc,IAAIpc,KAAKssD,OAAOI,mBAAmB+jB,kBAGpD3D,SACFA,QAAQ9iD,MAAK,IAAMhqB,KAAKwsD,cAAa,KAAO,IAAMxsD,KAAKwsD,cAAa,KAE/DsgB,QACE9sE,KAAKi+B,MAAMkkC,uBAA4D,IAAnCniE,KAAK8d,SAAS4yD,sBAGtD9G,UAAU,wBAIV+G,kBASTlkB,uBACQ3sD,KAAOE,YACN,IAAI4zC,SAAQ,CAACy7B,QAASx7B,mBAClBy8B,aACPxwE,KAAK0D,IAAI,kBAAmB+sE,cAC5BzwE,KAAK0D,IAAI,mBAAoBkvD,wBAEtBA,gBACP4d,aACAjB,mBAEOkB,aAAav+D,EAAGmmB,KACvBm4C,aACAz8B,OAAO1b,KAETr4B,KAAKyY,IAAI,mBAAoBm6C,eAC7B5yD,KAAKyY,IAAI,kBAAmBg4D,oBACtBzD,QAAUhtE,KAAK8wE,wBACjB9D,UACFA,QAAQ9iD,KAAKsmD,WAAYA,YAEzBxD,QAAQ9iD,KAAKqlD,QAASx7B,YAI5B+8B,2BACM5wE,KAAKssD,OAAOI,kBAAmB,OAC3BogB,QAAU5rE,SAASlB,KAAKssD,OAAOG,yBAGjCqgB,SAGF7iD,eAAe6iD,QAAQ9iD,MAAK,IAAMhqB,KAAKwsD,cAAa,MAE/CsgB,QACE9sE,KAAKi+B,MAAMkkC,uBAA4D,IAAnCniE,KAAK8d,SAAS4yD,sBACtD9G,UAAU,uBAEViH,iBAUTF,uBACOnkB,cAAa,QACbskB,cAAe,OAGfC,gBAAkB7vE,SAAS0V,gBAAgBlE,MAAMs+D,SAGtD15D,GAAGpW,SAAU,UAAWlB,KAAKwlE,0BAG7BtkE,SAAS0V,gBAAgBlE,MAAMs+D,SAAW,SAG1C7kE,SAASjL,SAAS2M,KAAM,wBAMnBqK,QAAQ,mBAUfutD,mBAAmBv2D,OACC,WAAdA,MAAMpK,MACoB,IAAxB9E,KAAKwsD,iBACFxsD,KAAK8wE,kBAGHD,sBAFApkB,kBAabokB,sBACOrkB,cAAa,QACbskB,cAAe,EACpBttE,IAAItC,SAAU,UAAWlB,KAAKwlE,0BAG9BtkE,SAAS0V,gBAAgBlE,MAAMs+D,SAAWhxE,KAAK+wE,gBAG/CtkE,YAAYvL,SAAS2M,KAAM,wBAQtBqK,QAAQ,kBAUf47B,wBAAwB5uC,eACRjC,IAAViC,aACKlF,KAAK2pE,SAAS,gCAElBC,UAAU,6BAA8B1kE,YACxC4Y,SAASg2B,wBAA0B5uC,WACnCgT,QAAQ,kCAef8zC,qBAAqBilB,mBACLhuE,IAAVguE,YACGC,wBAA0BD,gBAC1BjC,kCAGEhvE,KAAKkxE,sBAsBhBv9B,6BACM3zC,KAAK8d,SAASquC,gCAAkCjqD,OAAOivE,yBAA0B,OAC7EC,aAAelwE,SAAS4J,cAAc9K,KAAK6K,KAAKJ,gBACtD2mE,aAAanlE,UAAYjM,KAAK6K,KAAKoB,UACnCmlE,aAAanlE,UAAUI,IAAI,qBACvBrM,KAAK6pE,aACPuH,aAAaxlE,YAAY5L,KAAK6pE,YAAYh/D,KAAKyyD,WAAU,IAEvDt9D,KAAKqxE,UACPD,aAAaxlE,YAAY5L,KAAKqxE,SAASxmE,KAAKyyD,WAAU,IAExD8T,aAAaxlE,YAAYpB,SAAS,IAAK,CACrCuC,UAAW,gBACV,GAAI/M,KAAKof,SAAS,mCACdld,OAAOivE,yBAAyBG,cAAc,CAEnD/iE,MAAOvO,KAAK4iD,aACZv0C,OAAQrO,KAAKwiD,gBACZx4B,MAAKunD,YACNr/D,wBAAwBq/D,gBACnBn1D,IAAIlO,WAAWvC,aAAaylE,aAAcpxE,KAAKoc,KACpDm1D,UAAUrwE,SAAS2M,KAAKjC,YAAY5L,KAAKoc,KACzCm1D,UAAUrwE,SAAS2M,KAAK5B,UAAUI,IAAI,uBACjCsR,QAAQquC,sBAAqB,QAC7BruC,QAAQzF,QAAQ,CACnB/X,KAAM,wBACNoxE,UAAAA,YAIFA,UAAUn9D,iBAAiB,YAAYlF,cAC/BsiE,SAAWtiE,MAAMoB,OAAOhG,cAAc,aAC5C8mE,aAAaljE,WAAWgR,aAAasyD,SAAUJ,mBAC1CzzD,QAAQquC,sBAAqB,QAC7BruC,QAAQzF,QAAQ,4BAEhBq5D,mBAGP,4BAA6BrwE,WAA+C,IAAnClB,KAAK8zC,0BAOzC9zC,KAAK2pE,SAAS,2BAEhB/1B,QAAQC,OAAO,4BAaxBoY,8BACM/pD,OAAOivE,0BAA4BjvE,OAAOivE,yBAAyBjvE,QAErEA,OAAOivE,yBAAyBjvE,OAAO6pB,QAChC6nB,QAAQy7B,WAEb,4BAA6BnuE,SAOxBA,SAAS+qD,8BAepBjoC,cAAc9U,aACNm/D,YACJA,aACEruE,KAAK8d,aAGJuwD,cAAgBA,YAAYoD,eAMV5mE,CAAAA,WACfJ,QAAUI,GAAGJ,QAAQ8E,iBAGvB1E,GAAG6mE,yBACE,KAMO,UAAZjnE,eAC6C,IAFvB,CAAC,SAAU,WAAY,SAAU,QAAS,QAAS,UAElDjK,QAAQqK,GAAG1K,aAKI,IADrB,CAAC,YACFK,QAAQiK,UAI1BknE,CAAe3xE,KAAKoc,IAAIhE,cAAcgW,iBAGP,mBAAxBigD,YAAYoD,QACrBpD,YAAYoD,QAAQrsE,KAAKpF,KAAMkP,YAE1B0iE,cAAc1iE,QAevB0iE,cAAc1iE,aACNuiE,QAAUzxE,KAAK8d,SAASuwD,YAAcruE,KAAK8d,SAASuwD,YAAYoD,QAAU,IAG1EI,cACJA,cAAgBC,CAAAA,cAA4C,MAA5B5iE,MAAMpK,IAAIyK,eADtCwiE,QAEJA,QAAUD,CAAAA,cAA4C,MAA5B5iE,MAAMpK,IAAIyK,eAFhCyiE,aAGJA,aAAeF,CAAAA,cAA4C,MAA5B5iE,MAAMpK,IAAIyK,eAAqD,MAA5BL,MAAMpK,IAAIyK,gBAC1EkiE,WACAI,cAAczsE,KAAKpF,KAAMkP,OAAQ,CACnCA,MAAM8G,iBACN9G,MAAMqH,wBACA07D,SAAWz0D,YAAY+D,aAAa,qBACM,IAA5CrgB,SAASlB,KAAKssD,OAAOC,oBACvB0lB,SAAS1tE,UAAUo6C,YAAYv5C,KAAKpF,KAAMkP,YAEvC,GAAI6iE,QAAQ3sE,KAAKpF,KAAMkP,OAAQ,CACpCA,MAAM8G,iBACN9G,MAAMqH,kBACaiH,YAAY+D,aAAa,cACjChd,UAAUo6C,YAAYv5C,KAAKpF,KAAMkP,YACvC,GAAI8iE,aAAa5sE,KAAKpF,KAAMkP,OAAQ,CACzCA,MAAM8G,iBACN9G,MAAMqH,kBACaiH,YAAY+D,aAAa,cACjChd,UAAUo6C,YAAYv5C,KAAKpF,KAAMkP,QAehDqlC,YAAYp0C,UACNq1C,QAGC,IAAIx0C,EAAI,EAAG+8C,EAAI/9C,KAAK8d,SAASkgC,UAAWh9C,EAAI+8C,EAAE98C,OAAQD,IAAK,OACxDi9C,SAAWF,EAAE/8C,OACfkqB,KAAOlJ,KAAKk8B,QAAQD,aAInB/yB,OACHA,KAAO1N,YAAY+D,aAAa08B,WAI7B/yB,SAMDA,KAAKizB,gBACP3I,IAAMtqB,KAAKqpB,YAAYp0C,MACnBq1C,YACKA,SARThzC,MAAMmB,qBAAcs6C,qFAYjB,GAcTi0B,aAAa1sE,eAGL2sE,MAAQnyE,KAAK8d,SAASkgC,UAAUvuC,KAAIwuC,UACjC,CAACA,SAAUj8B,KAAKk8B,QAAQD,aAC9Bl6C,QAAOquE,YAAEn0B,SAAU/yB,mBAEhBA,KAEKA,KAAKizB,eAEd37C,MAAMmB,qBAAcs6C,gFACb,MAMHo0B,+BAAiC,SAAUC,WAAYC,WAAYC,YACnE3R,aACJyR,WAAWrwD,MAAKwwD,aACPF,WAAWtwD,MAAKywD,iBACrB7R,MAAQ2R,OAAOC,YAAaC,aACxB7R,aACK,OAINA,WAEL8R,yBAEEC,OAAS,OAAmBntE,cAAjBw4C,SAAU/yB,eACrBA,KAAKypB,cAAclvC,OAAQzF,KAAK8d,SAASmgC,SAAS1uC,sBAC7C,CACL9J,OAAAA,OACAylB,KAAM+yB,WALC79C,IAAAA,UAcXuyE,mBAFE3yE,KAAK8d,SAAS+0D,YAEKR,+BAA+B7sE,QAAS2sE,OAdlD/xE,GAc8DwyE,OAdxD,CAACluC,EAAG77B,IAAMzI,GAAGyI,EAAG67B,KAiBZ2tC,+BAA+BF,MAAO3sE,QAASotE,QAE/DD,qBAAsB,EAoB/BG,WAAWrtE,OAAQstE,iBAEK,IAAXttE,cACFzF,KAAKmhD,OAAO51B,KAAO,GAIxBvrB,KAAKgzE,yBACFA,2BAKDxtE,QAAUk0C,aAAaj0C,WAKxBD,QAAQvE,gBAWR4mE,cAAe,EAIfkL,eACE5xB,OAAO37C,QAAUA,cAEnBunE,oBAAoBvnE,QAAQ,IAGjCswC,UAAU91C,KAAMwF,QAAQ,IAAI,CAACytE,iBAAkBx7B,YACxC6wB,YAAc7wB,IAIds7B,eACE5xB,OAAO37C,QAAUA,cAEnBunE,oBAAoBkG,qBACbjzE,KAAKkzE,KAAKD,yBAEhBztE,QAAQvE,OAAS,EACZjB,KAAK8yE,WAAWttE,QAAQ/E,MAAM,UAElConE,cAAe,OAGf7zD,YAAW,gBACTrQ,MAAM,CACT4b,KAAM,EACNsK,QAAS7pB,KAAK8d,SAASq1D,wBAExB,aAIE5wD,oBAj8dIi0B,WAAYtrB,KAAZsrB,WAo8dHiB,IAp8devsB,KAo8dVlrB,KAAKi+B,MAn8dtBuY,WAAW3xC,SAAQ2yC,IAAMA,GAAG47B,SAAW57B,GAAG47B,QAAQloD,WAu8d5C1lB,QAAQvE,OAAS,EAAG,OAChB+2B,MAAQ,UAEPr0B,MAAM,WACNmvE,WAAWttE,QAAQ/E,MAAM,IAAI,IAE9B4yE,uBAAyB,UACxB7vE,IAAI,QAASw0B,aAEfzf,IAAI,QAASyf,YACbzf,IAAI,UAAW86D,6BACfL,mBAAqB,UACnBxvE,IAAI,QAASw0B,YACbx0B,IAAI,UAAW6vE,oCAlEjBr/D,YAAW,gBACTrQ,MAAM,CACT4b,KAAM,EACNsK,QAAS7pB,KAAK8d,SAASq1D,wBAExB,GAiFP5nD,IAAI9lB,eACKzF,KAAK8yE,WAAWrtE,QAAQ,GAgBjCytE,KAAKztE,cACG6tE,WAAatzE,KAAKkyE,aAAa,CAACzsE,gBACjC6tE,aAGAn2D,gBAAgBm2D,WAAWpoD,KAAMlrB,KAAK0qE,iBAYtCjtD,OAAM,WAKLzd,KAAKi+B,MAAM54B,YAAYd,UAAUV,eAAe,kBAC7C+lE,UAAU,YAAankE,aAEvBmkE,UAAU,MAAOnkE,OAAO8lB,UAE1Bs8C,cAAe,KACnB,IACI,SAvBAA,cAAe,OAEfzpB,UAAUk1B,WAAWpoD,KAAMooD,WAAW7tE,aACtCw4B,MAAMxgB,OAAM,UACVoqD,cAAe,MAEf,IAgCXlF,iBAAiBC,OAAQC,kBAClB7iE,KAAKi+B,OAGHj+B,KAAKi+B,MAAM0kC,iBAAiBC,OAAQC,UAY7CG,oBAAoBJ,gBACb5iE,KAAKi+B,OAGHj+B,KAAKi+B,MAAM+kC,oBAAoBJ,QAMxCxiC,OAGMpgC,KAAKi+B,OAASj+B,KAAKi+B,MAAMs1C,SACtBhoD,IAAIvrB,KAAKwtE,sBAGX5D,UAAU,QAQjBz0C,WACMn1B,KAAKgtB,cACFwmD,eACA,CAELvpD,eADoBjqB,KAAK0d,OACEsM,MAAK,IAAMhqB,KAAKwzE,eAG/CA,WACMxzE,KAAKi+B,YACFA,MAAM+T,YAAY,aAEpBvlC,YAAY,oBACZN,SAAS,mBACTu7D,mBACAloB,OAAO,SACPpB,UAAUp+C,KAAK8d,SAASkgC,UAAU,GAAI,WACtC4rB,UAAU,cACV6J,0BACA9vE,MAAM,MACP3D,KAAKqxE,eACFA,SAAShyB,OAAO,CACnBoS,WAAOxuD,EACPspB,iBAAatpB,IAGbyX,UAAU1a,YACPkY,QAAQ,eAQjBu7D,0BACO/D,yBACAgE,0BACAC,kBAMPjE,yBACOrwC,YAAY,SACXu0C,mBACJA,mBADIC,gBAEJA,gBAFIC,gBAGJA,gBAHIluB,qBAIJA,sBACE5lD,KAAKmiD,YAAc,IACjBkJ,QACJA,SACEyoB,iBAAmB,GACnBF,oBACFA,mBAAmBzuB,gBAEjB0uB,iBACFA,gBAAgB1uB,gBAEdS,sBACFA,qBAAqBT,gBAEnBkG,UACFA,QAAQhM,SACJgM,QAAQ0oB,iBACV1oB,QAAQ0oB,gBAAgB10B,UAQ9Bq0B,0BACOre,aAAar1D,KAAKmvE,4BAClBhD,wBAMPwH,uBACOz8B,OAAO,QACPh/B,QAAQ,gBASf87D,uBACQvuE,OAASzF,KAAKwtE,gBACdhoE,QAAU,UAGmB,IAA/BlB,OAAOG,KAAKgB,QAAQxE,QACtBuE,QAAQvD,KAAKwD,QAERzF,KAAKmhD,OAAO37C,SAAWA,QAShCgoE,uBACSxtE,KAAKmhD,OAAO17C,QAAU,GAU/Bq5D,oBACS9+D,KAAKwtE,iBAAmBxtE,KAAKwtE,gBAAgBjiD,KAAO,GAW7DsgC,qBACS7rD,KAAKwtE,iBAAmBxtE,KAAKwtE,gBAAgBrtE,MAAQ,GAa9DghE,QAAQj8D,mBACQjC,IAAViC,YACG0kE,UAAU,aAAc1kE,iBACxB4Y,SAASqjD,QAAUj8D,QAGnBlF,KAAK2pE,SAAS,WAoBvB3B,SAAS9iE,eAEOjC,IAAViC,aACKlF,KAAK8d,SAASkqD,WAAY,MAE/BiM,aAGiB,iBAAV/uE,OAAsB,mBAAmB7C,KAAK6C,SAAoB,IAAVA,OAAkBlF,KAAK8d,SAAS6sD,wBAC5F7sD,SAASkqD,SAAW9iE,WACpBsnE,gBAAiC,iBAAVtnE,MAAqBA,MAAQ,QACzD+uE,cAAe,QASVn2D,SAASkqD,WALJ9iE,MAOZ+uE,kBAAuC,IAAjBA,aAA+Bj0E,KAAK8d,SAASkqD,SAAWiM,aAM1Ej0E,KAAKi+B,YACF2rC,UAAU,cAAeqK,cAoBlC//B,YAAYhvC,mBACIjC,IAAViC,aACG0kE,UAAU,iBAAkB1kE,YAC5B4Y,SAASo2B,YAAchvC,OAEvBlF,KAAK2pE,SAAS,eAcvBkB,KAAK3lE,mBACWjC,IAAViC,YACG0kE,UAAU,UAAW1kE,iBACrB4Y,SAAS+sD,KAAO3lE,QAGhBlF,KAAK2pE,SAAS,QAevBnqB,OAAOj0B,aACOtoB,IAARsoB,WACKvrB,KAAK2nE,QAKTp8C,MACHA,IAAM,IAEJA,MAAQvrB,KAAK2nE,eAKZA,QAAUp8C,SAGVq+C,UAAU,YAAar+C,UACvBw7C,mBAAoB,OASpB7uD,QAAQ,iBAef+zD,+BACQjsE,KAAK2nE,SAAW3nE,KAAK8d,SAASgtD,wBAA0B9qE,KAAKi+B,OAASj+B,KAAKi+B,MAAMuhB,OAAQ,OACvF00B,UAAYl0E,KAAKi+B,MAAMuhB,UAAY,GACrC00B,YAAcl0E,KAAK2nE,eAChBA,QAAUuM,eACVnN,mBAAoB,OAGpB7uD,QAAQ,kBAkBnBkV,SAASy6B,cACM5kD,IAAT4kD,aACO7nD,KAAK4nE,UAEhB/f,OAASA,KAGL7nD,KAAK4nE,YAAc/f,YAGlB+f,UAAY/f,KACb7nD,KAAKosE,4BACFxC,UAAU,cAAe/hB,MAE5B7nD,KAAK4nE,gBACFn7D,YAAY,8BACZN,SAAS,6BAKT+L,QAAQ,mBACRlY,KAAKosE,4BACHC,mCAGF5/D,YAAY,6BACZN,SAAS,8BAKT+L,QAAQ,oBACRlY,KAAKosE,4BACHG,iCAuBXH,oBAAoBvkB,cACL5kD,IAAT4kD,aACO7nD,KAAKm0E,qBAEhBtsB,OAASA,KAGL7nD,KAAKm0E,uBAAyBtsB,YAG7BssB,qBAAuBtsB,KACxB7nD,KAAKm0E,2BACFhoE,SAAS,kCAQT+L,QAAQ,8BAERzL,YAAY,kCAQZyL,QAAQ,yBAiBjBvU,MAAMw0B,aACQl1B,IAARk1B,WACKn4B,KAAKoyC,QAAU,QAIxBlyC,MAAM,eAAe2E,SAAQuvE,qBACrBC,OAASD,aAAap0E,KAAMm4B,KAC5BxzB,WAAW0vE,UAAY/xE,MAAMC,QAAQ8xE,SAA6B,iBAAXA,QAAyC,iBAAXA,QAAkC,OAAXA,OAIlHl8C,IAAMk8C,YAHC/yE,IAAIqC,MAAM,yEAQf3D,KAAK8d,SAASw2D,2BAA6Bn8C,KAAoB,IAAbA,IAAI5Y,KAAY,OAC9Dg1D,uBAAyB,gBACxB5wE,MAAMw0B,kBAERra,SAASw2D,2BAA4B,OACrC37D,IAAI,CAAC,QAAS,cAAe47D,kCAC7Bh8D,IAAI,aAAa,gBACf/U,IAAI,CAAC,QAAS,cAAe+wE,8BAM1B,OAARp8C,gBACGia,OAAS,UACT3lC,YAAY,kBACbzM,KAAKi7C,mBACFA,aAAalvB,cAIjBqmB,OAAS,IAAIxoB,WAAWuO,UAGxBhsB,SAAS,aAId3J,MAAMmB,sBAAe3D,KAAKoyC,OAAO7yB,iBAAQqK,WAAWQ,WAAWpqB,KAAKoyC,OAAO7yB,WAAUvf,KAAKoyC,OAAOvoB,QAAS7pB,KAAKoyC,aAM1Gl6B,QAAQ,SAGbhY,MAAM,SAAS2E,SAAQuvE,cAAgBA,aAAap0E,KAAMA,KAAKoyC,UAUjEvtB,mBAAmB3V,YACZslE,eAAgB,EAiBvB92B,WAAWmK,cACI5kD,IAAT4kD,YACK7nD,KAAKinE,gBAEdpf,OAASA,QACI7nD,KAAKinE,qBAGbA,YAAcpf,KACf7nD,KAAKinE,wBACFuN,eAAgB,OAChB/nE,YAAY,0BACZN,SAAS,6BAKT+L,QAAQ,cAYXlY,KAAKi+B,YACFA,MAAM1lB,IAAI,aAAa,SAAUvG,GACpCA,EAAEuE,kBACFvE,EAAEgE,yBAGDw+D,eAAgB,OAChB/nE,YAAY,wBACZN,SAAS,0BAKT+L,QAAQ,iBAQf0wD,6BACM6L,gBACAC,UACAC,gBACEC,eAAiB/7D,MAAM7Y,KAAMA,KAAK6kB,oBAqBlCgwD,2BAA6B,SAAU3lE,OAC3C0lE,sBAEK5vD,cAAcyvD,uBAIhBn9D,GAAG,aAlBgB,WACtBs9D,sBAIK5vD,cAAcyvD,iBAInBA,gBAAkBz0E,KAAKilB,YAAY2vD,eAAgB,aAUhDt9D,GAAG,aA5BgB,SAAUtF,GAG5BA,EAAE8iE,UAAYJ,WAAa1iE,EAAE+iE,UAAYJ,YAC3CD,UAAY1iE,EAAE8iE,QACdH,UAAY3iE,EAAE+iE,QACdH,0BAuBCt9D,GAAG,UAAWu9D,iCACdv9D,GAAG,aAAcu9D,kCAChB1yB,WAAaniD,KAAKkgB,SAAS,kBA0B7BgvD,mBAtBA/sB,YAAe54C,QAAWxC,aAC5Bo7C,WAAW7qC,GAAG,cAAc,SAAUpI,OACa,IAA7ClP,KAAK6T,SAASiK,SAASoxD,yBACpBr7D,SAASstC,OAAO+tB,kBAAoBlvE,KAAK6T,SAASiK,SAASoxD,wBAE7Dr7D,SAASiK,SAASoxD,kBAAoB,KAE7C/sB,WAAW7qC,GAAG,cAAc,SAAUpI,YAC/B2E,SAASiK,SAASoxD,kBAAoBlvE,KAAK6T,SAASstC,OAAO+tB,2BAM/D53D,GAAG,UAAWs9D,qBACdt9D,GAAG,QAASs9D,qBAwCZ3vD,aA9BiB,eAEfjlB,KAAKw0E,0BAKLA,eAAgB,OAGhB92B,YAAW,QAGXjkC,aAAay1D,yBACZ31D,QAAUvZ,KAAK8d,SAASoxD,kBAC1B31D,SAAW,IAMf21D,kBAAoBlvE,KAAKgU,YAAW,WAI7BhU,KAAKw0E,oBACH92B,YAAW,KAEjBnkC,YAE2B,KAiBlC87C,aAAaD,cACEnyD,IAATmyD,YAMAp1D,KAAKi+B,OAASj+B,KAAKi+B,MAAM+W,qBACpBh1C,KAAKmhD,OAAO0sB,kBAAoB7tE,KAAK2pE,SAAS,gBAEhD,OANAC,UAAU,kBAAmBxU,MAwBtC+Z,oBAAoB/Z,kBACLnyD,IAATmyD,KACKp1D,KAAK4pE,UAAU,yBAA0BxU,MAE9Cp1D,KAAKi+B,OAASj+B,KAAKi+B,MAAM+W,qBACpBh1C,KAAK2pE,SAAS,uBAEhB,EAcT9lB,QAAQgE,cACO5kD,IAAT4kD,aAIK7nD,KAAKg1E,cAHPA,WAAantB,KAKtBgf,2CACQ1kB,WAAaniD,KAAKkgB,SAAS,cAC5BiiC,YAAcniD,KAAKqnE,gBAAgBnlB,mBAAqBC,WAAW1+B,uBAGnE4jD,gBAAgBnlB,iBAAmBC,WAAW1+B,qBAC9CpV,OAAOrO,KAAKqnE,gBAAgBnlB,mBAEnC+yB,0BAEO9oE,SAAS,6BACR+oE,eAAiBl1E,KAAKggB,WACtBmiC,WAAaniD,KAAKkgB,SAAS,cAC3BgiC,iBAAmBC,YAAcA,WAAW1+B,gBAIlDyxD,eAAerwE,SAAQ4G,QACjBA,QAAU02C,YAGV12C,MAAM2Q,MAAQ3Q,MAAMI,SAAS,gBAC/BJ,MAAMiX,YACD2kD,gBAAgBC,eAAerlE,KAAKwJ,gBAGxC47D,gBAAgBjlB,aAAepiD,KAAKyjB,qBACpC4jD,gBAAgBnlB,iBAAmBA,sBACnC5qC,GAAG,eAAgBtX,KAAK4mE,8CAGxBv4D,OAAO6zC,uBACPhqC,QAAQ,uBAEfi9D,2BACO1oE,YAAY,4BACZjJ,IAAI,eAAgBxD,KAAK4mE,8CAGzBS,gBAAgBC,eAAeziE,SAAQ4G,OAASA,MAAMgX,cAGtDpU,OAAOrO,KAAKqnE,gBAAgBjlB,mBAC5BlqC,QAAQ,uBAgBf6zC,cAAc7mD,UACS,kBAAVA,OAAuBA,QAAUlF,KAAKmnE,sBACxCnnE,KAAKmnE,uBAETA,eAAiBjiE,MAGlBA,MAAO,OACHkwE,aAAe,UAGjBp1E,KAAKgsD,wBACPopB,aAAanzE,KAAKjC,KAAKisD,wBAErBjsD,KAAKwsD,gBACP4oB,aAAanzE,KAAKjC,KAAKysD,kBAErBzsD,KAAK8rD,mBACPspB,aAAanzE,KAAKjC,KAAK8rD,iBAAgB,IAElClY,QAAQrwC,IAAI6xE,cAAcprD,MAAK,IAAMhqB,KAAKi1E,8BAI5CrhC,QAAQy7B,UAAUrlD,MAAK,IAAMhqB,KAAKm1E,wBAE3CE,uBAEer1E,KAAKi+B,OAASj+B,KAAKi+B,OAC3Bvb,YACAvW,SAAS,8BACT+L,QAAQ,yBAEfo9D,wBAEet1E,KAAKi+B,OAASj+B,KAAKi+B,OAC3Bxb,YACAhW,YAAY,8BACZyL,QAAQ,yBAaf4zC,gBAAgB5mD,UACO,kBAAVA,OAAuBA,QAAUlF,KAAKonE,wBACxCpnE,KAAKonE,yBAETA,iBAAmBliE,MACpBA,MAAO,IACLlF,KAAK+rD,gBAAiB,QACK/rD,KAAK+rD,eAAc,GACpB/hC,MAAK,UAE1BqrD,gCAGFzhC,QAAQy7B,UAAUrlD,MAAK,UAEvBqrD,gCAGFzhC,QAAQy7B,UAAUrlD,MAAK,UAEvBsrD,0BAyBTliC,aAAaxiB,KAAMnE,MAAOjN,aACpBxf,KAAKi+B,aACAj+B,KAAKi+B,MAAMmV,aAAaxiB,KAAMnE,MAAOjN,UAqBhDkM,mBAAmBvlB,QAASotC,kBACtBvzC,KAAKi+B,aACAj+B,KAAKi+B,MAAMvS,mBAAmBvlB,QAASotC,eAclDtB,4BAAsBrsC,2DAAM,IACtBglB,MACFA,OACEhlB,OACCglB,QACHA,MAAQhlB,KAMN5F,KAAKi+B,aACAj+B,KAAKi+B,MAAMgU,sBAAsBrnB,OAc5C8oB,iCACS1zC,KAAK2pE,SAAS,2BASvB/mB,oBACS5iD,KAAKi+B,OAASj+B,KAAKi+B,MAAM2kB,YAAc5iD,KAAKi+B,MAAM2kB,cAAgB,EAS3EJ,qBACSxiD,KAAKi+B,OAASj+B,KAAKi+B,MAAMukB,aAAexiD,KAAKi+B,MAAMukB,eAAiB,EAqB7EhjC,SAASD,cACMtc,IAATsc,YACKvf,KAAK60D,UAEV70D,KAAK60D,YAAc77B,OAAOzZ,MAAMhQ,qBAC7BslD,UAAY77B,OAAOzZ,MAAMhQ,cAG1BmL,UAAU1a,YAOPkY,QAAQ,mBAanBuH,mBACSna,QAAQ+hB,OAAO9iB,UAAUuZ,SAAS2B,UAAWzf,KAAKynE,YAU3D8N,eACQpvE,QAAUb,QAAQtF,KAAK8d,UACvB0R,OAASrpB,QAAQqpB,OACvBrpB,QAAQqpB,OAAS,OACZ,IAAIxuB,EAAI,EAAGA,EAAIwuB,OAAOvuB,OAAQD,IAAK,KAClC4pB,MAAQ4E,OAAOxuB,GAGnB4pB,MAAQtlB,QAAQslB,OAChBA,MAAM/W,YAAS5Q,EACfkD,QAAQqpB,OAAOxuB,GAAK4pB,aAEfzkB,QAmBTqvE,YAAY5qE,QAASzE,UACnBA,QAAUA,SAAW,IACbyE,QAAUA,SAAW,SACvB6qE,MAAQ,IAAI7pD,YAAY5rB,KAAMmG,qBAC/B8a,SAASw0D,OACdA,MAAMn+D,GAAG,WAAW,UACblG,YAAYqkE,UAEnBA,MAAM7oD,OACC6oD,MAQT1P,+BACO/lE,KAAK8oE,0BAGJ4M,kBAAoB11E,KAAK01E,oBACzBlyD,aAAexjB,KAAKwjB,mBACrB,IAAIxiB,EAAI,EAAGA,EAAI0jE,iBAAiBzjE,OAAQD,IAAK,OAC1C20E,oBAAsBjR,iBAAiB1jE,MAEzCwiB,cADaxjB,KAAK41E,aAAaD,qBACL,IAExBD,oBAAsBC,2BAKtBD,wBACGjpE,YAAYk4D,mBAAmB+Q,yBAEjCvpE,SAASw4D,mBAAmBgR,2BAC5BE,YAAcF,4BAWzBG,iCACQ/oE,UAAY/M,KAAK+1E,8BAClBF,YAAc,GACf9oE,gBACGN,YAAYM,WAwCrB87D,YAAYA,yBAEU5lE,IAAhB4lE,mBAGCgN,YAAc,QACdD,aAAetxE,OAAO4X,OAAO,GAAI2oD,oBAAqBgE,kBAItD9C,4BAPIzhE,OAAO4X,OAAOlc,KAAK41E,cA0B9B9M,WAAW5jE,eAEKjC,IAAViC,aACKlF,KAAKg2E,mBAEd9wE,MAAQqC,QAAQrC,UACAlF,KAAKg2E,kBAQhBA,YAAc9wE,MAIfA,YACGoS,GAAG,eAAgBtX,KAAK8lE,oCACxBC,kCAIAviE,IAAI,eAAgBxD,KAAK8lE,oCACzBgQ,4BAEA5wE,cAUTwwE,2BACS11E,KAAK61E,YAWdE,gCACSpR,mBAAmB3kE,KAAK61E,cAAgB,GAyDjDI,UAAUnjE,MAAO2K,WACV3K,OAA0B,iBAAVA,mBAGfkrB,YAAch+B,KAAKg+B,mBACpB7I,aAGAgsB,OAAOruC,MAAQxN,QAAQwN,aACtBojE,OACJA,OADIC,QAEJA,QAFI5pD,YAGJA,YAHIizB,OAIJA,OAJIj0B,IAKJA,IALIC,WAMJA,WANIimC,MAOJA,OACEzxD,KAAKmhD,OAAOruC,OAGXqjE,SAAW32B,cACT2B,OAAOruC,MAAMqjE,QAAU,CAAC,CAC3B5qD,IAAKi0B,OACLr/C,KAAMo5C,YAAYiG,WAGlBxhB,kBACGA,YAAYA,aAEfzS,UACGA,IAAIA,KAEPi0B,aACGA,OAAOA,QAEVl9C,MAAMC,QAAQipB,aAChBA,WAAW3mB,SAAQuxE,IAAMp2E,KAAK0rB,mBAAmB0qD,IAAI,KAEnDp2E,KAAKqxE,eACFA,SAAShyB,OAAO,CACnBoS,MAAAA,MACAllC,YAAaA,aAAe2pD,QAAU,UAGrCz4D,MAAMA,OAWb44D,eACOr2E,KAAKmhD,OAAOruC,MAAO,OAChB0sC,OAASx/C,KAAKw/C,SAQd1sC,MAAQ,CACZyY,IARUvrB,KAAKg0E,iBASfxoD,WARiBlpB,MAAMiC,UAAUkL,IAAIrK,KAAKpF,KAAK+yC,oBAAoBqjC,MACnExlD,KAAMwlD,GAAGxlD,KACTnE,MAAO2pD,GAAG3pD,MACVjN,SAAU42D,GAAG52D,SACb+L,IAAK6qD,GAAG7qD,gBAMNi0B,SACF1sC,MAAM0sC,OAASA,OACf1sC,MAAMqjE,QAAU,CAAC,CACf5qD,IAAKzY,MAAM0sC,OACXr/C,KAAMo5C,YAAYzmC,MAAM0sC,WAGrB1sC,aAEFxN,QAAQtF,KAAKmhD,OAAOruC,6BAaPzF,WACdipE,YAAc,CAClB9wE,QAAS,GACTgqB,OAAQ,IAEJ+mD,WAAanpE,cAAcC,KAC3BmpE,UAAYD,WAAW,iBACzB1qE,SAASwB,IAAK,cAChBkpE,WAAWzpD,MAAO,GAEhBjhB,SAASwB,IAAK,eAChBkpE,WAAWhN,OAAQ,GAIH,OAAdiN,cAIAlyE,OAAO4X,OAAOq6D,WAAY97C,KAAKC,MAAM87C,WAAa,OAClD,MAAOxkE,GACPxP,MAAMmB,MAAM,aAAcqO,MAG9B1N,OAAO4X,OAAOo6D,YAAaC,YAGvBlpE,IAAIiyD,gBAAiB,OACjBt/C,SAAW3S,IAAI25B,eAChB,IAAIhmC,EAAI,EAAG+8C,EAAI/9B,SAAS/e,OAAQD,EAAI+8C,EAAG/8C,IAAK,OACzCyK,MAAQuU,SAAShf,GAEjBy1E,UAAYhrE,MAAM6D,SAASC,cACf,WAAdknE,UACFH,YAAY9wE,QAAQvD,KAAKmL,cAAc3B,QAChB,UAAdgrE,WACTH,YAAY9mD,OAAOvtB,KAAKmL,cAAc3B,gBAIrC6qE,YAWT7yE,MAAMygB,iBACYjhB,IAAZihB,eACKlkB,KAAKknE,cAEVhjD,cACGhM,QAAQ,gBACRw+D,kBAAoB12E,KAAKsB,IAAIE,WAC7BF,IAAIE,MAAM,cACV0lE,eAAgB,SAEhBhvD,QAAQ,iBACR5W,IAAIE,MAAMxB,KAAK02E,wBACfA,uBAAoBzzE,OACpBikE,eAAgB,GAgBzBrR,cAAc8gB,kBACK1zE,IAAb0zE,gBACK32E,KAAKmhD,OAAO0U,cAIhBvzD,MAAMC,QAAQo0E,WAKdA,SAAS/7D,OAAMw6C,MAAwB,iBAATA,cAG9BjU,OAAO0U,cAAgB8gB,cAQvBz+D,QAAQ,yBAmFjB0pB,IAAIxhB,MAAMvb,SAAQ,SAAUxD,YACpBmvC,MAAQ5O,IAAIvgC,MAClBgmB,OAAO9iB,UAAUisC,MAAMxP,YAAc,kBAC/BhhC,KAAKi+B,MACAj+B,KAAKi+B,MAAMuS,MAAMxP,oBAKrBwP,MAAMvP,aAAejhC,KAAKwwC,MAAMvP,cAAgB,IAAIuP,MAAM/P,UACxDzgC,KAAKwwC,MAAMvP,kBAmBtB5Z,OAAO9iB,UAAUg7C,YAAcl4B,OAAO9iB,UAAUy5B,YAUhD3W,OAAOC,QAAU,SACXjf,UAAYnG,OAAOmG,UAUzBgf,OAAO9iB,UAAUuZ,SAAW,CAE1BkgC,UAAWh8B,KAAK4yB,kBAChBgiC,MAAO,GAEPzX,iBAAiB,EAEjB+P,kBAAmB,IAEnBrZ,cAAe,GAGfgG,QAAQ,EAER77C,SAAU,CAAC,cAAe,cAAe,WAAY,mBAAoB,iBAAkB,gBAAiB,cAAe,aAAc,eAAgB,oBAAqB,iBAC9KR,SAAUnX,YAAcA,UAAUoX,WAAapX,UAAUoX,UAAU,IAAMpX,UAAUwuE,cAAgBxuE,UAAUmX,WAAa,KAE1HC,UAAW,GAEX0zD,oBAAqB,iDACrBxI,mBAAmB,EACnBoE,WAAY,CACV5oE,QAAS,CACP2wE,aAAc,SAGlBjO,YAAa,GACbC,YAAY,EACZ/c,eAAe,EACfD,iBAAiB,EACjB7nC,kBAAmB,CACjBC,SAAS,EACTwjC,gBAAgB,GAGlBxC,qBAAqB,EACrBwE,mCAAmC,GAErC0a,sBAAsBv/D,SAAQ,SAAUqK,OACtCmY,OAAO9iB,8BAAuB2Y,cAAchO,aAAa,kBAChDlP,KAAKkY,QAAQhJ,WAkCxBsO,YAAY8K,kBAAkB,SAAUjB,cA8BlC0vD,cAAgB,GAYhBC,aAAe31E,MAAQ01E,cAAclzE,eAAexC,MAYpD41E,UAAY51E,MAAQ21E,aAAa31E,MAAQ01E,cAAc11E,WAAQ4B,EAc/Di0E,mBAAqB,CAACrjE,OAAQxS,QAClCwS,OAAM,eAAqBA,OAAM,gBAAsB,GACvDA,OAAM,eAAmBxS,OAAQ,GAiB7B81E,kBAAoB,CAACtjE,OAAQ2D,KAAM4/D,gBACjC9W,WAAa8W,OAAS,SAAW,IAAM,cAC7CvjE,OAAOqE,QAAQooD,UAAW9oD,MAC1B3D,OAAOqE,QAAQooD,UAAY,IAAM9oD,KAAKnW,KAAMmW,OA6DxC6/D,oBAAsB,CAACh2E,KAAMi2E,kBAGjCA,eAAe/yE,UAAUlD,KAAOA,KACzB,WACL81E,kBAAkBn3E,KAAM,CACtBqB,KAAAA,KACAk2E,OAAQD,eACRE,SAAU,OACT,mCALe/1E,uDAAAA,qCAMZ+1E,SAAW,IAAIF,kBAAkB,CAACt3E,QAASyB,mBAG5CJ,MAAQ,IAAMm2E,SACnBL,kBAAkBn3E,KAAMw3E,SAASC,gBAC1BD,iBAkBLE,OASJryE,YAAYwO,WACN7T,KAAKqF,cAAgBqyE,aACjB,IAAI5zE,MAAM,+DAEb+P,OAASA,OACT7T,KAAKsB,WACHA,IAAMtB,KAAK6T,OAAOvS,IAAIsB,aAAa5C,KAAKqB,OAK/C2a,QAAQhc,aACDA,KAAKkY,QACZ0E,SAAS5c,KAAMA,KAAKqF,YAAYwX,cAChCq6D,mBAAmBrjE,OAAQ7T,KAAKqB,WAI3B0d,QAAU/e,KAAK+e,QAAQ/F,KAAKhZ,MAGjC6T,OAAOyD,GAAG,UAAWtX,KAAK+e,SAM5BhW,iBACS/I,KAAKqF,YAAYsyE,QAe1BF,mBAAajgE,4DAAO,UAClBA,KAAKnW,KAAOrB,KAAKqB,KACjBmW,KAAK+/D,OAASv3E,KAAKqF,YACnBmS,KAAKggE,SAAWx3E,KACTwX,KAiBTU,QAAQhJ,WAAOsI,4DAAO,UACbU,QAAQlY,KAAK2a,YAAazL,MAAOlP,KAAKy3E,aAAajgE,OAe5DsF,mBAAmB9K,IAUnB+M,gBACQ1d,KACJA,KADIwS,OAEJA,QACE7T,UAQCkY,QAAQ,gBACR1U,MACLqQ,OAAOrQ,IAAI,UAAWxD,KAAK+e,SAK3BlL,OAAM,eAAmBxS,OAAQ,OAC5BwS,OAAS7T,KAAKsc,MAAQ,KAI3BzI,OAAOxS,MAAQg2E,oBAAoBh2E,KAAM01E,cAAc11E,sBAa1Ck2E,cACPntC,EAAsB,iBAAXmtC,OAAsBN,UAAUM,QAAUA,aACvC,mBAANntC,IAAqBstC,OAAOnzE,UAAU2iB,cAAckjB,EAAE7lC,iCAkBhDlD,KAAMk2E,WACN,iBAATl2E,WACH,IAAIyC,sCAA+BzC,gDAAuCA,cAE9E21E,aAAa31E,MACfmB,MAAMkB,+BAAwBrC,8EACzB,GAAIgmB,OAAO9iB,UAAUV,eAAexC,YACnC,IAAIyC,sCAA+BzC,mEAErB,mBAAXk2E,aACH,IAAIzzE,oCAA6BzC,kDAAyCk2E,oBAElFR,cAAc11E,MAAQk2E,OAnVD,WAuVjBl2E,OACEq2E,OAAOE,QAAQL,QACjBlwD,OAAO9iB,UAAUlD,MA3PC,SAAUA,KAAMk2E,cAClCM,mBAAqB,WAOzBV,kBAAkBn3E,KAAM,CACtBqB,KAAAA,KACAk2E,OAAAA,OACAC,SAAU,OACT,SACGA,SAAWD,OAAO9+D,MAAMzY,KAAM0Y,kBACpCw+D,mBAAmBl3E,KAAMqB,MACzB81E,kBAAkBn3E,KAAM,CACtBqB,KAAAA,KACAk2E,OAAAA,OACAC,SAAAA,WAEKA,iBAETlzE,OAAOG,KAAK8yE,QAAQ1yE,SAAQ,SAAUiN,MACpC+lE,mBAAmB/lE,MAAQylE,OAAOzlE,SAE7B+lE,mBAkOwBC,CAAkBz2E,KAAMk2E,QAEjDlwD,OAAO9iB,UAAUlD,MAAQg2E,oBAAoBh2E,KAAMk2E,SAGhDA,+BAael2E,SA3WD,WA4WjBA,WACI,IAAIyC,MAAM,mCAEdkzE,aAAa31E,eACR01E,cAAc11E,aACdgmB,OAAO9iB,UAAUlD,+BAgBtBkE,qEADoBjB,OAAOG,KAAKsyE,gBAE9BlyE,SAAQxD,aACNk2E,OAASN,UAAU51E,MACrBk2E,SACFhyE,OAASA,QAAU,GACnBA,OAAOlE,MAAQk2E,WAGZhyE,+BAYelE,YAChBk2E,OAASN,UAAU51E,aAClBk2E,QAAUA,OAAOI,SAAW,aAkI9BI,kBAAkB5uE,MAAO6uE,QAAS50E,QAAShD,oBArBjCypB,QAASzpB,QACtB63E,QAAS,SACN,WACAA,QACHz1E,MAAMkB,KAAKmmB,SAEbouD,QAAS,kCAJSx2E,uDAAAA,sCAKXrB,GAAGqY,MAAMzY,KAAMyB,OAejBy2E,WAAaF,yDAAgD7uE,gCAAuB/F,qBAAoBhD,IAnHjHs3E,OAAOT,UAAYA,UAOnBS,OAAOS,iBA9akB,SA+azBT,OAAOU,eA/akB,SA+aeV,QAOxCrwD,OAAO9iB,UAAU8zE,YAAc,SAAUh3E,cAC9BrB,KAAA,iBAA2D,IAAjCA,KAAA,eAAuBqB,OAQ5DgmB,OAAO9iB,UAAU+zE,UAAY,SAAUj3E,cAC5B21E,aAAa31E,aA+HlBk3E,YAAcv6D,IAA0B,IAApBA,GAAGxd,QAAQ,KAAawd,GAAGvd,MAAM,GAAKud,YAsEvDje,QAAQie,GAAI7X,QAASsX,WACxB5J,OAAS9T,QAAQy4E,UAAUx6D,OAC3BnK,cACE1N,SACF3D,MAAMkB,uBAAgBsa,8DAEpBP,OACF5J,OAAO4J,MAAMA,OAER5J,aAEHhJ,GAAmB,iBAAPmT,GAAkBpM,EAAE,IAAM2mE,YAAYv6D,KAAOA,OAC1DnU,KAAKgB,UACF,IAAI4pB,UAAU,4DAYhBgkD,SADc,gBAAiB5tE,IAAKA,GAAG6tE,wBAAyBx2E,OAAOy2E,WAC9C9tE,GAAG6tE,cAAgB7tE,GAAGuN,cAAcvK,KAC9DhD,GAAGuN,cAAcwgE,aAAgBH,SAASvsE,SAASrB,KACtDrI,MAAMkB,KAAK,oDAMa,KAJ1ByC,QAAUA,SAAW,IAIT8Y,YACV9Y,QAAQ8Y,WAAapU,GAAGqD,YAAcrD,GAAGqD,WAAW6gB,cAAgBlkB,GAAGqD,WAAW6gB,aAAa,mBAAqBlkB,GAAGqD,WAAarD,IAAIyyD,WAAU,IAEpJp9D,MAAM,eAAe2E,SAAQuvE,qBACrBx8D,KAAOw8D,aAAavpE,GAAIvF,QAAQa,UACjCxB,WAAWiT,QAAStV,MAAMC,QAAQqV,MAIvCzR,QAAUb,QAAQa,QAASyR,MAHzBpV,MAAMmB,MAAM,yDAQVk1E,gBAAkBr7D,YAAY+D,aAAa,iBACjD1N,OAAS,IAAIglE,gBAAgBhuE,GAAI1E,QAASsX,OAC1Cvd,MAAM,SAAS2E,SAAQuvE,cAAgBA,aAAavgE,UAC7CA,UAET9T,QAAQE,OAASA,OACjBF,QAAQG,MAAQA,MAChBH,QAAQ+4E,KAth6BK,SAAU34E,KAAMC,IAC3BF,MAAMC,KAAMC,KAsh6BdL,QAAQg5E,SAp/5BS,SAAU54E,KAAMC,IAC/BF,MAAMC,KAAM,GAAGE,OAAOD,IAAIqP,KAAIupE,iBACtBt9D,QAAU,kBACdpb,WAAWH,KAAMub,SACVs9D,+BAEFt9D,aA++5BX3b,QAAQO,WAAaA,YAGmB,IAApC4B,OAAOknE,0BAAqChhE,SAAU,KACpDsK,MAAQd,EAAE,4BACTc,MAAO,CACVA,MAAQ2B,mBAAmB,6BACrB1B,KAAOf,EAAE,QACXe,MACFA,KAAKhH,aAAa+G,MAAOC,KAAKjH,YAEhC4I,eAAe5B,kLAgBnBkB,iBAAiB,EAAG7T,SAOpBA,QAAQ43E,QAjm6BQ,SAym6BhB53E,QAAQoG,QAAUkhB,OAAO9iB,UAAUuZ,SAQnC/d,QAAQk5E,WAAa,IAAM5xD,OAAOC,QAgBlCvnB,QAAQy4E,UAAYx6D,WACZsJ,QAAUD,OAAOC,YACnBja,OACc,iBAAP2Q,GAAiB,OACpBk7D,IAAMX,YAAYv6D,IAClBnK,OAASyT,QAAQ4xD,QACnBrlE,cACKA,OAETxG,IAAMuE,EAAE,IAAMsnE,UAEd7rE,IAAM2Q,MAEJnU,KAAKwD,KAAM,OACPwG,OACJA,OADIqtD,SAEJA,UACE7zD,OAIAwG,QAAUyT,QAAQ45C,iBACbrtD,QAAUyT,QAAQ45C,YAc/BnhE,QAAQo5E,cAAgB,IAGxB70E,OAAOG,KAAK4iB,OAAOC,SAAS7X,KAAIrB,GAAKiZ,OAAOC,QAAQlZ,KAAIrK,OAAOwD,SAC/DxH,QAAQunB,QAAUD,OAAOC,QACzBvnB,QAAQwhB,aAAe/D,YAAY+D,aAmBnCxhB,QAAQuoB,kBAAoB,CAACjnB,KAAM+3E,QAC7Bp3D,KAAKG,OAAOi3D,OACd52E,MAAMkB,mBAAYrC,qHAEbmc,YAAY8K,kBAAkBljB,KAAKoY,YAAanc,KAAM+3E,OAE/Dr5E,QAAQm+C,QAAUl8B,KAAKk8B,QACvBn+C,QAAQm2C,aAAel0B,KAAKk0B,aAC5Bn2C,QAAQs5E,aA/ljBKl5E,KAAMq2C,YACjBL,YAAYh2C,MAAQg2C,YAAYh2C,OAAS,GACzCg2C,YAAYh2C,MAAM8B,KAAKu0C,aAsmjBzBlyC,OAAO0B,eAAejG,QAAS,aAAc,CAC3CmF,MAAO,GACPo0E,WAAW,EACXrzE,YAAY,IAEd3B,OAAO0B,eAAejG,QAAQy2C,WAAY,aAAc,CACtDtxC,MAAOmxC,WACPijC,WAAW,EACXrzE,YAAY,IASdlG,QAAQ0J,QAAUA,QAQlB1J,QAAQ6F,IAAMU,IASdvG,QAAQw5E,aAAexB,kBAAkB,EAAG,uBAAwB,oBAAqBzyE,SASzFvF,QAAQ4F,mBAAqBoyE,kBAAkB,EAAG,6BAA8B,iCAAkCpyE,oBASlH5F,QAAQiZ,KAAO++D,kBAAkB,EAAG,eAAgB,iCAAkCl/D,OACtF9Y,QAAQq4E,eAAiBV,OAAOU,eAChCr4E,QAAQy5E,iBAAmB9B,OAAO8B,iBAelCz5E,QAAQw3E,OAAS,CAACl2E,KAAMk2E,UACtB/0E,MAAMkB,KAAK,wEACJg0E,OAAOU,eAAe/2E,KAAMk2E,SAErCx3E,QAAQ05E,WAAa/B,OAAO+B,WAC5B15E,QAAQk3E,UAAYS,OAAOT,UAC3Bl3E,QAAQ25E,iBAAmBhC,OAAOgC,iBAelC35E,QAAQ45E,YAAc,SAAUp6D,KAAMxK,aACpCwK,MAAQ,GAAKA,MAAMhQ,cACnBxP,QAAQoG,QAAQsZ,UAAYna,QAAQvF,QAAQoG,QAAQsZ,UAAW,EAC5DF,MAAOxK,OAEHhV,QAAQoG,QAAQsZ,UAAUF,OASnCxf,QAAQuB,IAAMkB,MACdzC,QAAQ6C,aAAeA,aAQvB7C,QAAQqlD,KAAO/7B,KASftpB,QAAQwpB,gBAAkBwuD,kBAAkB,EAAG,0BAA2B,gCAAiC1vD,oBAS3GtoB,QAAQupB,iBAAmByuD,kBAAkB,EAAG,2BAA4B,gCAAiC1vD,oBAS7GtoB,QAAQqpB,WAAa2uD,kBAAkB,EAAG,qBAAsB,0BAA2B3uD,YAS3FrpB,QAAQkpB,cAAgB8uD,kBAAkB,EAAG,wBAAyB,6BAA8B9uD,eASpGlpB,QAAQopB,gBAAkB4uD,kBAAkB,EAAG,0BAA2B,+BAAgC5uD,iBAS1GppB,QAAQuyB,SAAWylD,kBAAkB,EAAG,mBAAoB,uBAAwBzlD,UASpFvyB,QAAQgzB,cAAgBglD,kBAAkB,EAAG,wBAAyB,4BAA6BhlD,eACnGhzB,QAAQ65E,YAAc5/D,cACtBja,QAAQ4Y,IAAMA,IACd5Y,QAAQuX,GAAKA,GACbvX,QAAQwY,IAAMA,IACdxY,QAAQyD,IAAMA,IACdzD,QAAQmY,QAAUA,QAclBnY,QAAQm6B,IAAMX,IACdx5B,QAAQo+B,UAAYA,UACpBp+B,QAAQ8/B,WAAaA,WACrB9/B,QAAQggC,WAAaA,YACpB,OAAQ,aAAc,WAAY,WAAY,WAAY,cAAe,cAAe,gBAAiB,gBAAiB,UAAW,gBAAiB,iBAAiBl7B,SAAQuJ,IAC9KrO,QAAQqO,GAAK,kBACX5L,MAAMkB,uBAAgB0K,+CAAsCA,iBACrD6E,IAAI7E,GAAGqK,MAAM,KAAMC,eAG9B3Y,QAAQuO,cAAgBypE,kBAAkB,EAAG,wBAAyB,4BAA6BzpE,eAQnGvO,QAAQ85E,IAAM5mE,IAQdlT,QAAQK,GAAKwZ,GAQb7Z,QAAQ8iB,IAAM0jC,IAQdxmD,QAAQ4J,IAAM2T,IAQdvd,QAAQwyB,IAAMY,IAGdpzB,QAAQ+D,MAxiBQ,CACdg2E,iBAAkB,mBAClBC,qBAAsB,uBACtBC,sBAAuB,wBACvBC,sBAAuB,wBACvBC,wBAAyB,0BACzBC,gCAAiC,kCACjCC,iCAAkC,mCAClCC,oCAAqC,sCACrCC,wBAAyB,0BACzBC,mCAAoC,qCACpCC,gCAAiC,kCACjCC,iCAAkC,mCAClCC,+BAAgC,iCAChCC,2BAA4B,8BA4hB9BtnD,sBAAqB,SAAU3zB,OAAQD;;AAGnCC,OAAOD,QACU,SAAUM,kBAElB66E,sBAAsB5oE,UACtBA,GAAkB,iBAANA,GAAkB,YAAaA,EAAIA,EAAI,SAC7CA,OAGX6oE,iBAAgCD,sBAAsB76E,eAgBpD+6E,aAYJz1E,YAAY01E,oBACNv5E,MAAQxB,YAEZwB,MAAMwc,GAAK+8D,eAAe/8D,GAC1Bxc,MAAMirB,MAAQjrB,MAAMwc,GACpBxc,MAAM+M,MAAQwsE,eAAexsE,MAC7B/M,MAAM6M,OAAS0sE,eAAe1sE,OAC9B7M,MAAMw5E,QAAUD,eAAeE,UAC/Bz5E,MAAM05E,UAAYH,eAAeG,UACjC15E,MAAMwzB,SAAW+lD,eAAe72D,QAChC5f,OAAO0B,eAAexE,MAAO,UAAW,CAMtC6E,IAAG,IACM7E,MAAMwzB,WAOfjvB,IAAI3B,QACF5C,MAAMwzB,SAAS5wB,WAGZ5C,aAwBL25E,yBAAyBN,iBAAgB,QAAYjB,YAIzDv0E,0BAEMgrB,KAAOrwB,YAEXqwB,KAAK+qD,QAAU,GACf/qD,KAAKgrD,gBAAkB,EAQvB/2E,OAAO0B,eAAeqqB,KAAM,gBAAiB,CAC3ChqB,IAAG,IACMgqB,KAAKgrD,iBAUhB/2E,OAAO0B,eAAeqqB,KAAM,SAAU,CACpChqB,IAAG,IACMgqB,KAAK+qD,QAAQn6E,SAGxBovB,KAAKlI,OAAOC,UAAY,IAAMiI,KAAK+qD,QAAQz0E,SACpC0pB,KAgBTirD,gBAAgBP,oBACVQ,aAAev7E,KAAKw7E,oBAAoBT,eAAe/8D,OAGvDu9D,oBACKA,mBAEHh7E,MAAQP,KAAKo7E,QAAQn6E,cAC3Bs6E,aAAe,IAAIT,aAAaC,gBAC1B,GAAKx6E,SAASP,MAClBsE,OAAO0B,eAAehG,KAAMO,MAAO,CACjC8F,aACSrG,KAAKo7E,QAAQ76E,eAIrB66E,QAAQn5E,KAAKs5E,mBACbrjE,QAAQ,CACXqjE,aAAAA,aACAp7E,KAAM,oBAEDo7E,aAUTE,mBAAmBF,kBACbG,QAAU,SACT,IAAI16E,EAAI,EAAG8uB,EAAI9vB,KAAKiB,OAAQD,EAAI8uB,EAAG9uB,OAClChB,KAAKgB,KAAOu6E,aAAc,CAC5BG,QAAU17E,KAAKo7E,QAAQ16E,OAAOM,EAAG,GAAG,GAChChB,KAAKq7E,iBAAmBr6E,OACrBq6E,gBAAkB,EACdr7E,KAAKq7E,eAAiBr6E,QAC1Bq6E,8BAKPK,cACGxjE,QAAQ,CACXqjE,aAAAA,aACAp7E,KAAM,uBAGHu7E,QAUTF,oBAAoBx9D,QACb,IAAIhd,EAAI,EAAG8uB,EAAI9vB,KAAKiB,OAAQD,EAAI8uB,EAAG9uB,IAAK,OACrCQ,MAAQxB,KAAKgB,MACfQ,MAAMwc,KAAOA,UACRxc,aAGJ,KAQTud,eACOs8D,gBAAkB,OAClBD,QAAQn6E,OAAS,GAS1Bk6E,iBAAiB52E,UAAU2V,eAAiB,CAC1C8V,OAAQ,SACR2rD,gBAAiB,kBACjBC,mBAAoB,0BAIjB,MAAM1sE,SAASisE,iBAAiB52E,UAAU2V,eAC7CihE,iBAAiB52E,UAAU,KAAO2K,OAAS,SAEzCnG,QAAU,cAUR8yE,WAAa,SAAUhoE,OAAQ1N,eAC7B21E,iBAAmBjoE,OAAOkoE,cAC1BC,iBAAmB,IAAIb,iBACvBc,eAAiB,WACrBD,iBAAiBj9D,UACjBlL,OAAOkoE,cAAgBD,iBACvBjoE,OAAOrQ,IAAI,UAAWy4E,wBAExBpoE,OAAOyD,GAAG,UAAW2kE,gBACrBpoE,OAAOkoE,cAAgB,IAAMC,iBAC7BnoE,OAAOkoE,cAAcpE,QAAU5uE,QACxBizE,kBAcHD,cAAgB,SAAU51E,gBACvB01E,WAAW77E,KAAM66E,iBAAgB,QAAYj1E,IAAIc,MAAM,GAAIP,kBAIpE00E,iBAAgB,QAAYzC,eAAe,gBAAiB2D,eAG5DA,cAAcpE,QAAU5uE,QACjBgzE,cAvRUv8E,CAAQO,gBA4RzBm8E,aAAe,SAAoBC,QAASC,gBAE1C,YAAY/5E,KAAK+5E,oBACZA,YAGL,SAAS/5E,KAAK85E,WAChBA,QAAUj6E,OAAO+wB,UAAY/wB,OAAO+wB,SAASjgB,MAAQ,QAEnDqpE,aAAe,QAAQh6E,KAAK85E,SAG5BG,gBAAkBp6E,OAAO+wB,WAAa,QAAQ5wB,KAAK85E,SAEvDA,QAAU,IAAIj6E,OAAOswB,IAAI2pD,QAASj6E,OAAO+wB,UAfpB,2BAgBjBspD,OAAS,IAAI/pD,IAAI4pD,YAAaD,gBAI9BG,eACKC,OAAOvpE,KAAKvS,MArBA,sBAqBuBQ,QACjCo7E,aACFE,OAAOvpE,KAAKvS,MAAM87E,OAAOC,SAASv7E,QAEpCs7E,OAAOvpE,MAYZypE,OAAsB,oBACfA,cACF/b,UAAY,OAUfzrC,OAASwnD,OAAOl4E,iBACpB0wB,OAAO3d,GAAK,SAAYnX,KAAM+a,UACvBlb,KAAK0gE,UAAUvgE,aACbugE,UAAUvgE,MAAQ,SAEpBugE,UAAUvgE,MAAM8B,KAAKiZ,WAU5B+Z,OAAOzxB,IAAM,SAAarD,KAAM+a,cACzBlb,KAAK0gE,UAAUvgE,aACX,MAELI,MAAQP,KAAK0gE,UAAUvgE,MAAMK,QAAQ0a,sBASpCwlD,UAAUvgE,MAAQH,KAAK0gE,UAAUvgE,MAAMM,MAAM,QAC7CigE,UAAUvgE,MAAMO,OAAOH,MAAO,GAC5BA,OAAS,GAQlB00B,OAAO/c,QAAU,SAAiB/X,UAC5B4vE,UAAY/vE,KAAK0gE,UAAUvgE,SAC1B4vE,aAOoB,IAArBr3D,UAAUzX,eACRA,OAAS8uE,UAAU9uE,OACdD,EAAI,EAAGA,EAAIC,SAAUD,EAC5B+uE,UAAU/uE,GAAGoE,KAAKpF,KAAM0Y,UAAU,iBAGhCjX,KAAOa,MAAMiC,UAAU9D,MAAM2E,KAAKsT,UAAW,GAC7CgkE,QAAU3M,UAAU9uE,OACf07E,GAAK,EAAGA,GAAKD,UAAWC,GAC/B5M,UAAU4M,IAAIlkE,MAAMzY,KAAMyB,OAOhCwzB,OAAOlW,QAAU,gBACV2hD,UAAY,IAUnBzrC,OAAO2nD,KAAO,SAAcC,kBACrBvlE,GAAG,QAAQ,SAAUvC,MACxB8nE,YAAY56E,KAAK8S,UAGd0nE,OA3FiB,YAiGjBK,sBAAsBC,iBAHNr0D,EAInBs0D,eAJmBt0D,EAIEq0D,QAHlB76E,OAAO+6E,KAAO/6E,OAAO+6E,KAAKv0D,GAAKw0D,OAAOxgE,KAAKgM,EAAG,UAAUlkB,SAAS,WAIpEs4B,MAAQ,IAAI5D,WAAW8jD,cAAc/7E,QAChCD,EAAI,EAAGA,EAAIg8E,cAAc/7E,OAAQD,IACxC87B,MAAM97B,GAAKg8E,cAAc71C,WAAWnmC,UAE/B87B;iEAgBHqgD,mBAAmBV,OACvBp3E,2BAEOymC,OAAS,GAQhB7pC,KAAK8S,UACCqoE,qBACCtxC,QAAU/2B,KACfqoE,YAAcp9E,KAAK8rC,OAAOtrC,QAAQ,MAC3B48E,aAAe,EAAGA,YAAcp9E,KAAK8rC,OAAOtrC,QAAQ,WACpD0X,QAAQ,OAAQlY,KAAK8rC,OAAOsP,UAAU,EAAGgiC,mBACzCtxC,OAAS9rC,KAAK8rC,OAAOsP,UAAUgiC,YAAc,UAIlDC,IAAMrkD,OAAOC,aAAa,GAC1BqkD,eAAiB,SAAUC,uBAGzBr0E,MAAQ,yBAAyBI,KAAKi0E,iBAAmB,IACzDh4E,OAAS,UACX2D,MAAM,KACR3D,OAAOtE,OAASkiB,SAASja,MAAM,GAAI,KAEjCA,MAAM,KACR3D,OAAOi4E,OAASr6D,SAASja,MAAM,GAAI,KAE9B3D,QAsBHk4E,kBAAoB,SAAU9yE,kBAC5BpF,OAAS,OACVoF,kBACIpF,aAGHgI,MAAQ5C,WAAW6B,MAdlB,IAAI3K,OAAO,6CAgBdw/D,KADArgE,EAAIuM,MAAMtM,YAEPD,KAEY,KAAbuM,MAAMvM,KAIVqgE,KAAO,eAAe/3D,KAAKiE,MAAMvM,IAAIP,MAAM,GAE3C4gE,KAAK,GAAKA,KAAK,GAAGrkD,QAAQ,aAAc,IACxCqkD,KAAK,GAAKA,KAAK,GAAGrkD,QAAQ,aAAc,IACxCqkD,KAAK,GAAKA,KAAK,GAAGrkD,QAAQ,kBAAmB,MAC7CzX,OAAO87D,KAAK,IAAMA,KAAK,WAElB97D,QAWHm4E,gBAAkBC,mBAChBnxE,MAAQmxE,WAAWnxE,MAAM,KACzBjH,OAAS,UACXiH,MAAM,KACRjH,OAAOgJ,MAAQ4U,SAAS3W,MAAM,GAAI,KAEhCA,MAAM,KACRjH,OAAO8I,OAAS8U,SAAS3W,MAAM,GAAI,KAE9BjH,cA2BHq4E,oBAAoBnB,OACxBp3E,2BAEOw4E,cAAgB,QAChBC,WAAa,GAQpB77E,KAAK+hC,UACC96B,MACAgG,SAGgB,KADpB80B,KAAOA,KAAKp6B,QACH3I,iBAKO,MAAZ+iC,KAAK,oBACF9rB,QAAQ,OAAQ,CACnB/X,KAAM,MACNu5B,IAAKsK,OAKQhkC,KAAK89E,WAAW/4E,QAAO,CAACsb,IAAK09D,gBACtCC,WAAaD,OAAO/5C,aAEtBg6C,aAAeh6C,KACV3jB,IAEFA,IAAIhgB,OAAO,CAAC29E,eAClB,CAACh6C,OACKn/B,SAAQo5E,cACV,IAAIj9E,EAAI,EAAGA,EAAIhB,KAAK69E,cAAc58E,OAAQD,OACzChB,KAAK69E,cAAc78E,GAAGoE,KAAKpF,KAAMi+E,mBAKP,IAA5BA,QAAQz9E,QAAQ,WASpBy9E,QAAUA,QAAQjhE,QAAQ,KAAM,IAEhC9T,MAAQ,WAAWI,KAAK20E,SACpB/0E,WACGgP,QAAQ,OAAQ,CACnB/X,KAAM,MACN+9E,QAAS,gBAIbh1E,MAAQ,+BAA+BI,KAAK20E,SACxC/0E,aACFgG,MAAQ,CACN/O,KAAM,MACN+9E,QAAS,OAEPh1E,MAAM,KACRgG,MAAMwa,SAAWtgB,WAAWF,MAAM,KAEhCA,MAAM,KACRgG,MAAMuiD,MAAQvoD,MAAM,cAEjBgP,QAAQ,OAAQhJ,UAGvBhG,MAAQ,oCAAoCI,KAAK20E,SAC7C/0E,aACFgG,MAAQ,CACN/O,KAAM,MACN+9E,QAAS,kBAEPh1E,MAAM,KACRgG,MAAMwa,SAAWvG,SAASja,MAAM,GAAI,eAEjCgP,QAAQ,OAAQhJ,UAGvBhG,MAAQ,6BAA6BI,KAAK20E,SACtC/0E,aACFgG,MAAQ,CACN/O,KAAM,MACN+9E,QAAS,WAEPh1E,MAAM,KACRgG,MAAMnG,QAAUoa,SAASja,MAAM,GAAI,eAEhCgP,QAAQ,OAAQhJ,UAGvBhG,MAAQ,uCAAuCI,KAAK20E,SAChD/0E,aACFgG,MAAQ,CACN/O,KAAM,MACN+9E,QAAS,kBAEPh1E,MAAM,KACRgG,MAAMo3C,OAASnjC,SAASja,MAAM,GAAI,eAE/BgP,QAAQ,OAAQhJ,UAGvBhG,MAAQ,+CAA+CI,KAAK20E,SACxD/0E,aACFgG,MAAQ,CACN/O,KAAM,MACN+9E,QAAS,0BAEPh1E,MAAM,KACRgG,MAAMo3C,OAASnjC,SAASja,MAAM,GAAI,eAE/BgP,QAAQ,OAAQhJ,UAGvBhG,MAAQ,+BAA+BI,KAAK20E,SACxC/0E,aACFgG,MAAQ,CACN/O,KAAM,MACN+9E,QAAS,iBAEPh1E,MAAM,KACRgG,MAAMivE,aAAej1E,MAAM,cAExBgP,QAAQ,OAAQhJ,UAGvBhG,MAAQ,2BAA2BI,KAAK20E,SACpC/0E,aACFgG,MAAQykB,WAAW2pD,eAAep0E,MAAM,IAAK,CAC3C/I,KAAM,MACN+9E,QAAS,wBAENhmE,QAAQ,OAAQhJ,UAGvBhG,MAAQ,gCAAgCI,KAAK20E,SACzC/0E,aACFgG,MAAQ,CACN/O,KAAM,MACN+9E,QAAS,eAEPh1E,MAAM,KACRgG,MAAMkvE,SAAW,KAAK/7E,KAAK6G,MAAM,eAE9BgP,QAAQ,OAAQhJ,UAGvBhG,MAAQ,oBAAoBI,KAAK20E,SAC7B/0E,UACFgG,MAAQ,CACN/O,KAAM,MACN+9E,QAAS,OAEPh1E,MAAM,GAAI,OACNyB,WAAa8yE,kBAAkBv0E,MAAM,IACvCyB,WAAW0zE,MACbnvE,MAAMwqB,IAAM/uB,WAAW0zE,KAErB1zE,WAAW2zE,YACbpvE,MAAMqvE,UAAYjB,eAAe3yE,WAAW2zE,iBAG3CpmE,QAAQ,OAAQhJ,eAGvBhG,MAAQ,2BAA2BI,KAAK20E,SACpC/0E,aACFgG,MAAQ,CACN/O,KAAM,MACN+9E,QAAS,cAEPh1E,MAAM,KACRgG,MAAMvE,WAAa8yE,kBAAkBv0E,MAAM,IACvCgG,MAAMvE,WAAW6zE,aACnBtvE,MAAMvE,WAAW6zE,WAAad,gBAAgBxuE,MAAMvE,WAAW6zE,aAE7DtvE,MAAMvE,WAAW8zE,YACnBvvE,MAAMvE,WAAW8zE,UAAYt7D,SAASjU,MAAMvE,WAAW8zE,UAAW,KAEhEvvE,MAAMvE,WAAW,gBACnBuE,MAAMvE,WAAW,cAAgBvB,WAAW8F,MAAMvE,WAAW,gBAE3DuE,MAAMvE,WAAW,gBACnBuE,MAAMvE,WAAW,cAAgBwY,SAASjU,MAAMvE,WAAW,cAAe,gBAGzEuN,QAAQ,OAAQhJ,UAGvBhG,MAAQ,sBAAsBI,KAAK20E,SAC/B/0E,aACFgG,MAAQ,CACN/O,KAAM,MACN+9E,QAAS,SAEPh1E,MAAM,KACRgG,MAAMvE,WAAa8yE,kBAAkBv0E,MAAM,eAExCgP,QAAQ,OAAQhJ,UAGvBhG,MAAQ,kBAAkBI,KAAK20E,SAC3B/0E,WACGgP,QAAQ,OAAQ,CACnB/X,KAAM,MACN+9E,QAAS,oBAIbh1E,MAAQ,wBAAwBI,KAAK20E,SACjC/0E,WACGgP,QAAQ,OAAQ,CACnB/X,KAAM,MACN+9E,QAAS,0BAIbh1E,MAAQ,kCAAkCI,KAAK20E,SAC3C/0E,aACFgG,MAAQ,CACN/O,KAAM,MACN+9E,QAAS,qBAEPh1E,MAAM,KACRgG,MAAMwvE,eAAiBx1E,MAAM,GAC7BgG,MAAMyvE,eAAiB,IAAIC,KAAK11E,MAAM,eAEnCgP,QAAQ,OAAQhJ,UAGvBhG,MAAQ,oBAAoBI,KAAK20E,SAC7B/0E,aACFgG,MAAQ,CACN/O,KAAM,MACN+9E,QAAS,OAEPh1E,MAAM,KACRgG,MAAMvE,WAAa8yE,kBAAkBv0E,MAAM,IAEvCgG,MAAMvE,WAAWk0E,KACuC,OAAtD3vE,MAAMvE,WAAWk0E,GAAGzjC,UAAU,EAAG,GAAG7rC,gBACtCL,MAAMvE,WAAWk0E,GAAK3vE,MAAMvE,WAAWk0E,GAAGzjC,UAAU,IAEtDlsC,MAAMvE,WAAWk0E,GAAK3vE,MAAMvE,WAAWk0E,GAAG31E,MAAM,SAChDgG,MAAMvE,WAAWk0E,GAAG,GAAK17D,SAASjU,MAAMvE,WAAWk0E,GAAG,GAAI,IAC1D3vE,MAAMvE,WAAWk0E,GAAG,GAAK17D,SAASjU,MAAMvE,WAAWk0E,GAAG,GAAI,IAC1D3vE,MAAMvE,WAAWk0E,GAAG,GAAK17D,SAASjU,MAAMvE,WAAWk0E,GAAG,GAAI,IAC1D3vE,MAAMvE,WAAWk0E,GAAG,GAAK17D,SAASjU,MAAMvE,WAAWk0E,GAAG,GAAI,IAC1D3vE,MAAMvE,WAAWk0E,GAAK,IAAIC,YAAY5vE,MAAMvE,WAAWk0E,gBAGtD3mE,QAAQ,OAAQhJ,UAGvBhG,MAAQ,sBAAsBI,KAAK20E,SAC/B/0E,aACFgG,MAAQ,CACN/O,KAAM,MACN+9E,QAAS,SAEPh1E,MAAM,KACRgG,MAAMvE,WAAa8yE,kBAAkBv0E,MAAM,IAC3CgG,MAAMvE,WAAW,eAAiBvB,WAAW8F,MAAMvE,WAAW,gBAC9DuE,MAAMvE,WAAWo0E,QAAU,MAAM18E,KAAK6M,MAAMvE,WAAWo0E,oBAEpD7mE,QAAQ,OAAQhJ,UAGvBhG,MAAQ,8BAA8BI,KAAK20E,SACvC/0E,aACFgG,MAAQ,CACN/O,KAAM,MACN+9E,QAAS,gBAEPh1E,MAAM,GACRgG,MAAM6F,KAAO7L,MAAM,GAEnBgG,MAAM6F,KAAO,aAEVmD,QAAQ,OAAQhJ,UAGvBhG,MAAQ,yBAAyBI,KAAK20E,SAClC/0E,aACFgG,MAAQ,CACN/O,KAAM,MACN+9E,QAAS,WAEPh1E,MAAM,GACRgG,MAAM6F,KAAO7L,MAAM,GAEnBgG,MAAM6F,KAAO,aAEVmD,QAAQ,OAAQhJ,UAGvBhG,MAAQ,yBAAyBI,KAAK20E,SAClC/0E,aACFgG,MAAQ,CACN/O,KAAM,MACN+9E,QAAS,UAEPh1E,MAAM,GACRgG,MAAM6F,KAAO7L,MAAM,GAEnBgG,MAAM6F,KAAO,aAEVmD,QAAQ,OAAQhJ,UAGvBhG,MAAQ,qBAAqBI,KAAK20E,SAC9B/0E,OAASA,MAAM,UACjBgG,MAAQ,CACN/O,KAAM,MACN+9E,QAAS,QAEXhvE,MAAMvE,WAAa8yE,kBAAkBv0E,MAAM,IACvCgG,MAAMvE,WAAW9G,eAAe,sBAClCqL,MAAMvE,WAAW,oBAAsBwY,SAASjU,MAAMvE,WAAW,oBAAqB,KAEpFuE,MAAMvE,WAAW9G,eAAe,iCAClCqL,MAAMvE,WAAW,+BAAiCuE,MAAMvE,WAAW,+BAA+B6B,MAAM6wE,gBAErGnlE,QAAQ,OAAQhJ,UAGvBhG,MAAQ,qBAAqBI,KAAK20E,SAC9B/0E,OAASA,MAAM,UACjBgG,MAAQ,CACN/O,KAAM,MACN+9E,QAAS,QAEXhvE,MAAMvE,WAAa8yE,kBAAkBv0E,MAAM,KAC1C,YAAYrE,SAAQ,SAAUC,KACzBoK,MAAMvE,WAAW9G,eAAeiB,OAClCoK,MAAMvE,WAAW7F,KAAOsE,WAAW8F,MAAMvE,WAAW7F,WAGvD,cAAe,OAAOD,SAAQ,SAAUC,KACnCoK,MAAMvE,WAAW9G,eAAeiB,OAClCoK,MAAMvE,WAAW7F,KAAO,MAAMzC,KAAK6M,MAAMvE,WAAW7F,UAGpDoK,MAAMvE,WAAW9G,eAAe,eAClCqL,MAAMvE,WAAW4zE,UAAYjB,eAAepuE,MAAMvE,WAAW2zE,sBAE1DpmE,QAAQ,OAAQhJ,UAGvBhG,MAAQ,+BAA+BI,KAAK20E,SACxC/0E,OAASA,MAAM,UACjBgG,MAAQ,CACN/O,KAAM,MACN+9E,QAAS,kBAEXhvE,MAAMvE,WAAa8yE,kBAAkBv0E,MAAM,KAC1C,iBAAkB,iBAAkB,aAAarE,SAAQ,SAAUC,KAC9DoK,MAAMvE,WAAW9G,eAAeiB,OAClCoK,MAAMvE,WAAW7F,KAAOsE,WAAW8F,MAAMvE,WAAW7F,WAGvD,sBAAuB,oBAAoBD,SAAQ,SAAUC,KACxDoK,MAAMvE,WAAW9G,eAAeiB,OAClCoK,MAAMvE,WAAW7F,KAAO,MAAMzC,KAAK6M,MAAMvE,WAAW7F,oBAGnDoT,QAAQ,OAAQhJ,UAGvBhG,MAAQ,yBAAyBI,KAAK20E,SAClC/0E,OAASA,MAAM,UACjBgG,MAAQ,CACN/O,KAAM,MACN+9E,QAAS,YAEXhvE,MAAMvE,WAAa8yE,kBAAkBv0E,MAAM,KAC1C,eAAerE,SAAQ,SAAUC,KAC5BoK,MAAMvE,WAAW9G,eAAeiB,OAClCoK,MAAMvE,WAAW7F,KAAOsE,WAAW8F,MAAMvE,WAAW7F,oBAGnDoT,QAAQ,OAAQhJ,UAGvBhG,MAAQ,6BAA6BI,KAAK20E,SACtC/0E,OAASA,MAAM,UACjBgG,MAAQ,CACN/O,KAAM,MACN+9E,QAAS,gBAEXhvE,MAAMvE,WAAa8yE,kBAAkBv0E,MAAM,KAC1C,kBAAmB,oBAAoBrE,SAAQ,SAAUC,QACpDoK,MAAMvE,WAAW9G,eAAeiB,KAAM,CACxCoK,MAAMvE,WAAW7F,KAAOqe,SAASjU,MAAMvE,WAAW7F,KAAM,UAClDk6E,OAAiB,qBAARl6E,IAA6B,SAAW,SACvDoK,MAAMvE,WAAW4zE,UAAYrvE,MAAMvE,WAAW4zE,WAAa,GAC3DrvE,MAAMvE,WAAW4zE,UAAUS,QAAU9vE,MAAMvE,WAAW7F,YAE/CoK,MAAMvE,WAAW7F,mBAGvBoT,QAAQ,OAAQhJ,UAGvBhG,MAAQ,iCAAiCI,KAAK20E,SAC1C/0E,OAASA,MAAM,UACjBgG,MAAQ,CACN/O,KAAM,MACN+9E,QAAS,oBAEXhvE,MAAMvE,WAAa8yE,kBAAkBv0E,MAAM,KAC1C,WAAY,aAAarE,SAAQ,SAAUC,KACtCoK,MAAMvE,WAAW9G,eAAeiB,OAClCoK,MAAMvE,WAAW7F,KAAOqe,SAASjU,MAAMvE,WAAW7F,KAAM,kBAGvDoT,QAAQ,OAAQhJ,UAGvBhG,MAAQ,0BAA0BI,KAAK20E,SACnC/0E,OAASA,MAAM,IACjBgG,MAAQ,CACN/O,KAAM,MACN+9E,QAAS,aAEXhvE,MAAMvE,WAAa8yE,kBAAkBv0E,MAAM,KAC1C,KAAM,SAASrE,SAAQ,SAAUC,KAC5BoK,MAAMvE,WAAW9G,eAAeiB,OAClCoK,MAAMvE,WAAW7F,KAAOk0B,OAAO9pB,MAAMvE,WAAW7F,WAGnD,aAAc,YAAYD,SAAQ,SAAUC,KACvCoK,MAAMvE,WAAW9G,eAAeiB,OAClCoK,MAAMvE,WAAW7F,KAAO,IAAI85E,KAAK1vE,MAAMvE,WAAW7F,WAGrD,WAAY,oBAAoBD,SAAQ,SAAUC,KAC7CoK,MAAMvE,WAAW9G,eAAeiB,OAClCoK,MAAMvE,WAAW7F,KAAOsE,WAAW8F,MAAMvE,WAAW7F,WAGvD,eAAeD,SAAQ,SAAUC,KAC5BoK,MAAMvE,WAAW9G,eAAeiB,OAClCoK,MAAMvE,WAAW7F,KAAO,OAAOzC,KAAK6M,MAAMvE,WAAW7F,WAGxD,aAAc,cAAe,aAAaD,SAAQ,SAAUC,KACvDoK,MAAMvE,WAAW9G,eAAeiB,OAClCoK,MAAMvE,WAAW7F,KAAOoK,MAAMvE,WAAW7F,KAAKN,SAAS,cAGrDy6E,uBAAyB,2BAC1B,MAAMn6E,OAAOoK,MAAMvE,WAAY,KAC7Bs0E,uBAAuB58E,KAAKyC,oBAG3Bo6E,cAAgB,kBAAkB78E,KAAK6M,MAAMvE,WAAW7F,MACxDq6E,kBAAoB,gBAAgB98E,KAAK6M,MAAMvE,WAAW7F,MAChEoK,MAAMvE,WAAW7F,KAAOo6E,cAAgBhwE,MAAMvE,WAAW7F,KAAKN,SAAS,IAAM26E,kBAAoB/1E,WAAW8F,MAAMvE,WAAW7F,MAAQk0B,OAAO9pB,MAAMvE,WAAW7F,WAE1JoT,QAAQ,OAAQhJ,eAGvBhG,MAAQ,+BAA+BI,KAAK20E,SACxC/0E,WACGgP,QAAQ,OAAQ,CACnB/X,KAAM,MACN+9E,QAAS,iCAIbh1E,MAAQ,wBAAwBI,KAAK20E,SACjC/0E,WACGgP,QAAQ,OAAQ,CACnB/X,KAAM,MACN+9E,QAAS,0BAIbh1E,MAAQ,iCAAiCI,KAAK20E,SAC1C/0E,aACFgG,MAAQ,CACN/O,KAAM,MACN+9E,QAAS,oBAEXhvE,MAAMvE,WAAa8yE,kBAAkBv0E,MAAM,cACtCgP,QAAQ,OAAQhJ,UAGvBhG,MAAQ,mCAAmCI,KAAK20E,SAC5C/0E,aACFgG,MAAQ,CACN/O,KAAM,MACN+9E,QAAS,oBAEXhvE,MAAMvE,WAAa8yE,kBAAkBv0E,MAAM,IACvCgG,MAAMvE,WAAW0zE,MACnBnvE,MAAMwqB,IAAMxqB,MAAMvE,WAAW0zE,KAE3BnvE,MAAMvE,WAAW8zE,YACnBvvE,MAAMvE,WAAW8zE,UAAYt7D,SAASjU,MAAMvE,WAAW8zE,UAAW,KAEhEvvE,MAAMvE,WAAW6zE,aACnBtvE,MAAMvE,WAAW6zE,WAAad,gBAAgBxuE,MAAMvE,WAAW6zE,aAE7DtvE,MAAMvE,WAAW,uBACnBuE,MAAMvE,WAAW,qBAAuBwY,SAASjU,MAAMvE,WAAW,qBAAsB,KAEtFuE,MAAMvE,WAAW,gBACnBuE,MAAMvE,WAAW,cAAgBvB,WAAW8F,MAAMvE,WAAW,0BAE1DuN,QAAQ,OAAQhJ,UAGvBhG,MAAQ,uBAAuBI,KAAK20E,SAChC/0E,aACFgG,MAAQ,CACN/O,KAAM,MACN+9E,QAAS,UAEXhvE,MAAMvE,WAAa8yE,kBAAkBv0E,MAAM,cACtCgP,QAAQ,OAAQhJ,YAIlBgJ,QAAQ,OAAQ,CACnB/X,KAAM,MACN4U,KAAMkpE,QAAQx9E,MAAM,kBA9efyX,QAAQ,OAAQ,CACnB/X,KAAM,UACNmL,KAAM2yE,QAAQx9E,MAAM,QA0f5B2+E,qBAAUC,WACRA,WADQC,WAERA,WAFQC,WAGRA,WAHQC,QAIRA,eAE0B,mBAAfD,aACTA,WAAav7C,MAAQA,WAElB65C,cAAc57E,MAAK+hC,UACRq7C,WAAW/1E,KAAK06B,kBAEvB9rB,QAAQ,OAAQ,CACnB/X,KAAM,SACN4U,KAAMwqE,WAAWv7C,MACjBs7C,WAAAA,WACAE,QAAAA,WAEK,KAYbC,wBAAaJ,WACXA,WADW5vE,IAEXA,gBAQKquE,WAAW77E,MANF+hC,MACRq7C,WAAWh9E,KAAK2hC,MACXv0B,IAAIu0B,MAENA,cAMP07C,cAAgB,SAAU/0E,kBACxBpF,OAAS,UACfjB,OAAOG,KAAKkG,YAAY9F,SAAQ,SAAUC,KAH1B6E,IAAAA,IAIdpE,QAJcoE,IAIG7E,IAJI6E,IAAI4F,cAAcyN,QAAQ,UAAU0nB,GAAKA,EAAE,GAAG1iC,kBAI1C2I,WAAW7F,QAE/BS,QAMHo6E,YAAc,SAAUC,gBACtBC,cACJA,cADIC,eAEJA,eAFIC,mBAGJA,oBACEH,aACCC,2BAGCxyE,IAAM,wBACN2yE,GAAK,WACLC,IAAM,eACNC,kBAAoBJ,gBAAmC,EAAjBA,eACtCK,gBAAkBJ,oBAA2C,EAArBA,mBAC1CD,iBAAmBD,cAAch8E,eAAem8E,MAClDH,cAAcG,IAAME,uBACfhoE,QAAQ,OAAQ,CACnB2R,kBAAYxc,4DAAmD6yE,2BAG/DA,mBAAqBL,cAAcG,IAAME,yBACtChoE,QAAQ,OAAQ,CACnB2R,kBAAYxc,oCAA2BwyE,cAAcG,wCAA+BE,yBAEtFL,cAAcG,IAAME,mBAGlBH,qBAAuBF,cAAch8E,eAAeo8E,OACtDJ,cAAcI,KAA4B,EAArBF,wBAChB7nE,QAAQ,OAAQ,CACnB2R,kBAAYxc,qEAA4DwyE,cAAcI,cAItFF,oBAAsBF,cAAcI,KAAOE,uBACxCjoE,QAAQ,OAAQ,CACnB2R,kBAAYxc,yCAAgCwyE,cAAcI,6CAAoCE,wBAEhGN,cAAcI,KAAOE,wBA4BnB9iD,eAAeo/C,OACnBp3E,kBAAYuS,4DAAO,gBAEZwoE,WAAa,IAAIjD,gBACjBkD,YAAc,IAAIzC,iBAClBwC,WAAWxD,KAAK58E,KAAKqgF,kBACrBC,gBAAkB1oE,KAAK0oE,iBAAmB,QAC1C3mD,OAAS,IAAInH,IAAI5a,KAAK8hB,IAAK,iBAAiB6mD,kBAC5CC,oBAAsB,WAGrB1gF,KAAOE,KAGPygF,KAAO,OAGTC,WAEA57E,IAJA67E,WAAa,GAKbC,UAAW,QACT7c,KAAO,aACP8c,mBAAqB,OAChB,SACA,qBACU,aACN,QAMXC,gBAAkB,OAEjBlB,SAAW,CACdmB,YAAY,EACZC,oBAAqB,GACrBC,WAAY,GACZC,gBAAiB,GACjBC,SAAU,QAKRC,iBAAmB,EAEnBC,qBAAuB,QACrBC,cAAgB,QACjBhqE,GAAG,OAAO,KAGTqpE,WAAWjnD,MAAQinD,WAAWY,QAAUZ,WAAWa,gBAGlDb,WAAWlxE,KAAOixE,aACrBC,WAAWlxE,IAAMixE,aAEdC,WAAW77E,KAAOA,MACrB67E,WAAW77E,IAAMA,KAEd67E,WAAWc,UAAuC,iBAApBX,kBACjCH,WAAWc,SAAWX,sBAEnBlB,SAAS8B,eAAiBf,oBAG5BN,YAAY/oE,GAAG,QAAQ,SAAUqqE,WAChCC,WACAC,aAEA/hF,KAAK8/E,SAASkC,gBACX,MAAMC,OAAOjiF,KAAK8/E,SAASkC,eAC1BH,MAAMjoD,MACRioD,MAAMjoD,IAAMioD,MAAMjoD,IAAI1c,oBAAa+kE,SAAQjiF,KAAK8/E,SAASkC,YAAYC,OAEnEJ,MAAMh3E,eACH,MAAM02D,QAAQsgB,MAAMh3E,WACe,iBAA3Bg3E,MAAMh3E,WAAW02D,QAC1BsgB,MAAMh3E,WAAW02D,MAAQsgB,MAAMh3E,WAAW02D,MAAMrkD,oBAAa+kE,SAAQjiF,KAAK8/E,SAASkC,YAAYC,SAOvG10E,OAEG,CACCtE,UACM44E,MAAM54E,eACH62E,SAAS72E,QAAU44E,MAAM54E,+BAI3B62E,SAASmB,WAAaY,MAAMvD,QAC3B,YAAauD,aACZzpE,QAAQ,OAAQ,CACnB2R,QAAS,sCAEN+1D,SAASmB,YAAa,IAG/BxC,kBACQA,UAAY,GACd,WAAYoD,QACdhB,WAAWpC,UAAYA,UACvBA,UAAUt9E,OAAS0gF,MAAM1gF,OACnB,WAAY0gF,QAWhBA,MAAMnE,OAAS4D,mBAGf,WAAYO,QACdhB,WAAWpC,UAAYA,UACvBA,UAAUf,OAASmE,MAAMnE,QAE3B4D,iBAAmB7C,UAAUf,OAASe,UAAUt9E,QAElD+gF,eACOpC,SAASqC,SAAU,GAE1BC,MACQ,kBAAmBliF,KAAK4/E,gBACvBA,SAASuC,cAAgB,OACzBjqE,QAAQ,OAAQ,CACnB2R,QAAS,uCAGP,0BAA2B7pB,KAAK4/E,gBAC/BA,SAASwC,sBAAwB,OACjClqE,QAAQ,OAAQ,CACnB2R,QAAS,+CAGT83D,MAAMlwB,QACRkvB,WAAWlvB,MAAQkwB,MAAMlwB,OAEvBkwB,MAAMj4D,SAAW,IACnBi3D,WAAWj3D,SAAWi4D,MAAMj4D,UAEP,IAAnBi4D,MAAMj4D,WACRi3D,WAAWj3D,SAAW,SACjBxR,QAAQ,OAAQ,CACnB2R,QAAS,0DAGR+1D,SAASuB,SAAWV,MAE3B37E,SACO68E,MAAMh3E,cAOqB,SAA5Bg3E,MAAMh3E,WAAW03E,UAIhBV,MAAMh3E,WAAW0zE,QAMa,mCAA/BsD,MAAMh3E,WAAW23E,sBACd1C,SAAS2C,kBAAoBviF,KAAK4/E,SAAS2C,mBAAqB,aAEhE3C,SAAS2C,kBAAkB,qBAAuB,CACrD53E,WAAYg3E,MAAMh3E,gBAIa,4BAA/Bg3E,MAAMh3E,WAAW23E,sBACd1C,SAAS2C,kBAAoBviF,KAAK4/E,SAAS2C,mBAAqB,aAEhE3C,SAAS2C,kBAAkB,2BAA6B,CAC3D7oD,IAAKioD,MAAMh3E,WAAW0zE,SA7Jf,kDAmKPsD,MAAMh3E,WAAW23E,UAA4B,QAES,IADlC,CAAC,aAAc,iBAAkB,mBACrC9hF,QAAQmhF,MAAMh3E,WAAW03E,kBACpCnqE,QAAQ,OAAQ,CACnB2R,QAAS,8CAImB,oBAA5B83D,MAAMh3E,WAAW03E,aACdnqE,QAAQ,OAAQ,CACnB2R,QAAS,qEAGiC,4BAA1C83D,MAAMh3E,WAAW0zE,IAAIjjC,UAAU,EAAG,cAC/BljC,QAAQ,OAAQ,CACnB2R,QAAS,0CAIP83D,MAAMh3E,WAAW63E,OAAoD,OAA3Cb,MAAMh3E,WAAW63E,MAAMpnC,UAAU,EAAG,SAQ/DwkC,SAAS2C,kBAAoBviF,KAAK4/E,SAAS2C,mBAAqB,aAChE3C,SAAS2C,kBAAkB,sBAAwB,CACtD53E,WAAY,CACV83E,YAAad,MAAMh3E,WAAW23E,UAE9BI,MAAOf,MAAMh3E,WAAW63E,MAAMpnC,UAAU,IAG1CunC,KAAM7F,sBAAsB6E,MAAMh3E,WAAW0zE,IAAI7xE,MAAM,KAAK,iBAfvD0L,QAAQ,OAAQ,CACnB2R,QAAS,0CAkBV83D,MAAMh3E,WAAW03E,aACfnqE,QAAQ,OAAQ,CACnB2R,QAAS,qCAIb/kB,IAAM,CACJqF,OAAQw3E,MAAMh3E,WAAW03E,QAAU,UACnC3oD,IAAKioD,MAAMh3E,WAAW0zE,UAEW,IAAxBsD,MAAMh3E,WAAWk0E,KAC1B/5E,IAAI89E,GAAKjB,MAAMh3E,WAAWk0E,cAzErB3mE,QAAQ,OAAQ,CACnB2R,QAAS,8CALX/kB,IAAM,eAPDoT,QAAQ,OAAQ,CACnB2R,QAAS,wEAuFRmmD,SAAS2R,MAAMr7B,aAMfs5B,SAASuC,cAAgBR,MAAMr7B,YAL7BpuC,QAAQ,OAAQ,CACnB2R,QAAS,oCAAsC83D,MAAMr7B,qCAOpD0pB,SAAS2R,MAAMr7B,cAMfs5B,SAASwC,sBAAwBT,MAAMr7B,OAC5Cw6B,gBAAkBa,MAAMr7B,aANjBpuC,QAAQ,OAAQ,CACnB2R,QAAS,4CAA8C83D,MAAMr7B,4BAQ5D,YAAYjkD,KAAKs/E,MAAMxD,mBAMvByB,SAASzB,aAAewD,MAAMxD,kBAL5BjmE,QAAQ,OAAQ,CACnB2R,QAAS,mCAAqC83D,MAAMkB,YAM1DpzE,MACEixE,WAAa,GACTiB,MAAMjoD,MACRgnD,WAAWhnD,IAAMioD,MAAMjoD,KAErBioD,MAAMpD,YACRmC,WAAWnC,UAAYoD,MAAMpD,WAE3Bz5E,MACF47E,WAAW57E,IAAMA,0BAId86E,SAASkD,UAAYrC,UACrBb,SAASmD,YAAc/iF,KAAK4/E,SAASmD,aAAelC,mBACpDc,MAAMh3E,YAMNg2E,WAAWh2E,aACdg2E,WAAWh2E,WAAa,IAE1BgpB,WAAWgtD,WAAWh2E,WAAYg3E,MAAMh3E,kBARjCuN,QAAQ,OAAQ,CACnB2R,QAAS,0CASf/W,gBACO8sE,SAASmD,YAAc/iF,KAAK4/E,SAASmD,aAAelC,qBACnDc,MAAMh3E,YAAcg3E,MAAMh3E,WAAWq4E,MAAQrB,MAAMh3E,WAAW,aAAeg3E,MAAMh3E,WAAWs4E,uBAC7F/qE,QAAQ,OAAQ,CACnB2R,QAAS,qDAKPq5D,eAAiBljF,KAAK4/E,SAASmD,YAAYpB,MAAMh3E,WAAWq4E,MAClEE,eAAevB,MAAMh3E,WAAW,aAAeu4E,eAAevB,MAAMh3E,WAAW,cAAgB,GAC/Fi3E,WAAasB,eAAevB,MAAMh3E,WAAW,aAE7Ck3E,UAAY,CACV7kD,QAAS,OAAO36B,KAAKs/E,MAAMh3E,WAAW/G,UAEpCi+E,UAAU7kD,QACZ6kD,UAAUsB,YAAa,EAEvBtB,UAAUsB,WAAa,OAAO9gF,KAAKs/E,MAAMh3E,WAAWy4E,YAElDzB,MAAMh3E,WAAW04E,WACnBxB,UAAUriE,SAAWmiE,MAAMh3E,WAAW04E,UAEpC1B,MAAMh3E,WAAW0zE,MACnBwD,UAAUnoD,IAAMioD,MAAMh3E,WAAW0zE,KAE/BsD,MAAMh3E,WAAW,iBACnBk3E,UAAUyB,WAAa3B,MAAMh3E,WAAW,gBAEtCg3E,MAAMh3E,WAAW44E,kBACnB1B,UAAU2B,gBAAkB7B,MAAMh3E,WAAW44E,iBAE3C5B,MAAMh3E,WAAW84E,SACnB5B,UAAU6B,OAAS,OAAOrhF,KAAKs/E,MAAMh3E,WAAW84E,SAGlD7B,WAAWD,MAAMh3E,WAAWs4E,MAAQpB,WAEtC8B,gBACE7C,iBAAmB,EACnBH,WAAWgD,eAAgB,OACtB/D,SAASoB,oBAAoB/+E,KAAKw+E,KAAKx/E,oCAGA,IAAjCjB,KAAK4/E,SAASlB,sBAKlBkB,SAASlB,eAAiBiD,MAAMjD,oBAChCkB,SAASjB,eAAiBgD,MAAMhD,gBAEvCgC,WAAWjC,eAAiBiD,MAAMjD,eAClCiC,WAAWhC,eAAiBgD,MAAMhD,qBAC5B6B,oBACJA,qBACExgF,UACCwgF,oBAAsB,IAAI5B,KAAK+C,MAAMjD,gBAAgBkF,UAG9B,OAAxBpD,0BAIGZ,SAASuB,SAAS/R,aAAY,CAACyU,gBAAiBrE,WACnDA,QAAQqE,gBAAkBA,gBAAqC,IAAnBrE,QAAQ91D,SAC7C81D,QAAQqE,kBACd7jF,KAAKwgF,sBAGZsD,kBACO9T,SAAS2R,MAAMj4D,WAAai4D,MAAMj4D,SAAW,OAC3CxR,QAAQ,OAAQ,CACnB2R,QAAS,qCAAuC83D,MAAMj4D,iBAIrDk2D,SAASE,eAAiB6B,MAAMj4D,SACrCi2D,YAAYv6E,KAAKpF,KAAMA,KAAK4/E,YAE9B33D,QACO05D,MAAMh3E,aAAc2Y,MAAMq+D,MAAMh3E,WAAW,qBAM3Ci1E,SAAS33D,MAAQ,CACpB87D,WAAYpC,MAAMh3E,WAAW,eAC7Bq5E,QAASrC,MAAMh3E,WAAWo0E,cAPrB7mE,QAAQ,OAAQ,CACnB2R,QAAS,+EAUb82D,WAAWsD,OAAStC,MAAM5sE,uBAG1B4rE,WAAWuD,WAAavC,MAAM5sE,iBAG9B4rE,WAAWwD,MAAQxC,MAAM5sE,kBAGpB6qE,SAASwE,KAAO1E,cAAciC,MAAMh3E,iBACpC05E,yBAAyB,cAAe1C,MAAMh3E,WAAY,CAAC,6BAGhEi2E,UAAW,QAEL0D,aAAetkF,KAAK4/E,SAASuB,SAASlgF,OACtCsnD,KAAOm3B,cAAciC,MAAMh3E,YACjCg2E,WAAWY,MAAQZ,WAAWY,OAAS,GACvCZ,WAAWY,MAAMt/E,KAAKsmD,MAClBA,KAAKg2B,YACFh2B,KAAKg2B,UAAU16E,eAAe,YACjC0kD,KAAKg2B,UAAUf,OAAS6D,sBAE1BA,qBAAuB94B,KAAKg2B,UAAUf,OAASj1B,KAAKg2B,UAAUt9E,cAE1DsjF,UAAY5D,WAAWY,MAAMtgF,OAAS,OACvCojF,gDAAyCE,mCAA0BD,cAAgB3C,MAAMh3E,WAAY,CAAC,MAAO,aAC9G3K,KAAK4/E,SAAS4E,uBACX5E,SAAS4E,iBAAiB3/E,SAAQ,CAAC4uB,EAAGzyB,KACpCyyB,EAAE5vB,eAAe,kBACfqU,QAAQ,OAAQ,CACnB2R,2CAAqC7oB,4EAOvCuM,MAAQvN,KAAK4/E,SAASC,cAAgBH,cAAciC,MAAMh3E,YAC3D4C,MAAM1J,eAAe,oBACxB0J,MAAMk3E,gBAAiB,OAClBvsE,QAAQ,OAAQ,CACnB2R,QAAS,gEAGb81D,YAAYv6E,KAAKpF,KAAMA,KAAK4/E,UACxBryE,MAAMm3E,oBAAsBn3E,MAAM1J,eAAe,sBAC9CqU,QAAQ,OAAQ,CACnB2R,QAAS,4IAMPy6D,aAAetkF,KAAK4/E,SAASuB,SAASlgF,OACtC0jF,KAAOjF,cAAciC,MAAMh3E,YAC3Bi6E,OAASD,KAAKxkF,MAAsB,SAAdwkF,KAAKxkF,KACjCwgF,WAAWa,aAAeb,WAAWa,cAAgB,GACrDb,WAAWa,aAAav/E,KAAK0iF,MACzBA,KAAKpG,YACFoG,KAAKpG,UAAU16E,eAAe,YAEjC8gF,KAAKpG,UAAUf,OAASoH,OAASvD,qBAAuB,EACpDuD,SACFvD,qBAAuBsD,KAAKpG,UAAUf,OAASmH,KAAKpG,UAAUt9E,gBAI9DV,MAAQogF,WAAWa,aAAavgF,OAAS,UAC1CojF,wDAAiD9jF,+BAAsB+jF,cAAgB3C,MAAMh3E,WAAY,CAAC,OAAQ,QAClHg6E,KAAKxkF,SAKL,IAAIa,EAAI,EAAGA,EAAI2/E,WAAWa,aAAavgF,OAAS,EAAGD,IAAK,OACrD6jF,UAAYlE,WAAWa,aAAaxgF,GACrC6jF,UAAU1kF,OAGX0kF,UAAU1kF,OAASwkF,KAAKxkF,WACrB+X,QAAQ,OAAQ,CACnB2R,uCAAiCtpB,+BAAsB+jF,2CAAkCK,KAAKxkF,kCAAyBa,mCAMvH8jB,OAAS46D,cAAciC,MAAMh3E,iBAC9Bi1E,SAAS4E,iBAAmBxkF,KAAK4/E,SAAS4E,kBAAoB,QAC9D5E,SAAS4E,iBAAiBviF,KAAK6iB,cAC9BvkB,MAAQP,KAAK4/E,SAAS4E,iBAAiBvjF,OAAS,EAChD6jF,SAAW,CAAC,WAAY,OAC1BlE,UACFkE,SAAS7iF,KAAK,kBAEXoiF,4DAAqD9jF,OAASohF,MAAMh3E,WAAYm6E,6BAGhFlF,SAASmF,QAAUrF,cAAciC,MAAMh3E,iBACvC05E,yBAAyB,kBAAmB1C,MAAMh3E,WAAY,CAAC,gBAChE3K,KAAK4/E,SAASmF,QAAQC,kBACnBpF,SAASG,mBAAqB//E,KAAK4/E,SAASmF,QAAQC,YAE3DrF,YAAYv6E,KAAKpF,KAAMA,KAAK4/E,4BAGvBA,SAASqB,WAAWh/E,KAAKy9E,cAAciC,MAAMh3E,mBAC5CpK,MAAQP,KAAK4/E,SAASqB,WAAWhgF,OAAS,OAC3CojF,qDAA8C9jF,OAASohF,MAAMh3E,WAAY,CAAC,KAAM,qBAC/Es6E,UAAYjlF,KAAK4/E,SAASqB,WAAW1gF,OACvC0kF,UAAUC,SAAWD,UAAUE,WAAa,IAAIvG,KAAKqG,UAAUC,SAAW,IAAItG,KAAKqG,UAAUE,iBAC1FjtE,QAAQ,OAAQ,CACnB2R,QAAS,wFAGTo7D,UAAUv7D,UAAYu7D,UAAUv7D,SAAW,QACxCxR,QAAQ,OAAQ,CACnB2R,QAAS,kDAGTo7D,UAAUG,iBAAmBH,UAAUG,gBAAkB,QACtDltE,QAAQ,OAAQ,CACnB2R,QAAS,gEAGPw7D,eAAiBJ,UAAUK,aAC7BD,eAAiBJ,UAAUjoB,YACxB9kD,QAAQ,OAAQ,CACnB2R,QAAS,kFAGTw7D,eAAiBJ,UAAUv7D,UAAYu7D,UAAUC,eAC9ChtE,QAAQ,OAAQ,CACnB2R,QAAS,uGAGTo7D,UAAUv7D,UAAYu7D,UAAUC,QAAS,OAErCK,iBADYN,UAAUE,UACOvB,UAAiC,IAArBqB,UAAUv7D,cACpDk2D,SAASqB,WAAW1gF,OAAO2kF,QAAU,IAAItG,KAAK2G,qBAEhDjE,cAAc2D,UAAUjnE,IAEtB,KACA,MAAMrQ,aAAa2zE,cAAc2D,UAAUjnE,OACxCinE,UAAUt3E,YAAc8sB,KAAKsB,UAAUulD,cAAc2D,UAAUjnE,IAAIrQ,cAAgB8sB,KAAKsB,UAAUkpD,UAAUt3E,YAAa,MACxHuK,QAAQ,OAAQ,CACnB2R,QAAS,yGAMT27D,oBAAsBxlF,KAAK4/E,SAASqB,WAAWwE,WAAUC,iBAAmBA,gBAAgB1nE,KAAOinE,UAAUjnE,UAC9G4hE,SAASqB,WAAWuE,qBAAuB7xD,WAAW3zB,KAAK4/E,SAASqB,WAAWuE,qBAAsBP,WAC1G3D,cAAc2D,UAAUjnE,IAAM2V,WAAW2tD,cAAc2D,UAAUjnE,IAAKinE,gBAEjErF,SAASqB,WAAWnuD,WAfzBwuD,cAAc2D,UAAUjnE,IAAMinE,yCAmB3BrF,SAAS+F,qBAAsB,0BAG/B/F,SAASgG,aAAc,OACvBC,6BAA6B7lF,KAAK4/E,SAAS72E,QAAS,8BAGpD62E,SAASkG,gBAAkBpG,cAAciC,MAAMh3E,iBAC/C05E,yBAAyB,0BAA2B1C,MAAMh3E,WAAY,CAAC,gBAG9EhL,cACOigF,SAASkC,YAAc9hF,KAAK4/E,SAASkC,aAAe,SACnDiE,OAAS,CAACpuE,EAAG6rB,KACb7rB,KAAK3X,KAAK4/E,SAASkC,iBAIhB5pE,QAAQ,QAAS,CACpB2R,+CAAyClS,UAIxCioE,SAASkC,YAAYnqE,GAAK6rB,MAE7B,eAAgBm+C,MAAMh3E,WAAY,IAChC,SAAUg3E,MAAMh3E,YAAc,WAAYg3E,MAAMh3E,4BAI7CuN,QAAQ,QAAS,CACpB2R,QAAS,2CAIP5e,IAAMjL,KAAK25B,OAAOtzB,IAAIs7E,MAAMh3E,WAAWq7E,mBACxC/6E,SAUL86E,OAAOpE,MAAMh3E,WAAWq7E,WAAY/6C,mBAAmBhgC,gBALhDiN,QAAQ,QAAS,CACpB2R,+CAAyC83D,MAAMh3E,WAAWq7E,oBAO5D,SAAUrE,MAAMh3E,WACd,WAAYg3E,MAAMh3E,qBAIfuN,QAAQ,QAAS,CACpB2R,QAAS,qCAIP,UAAW83D,MAAMh3E,YAAiD,iBAA3Bg3E,MAAMh3E,WAAWs7E,WAQ9DF,OAAOpE,MAAMh3E,WAAWs4E,KAAMtB,MAAMh3E,WAAWs7E,iBALxC/tE,QAAQ,QAAS,CACpB2R,6CAAuC83D,MAAMh3E,WAAWs4E,QAO1D,WAAYtB,MAAMh3E,WACf3K,KAAKsgF,gBAAgBqB,MAAMh3E,WAAWu7E,aAc3CH,OAAOpE,MAAMh3E,WAAWu7E,OAAQlmF,KAAKsgF,gBAAgBqB,MAAMh3E,WAAWu7E,mBAL/DhuE,QAAQ,QAAS,CACpB2R,yCAAmC83D,MAAMh3E,WAAWu7E,kEAUrDhuE,QAAQ,QAAS,CACpB2R,QAAS,0DAIN+1D,SAASsB,gBAAgBj/E,KAAK,CACjC0I,WAAYg3E,MAAMh3E,WAClB+uB,IAAKioD,MAAMjoD,IACX+nD,SAAUX,uBAEPuD,yBAAyB,4BAA6B1C,MAAMh3E,WAAY,CAAC,YAAa,UAE5Fg3E,MAAMzD,UAAYna,MAAM3+D,KAAKtF,OAElC45B,MACEinD,WAAWjnD,IAAMioD,MAAMjoD,IACvB+mD,KAAKx+E,KAAK0+E,YAEN3gF,KAAK4/E,SAASE,kBAAoB,aAAca,mBAC7CzoE,QAAQ,OAAQ,CACnB2R,QAAS,uDAEX82D,WAAWj3D,SAAW1pB,KAAK4/E,SAASE,gBAGlCh7E,MACF67E,WAAW77E,IAAMA,KAEnB67E,WAAWc,SAAWX,gBAElBJ,aACFC,WAAWlxE,IAAMixE,YAGnBW,qBAAuB,EAEU,OAA7BrhF,KAAKwgF,sBACPG,WAAWkD,gBAAkB7jF,KAAKwgF,yBAC7BA,qBAA6C,IAAtBG,WAAWj3D,UAGzCi3D,WAAa,IAEfwF,YAEAC,SAEMzE,MAAMnC,SACRmB,WAAWyF,OAASzF,WAAWyF,QAAU,GACzCzF,WAAWyF,OAAOzE,MAAMrC,YAAcqC,MAAM5sE,YAEvC6qE,SAASwG,OAASpmF,KAAK4/E,SAASwG,QAAU,QAC1CxG,SAASwG,OAAOzE,MAAMrC,YAAcqC,MAAM5sE,SAGlD4sE,MAAMxhF,MAAMiF,KAAKtF,SAGxB+lF,6BAA6BQ,eAAgBC,gBACvCD,eAAiBC,gBAAkBD,sBAChCnuE,QAAQ,OAAQ,CACnB2R,oDAA8Cy8D,iBAIpDjC,yBAAyBkC,WAAY57E,WAAYm6E,gBACzC0B,QAAU,GAChB1B,SAASjgF,SAAQ,SAAUC,KACpB6F,WAAW9G,eAAeiB,MAC7B0hF,QAAQvkF,KAAK6C,QAGb0hF,QAAQvlF,aACLiX,QAAQ,OAAQ,CACnB2R,kBAAY08D,oDAA2CC,QAAQ/zE,KAAK,SAU1ExQ,KAAKwkF,YACErG,WAAWn+E,KAAKwkF,OAQvBv+D,WAEOk4D,WAAWn+E,KAAK,MACjBjC,KAAK4/E,SAASqB,WAAWhgF,QAAuC,OAA7BjB,KAAKwgF,0BACrCtoE,QAAQ,OAAQ,CACnB2R,QAAS,kGAGR22D,oBAAsB,UACtBtoE,QAAQ,OAYfknE,UAAUj5E,cACHk6E,YAAYjB,UAAUj5E,SAU7Bs5E,aAAat5E,cACNk6E,YAAYZ,aAAat5E,cA+R5Bu+B,EACA77B,EA5RF69E,OAAS,CAEXtuC,IAAK,oEACLuuC,KAAM,gCACNC,IAAK,sCAEL9lD,MAAO,sDACPN,MAAO,2DACPl1B,KAAM,oBAENu7E,WAAY,YACZC,WAAY,UAIZC,UAAW,MAETC,WAAa,CAAC,QAAS,QAAS,QAChCC,gBAAkB,CAAC,QAAS,QAAS,QAWrCC,qBAAuB,SAA8BC,cAClDA,MAGEA,MAAMnqE,QAAQ,uBAAuB,SAAUoqE,KAAMC,QAASC,gBAG5D,SAFW,KAAO53E,OAAO23E,SAAS7iF,SAAS,KAAK/D,OAAO,GAEhC,MADX,KAAOiP,OAAO43E,UAAU9iF,SAAS,KAAK/D,OAAO,MAJzD0mF,OA8BPI,YAAc,SAAqBC,kBACjB,IAAhBA,cACFA,YAAc,QAEZC,OAASD,YAAYh7E,MAAM,KAC3BjH,OAAS,UACbkiF,OAAO5iF,SAAQ,SAAUsiF,WAEnBO,UADJP,MAAQA,MAAMv9E,OAEdo9E,WAAWniF,SAAQ,SAAUxD,UACvB6H,MAAQw9E,OAAOrlF,MAAMiI,KAAK69E,MAAM53E,kBAC/BrG,SAASA,MAAMjI,QAAU,IAG9BymF,UAAYrmF,SAERlB,KAAOgnF,MAAM/rC,UAAU,EAAGlyC,MAAM,GAAGjI,QACnC0mF,QAAUR,MAAMnqE,QAAQ7c,KAAM,IAClCoF,OAAOtD,KAAK,CACV9B,KAAMA,KACNwnF,QAASA,QACTC,UAAWvmF,WAGVqmF,WACHniF,OAAOtD,KAAK,CACV9B,KAAMgnF,MACNQ,QAAS,GACTC,UAAW,eAIVriF,QA+BLsiF,aAAe,SAAsBV,mBACzB,IAAVA,QACFA,MAAQ,IAEHT,OAAOlmD,MAAMn+B,KAAK8kF,MAAMv9E,OAAO2F,gBAQpCu4E,gBAAkB,SAAyBN,gBACxCA,aAAsC,iBAAhBA,iBAPUL,MAUjCM,OAASD,YAAYj4E,cAAc/C,MAAM,KAAKiD,KAAI,SAAUwO,UACvDipE,qBAAqBjpE,EAAErU,WAG5BzJ,KAAO,QAGW,IAAlBsnF,OAAOxmF,QAAgB4mF,aAAaJ,OAAO,IAC7CtnF,KAAO,QACoB,IAAlBsnF,OAAOxmF,cAlBJ,KADuBkmF,MAmBSM,OAAO,MAjBnDN,MAAQ,IAEHT,OAAOp7E,KAAKjJ,KAAK8kF,MAAMv9E,OAAO2F,kBAiBnCpP,KAAO,mBAGL2qC,UAAY,aAGZ28C,OAAO7sE,OAAM,SAAUqD,UAClByoE,OAAOtuC,IAAI/1C,KAAK4b,MAEvB6sB,UAAY,MACH28C,OAAO7sE,OAAM,SAAUqD,UACzByoE,OAAOC,KAAKtkF,KAAK4b,MAExB6sB,UAAY,OACH28C,OAAO7sE,OAAM,SAAUqD,UACzByoE,OAAOE,IAAIvkF,KAAK4b,QAEvB6sB,UAAY,OAEP3qC,KAAO,IAAM2qC,UAAY,YAAe08C,YAAc,MAa3DO,qBAAuB,SAA8BP,YAAaQ,qBAChD,IAAhBR,cACFA,YAAc,SAEA,IAAZQ,UACFA,SAAU,GAEL9lF,OAAO+lF,aAAe/lF,OAAO+lF,YAAYC,iBAAmBhmF,OAAO+lF,YAAYC,gBAAgBJ,gBAAgBN,eAAiBQ,SAAW9lF,OAAOimF,oBAAsBjmF,OAAOimF,mBAAmBD,iBAAmBhmF,OAAOimF,mBAAmBD,gBAAgBJ,gBAAgBN,gBAAiB,GAErSY,mBAAqB,SAA4BZ,yBAC/B,IAAhBA,cACFA,YAAc,IAETA,YAAYj4E,cAAc/C,MAAM,KAAKoO,OAAM,SAAUusE,OAC1DA,MAAQA,MAAMv9E,WAET,IAAI5I,EAAI,EAAGA,EAAIimF,gBAAgBhmF,OAAQD,IAAK,IAE3C0lF,OAAO,QADAO,gBAAgBjmF,IACAqB,KAAK8kF,cACvB,SAGJ,MAMPkB,cAAgB,yDAChBC,WAAa,2BAabC,yBAA2B,SAAkCpoF,aAC3DkoF,cAAchmF,KAAKlC,MACd,MAELmoF,WAAWjmF,KAAKlC,MACX,OASI,qCAATA,KACK,WAEF,MAcLqoF,kBAAoB,SAA2B5iF,WACtB,aAAvB6iF,YAAYC,OACPD,YAAYC,OAAO9iF,KAErBA,KAAOA,IAAIkmC,kBAAkB28C,aAKlCE,QAAU,SAAiBC,cACzBA,iBAAiB1vD,WACZ0vD,OAEJtmF,MAAMC,QAAQqmF,QANZJ,kBAMoCI,QAAYA,iBAAiBH,cAIpEG,MADmB,iBAAVA,OAAuC,iBAAVA,OAAsBA,OAAUA,MAC9D,EAEA,CAACA,QAGN,IAAI1vD,WAAW0vD,OAASA,MAAM98C,QAAU88C,MAAOA,OAASA,MAAMC,YAAc,EAAGD,OAASA,MAAME,YAAc,KAEjHC,OAAS7mF,OAAO6mF,QAAUr5E,OAC1Bs5E,WAAa,CAACD,OAAO,OAAQA,OAAO,SAAUA,OAAO,WAAYA,OAAO,aAAcA,OAAO,eAAgBA,OAAO,iBAAkBA,OAAO,mBAAoBA,OAAO,qBAAsBA,OAAO,wBAEnMrkD,EAAI,IAAIukD,YAAY,CAAC,QAEZ,OADTpgF,EAAI,IAAIqwB,WAAWwL,EAAEoH,OAAQpH,EAAEmkD,WAAYnkD,EAAEokD,aAC3C,IAGFjgF,EAAE,OAKJqgF,cAAgB,SAAuBN,MAAO5xD,WAC5CC,UAAiB,IAAVD,MAAmB,GAAKA,MACjCmyD,YAAclyD,KAAKmyD,OACnBA,YAAyB,IAAhBD,aAAiCA,YAC1CE,QAAUpyD,KAAKqyD,GACfA,QAAiB,IAAZD,SAA6BA,QACpCT,MAAQD,QAAQC,WACZxoF,GAAKkpF,GAAK,SAAW,cAErBhjC,QADMsiC,MAAMxoF,IAAMwoF,MAAMxoF,IAAMkC,MAAMiC,UAAUnE,KACjCgF,KAAKwjF,OAAO,SAAUW,MAAOC,KAAMxoF,OAC9CyoF,SAAWH,GAAKtoF,EAAI+P,KAAK24B,IAAI1oC,EAAI,EAAI4nF,MAAM3nF,eACxCsoF,MAAQR,OAAOS,MAAQR,WAAWS,YACxCV,OAAO,OACNK,OAAQ,KACNp4E,IAAMg4E,WAAWJ,MAAM3nF,QAAU8nF,OAAO,GAAKA,OAAO,IACxDziC,OAASyiC,OAAOziC,SACHt1C,MACXs1C,QAAUt1C,IACVs1C,QAAUt1C,IACVs1C,QAAUyiC,OAAO,WAGdr5E,OAAO42C,SAEZojC,cAAgB,SAAuBpjC,OAAQqjC,YAE/CC,eADqB,IAAXD,OAAoB,GAAKA,QAClBL,GACjBA,QAAkB,IAAbM,UAA8BA,UAGf,iBAAXtjC,QAAyC,iBAAXA,QAAyC,iBAAXA,QAAuBA,QAAWA,UACvGA,OAAS,WAGPujC,UA1EW,SAAoB5/E,UAC5B8G,KAAK44B,KALE,SAAmB1/B,UAC1BA,EAAEzF,SAAS,GAAGvD,OAIJ6oF,CAAU7/E,GAAK,GAyEhB8/E,CADhBzjC,OAASyiC,OAAOziC,SAEZsiC,MAAQ,IAAI1vD,WAAW,IAAIuvD,YAAYoB,YAClC7oF,EAAI,EAAGA,EAAI6oF,UAAW7oF,IAAK,KAC9BgpF,UAAYV,GAAKtoF,EAAI+P,KAAK24B,IAAI1oC,EAAI,EAAI4nF,MAAM3nF,QAChD2nF,MAAMoB,WAAat6E,OAAO42C,OAAS0iC,WAAWhoF,GAAK+nF,OAAO,MACtDziC,OAAS,IACXsiC,MAAMoB,WAAaj5E,KAAK24B,KAAKk/C,MAAMoB,YACnCpB,MAAMoB,YAAoB,IAANhpF,EAAU,EAAI,UAG/B4nF,OAELqB,cAAgB,SAAuBltE,OAAQmtE,kBAC3B,iBAAXntE,QAAuBA,QAAqC,mBAApBA,OAAOvY,WACxDuY,OAASA,OAAOvY,YAEI,iBAAXuY,cACF,IAAImc,WAKRgxD,gBACHntE,OAASotE,SAASj/C,mBAAmBnuB,kBAEnCqtE,KAAO,IAAIlxD,WAAWnc,OAAO9b,QACxBD,EAAI,EAAGA,EAAI+b,OAAO9b,OAAQD,IACjCopF,KAAKppF,GAAK+b,OAAOoqB,WAAWnmC,UAEvBopF,MAiDLC,WAAa,SAAoB3lD,EAAG77B,EAAGyhF,YACrCC,WAAmB,IAAXD,OAAoB,GAAKA,OACnCE,aAAeD,MAAM/M,OACrBA,YAA0B,IAAjBgN,aAA0B,EAAIA,aACvCC,WAAaF,MAAMG,KACnBA,UAAsB,IAAfD,WAAwB,GAAKA,WACtC/lD,EAAIikD,QAAQjkD,OAGRtkC,IAFJyI,EAAI8/E,QAAQ9/E,IAED+R,MAAQ/R,EAAE+R,MAAQtY,MAAMiC,UAAUqW,aACtC/R,EAAE5H,QAAUyjC,EAAEzjC,OAASu8E,QAAU30E,EAAE5H,QAE1Cb,GAAGgF,KAAKyD,GAAG,SAAU8hF,MAAO3pF,UAEnB2pF,SADKD,KAAK1pF,GAAK0pF,KAAK1pF,GAAK0jC,EAAE84C,OAASx8E,GAAK0jC,EAAE84C,OAASx8E,iBA0EtDuF,OAAO7B,OAAQkmF,gBACX3nF,IAAP2nF,KACFA,GAAKtmF,QAEAsmF,IAA2B,mBAAdA,GAAGrkF,OAAwBqkF,GAAGrkF,OAAO7B,QAAUA,WAmCjEmmF,UAAYtkF,OAAO,CAUrBukF,KAAM,YAWNC,OAAQ,SAAU7lF,cACTA,QAAU2lF,UAAUC,MAS7BE,gBAAiB,kBAQjBC,SAAU,WASVC,sBAAuB,wBAQvBC,cAAe,kBAQbC,YAAc7kF,OAAO,CAMvBukF,KAAM,+BAQNC,OAAQ,SAAUrxD,YACTA,MAAQ0xD,YAAYN,MAO7BO,IAAK,6BAMLC,IAAK,uCAMLC,MAAO,kCAOLC,YAAc,CAChBtvE,gBA7Hc5L,OAAQ7K,WACP,OAAX6K,QAAqC,iBAAXA,aACtB,IAAImkB,UAAU,+BAEjB,IAAI3vB,OAAOW,OACVnB,OAAOC,UAAUV,eAAeuB,KAAKK,OAAQX,OAC/CwL,OAAOxL,KAAOW,OAAOX,aAGlBwL,QAqHP1H,cAlLcynB,KAAMvjB,UAAW2+E,YACpBxoF,IAAPwoF,KACFA,GAAKnpF,MAAMiC,WAET8rB,MAA2B,mBAAZo7D,GAAG7iF,YACb6iF,GAAG7iF,KAAKxD,KAAKirB,KAAMvjB,eAEvB,IAAI9L,EAAI,EAAGA,EAAIqvB,KAAKpvB,OAAQD,OAC3BsD,OAAOC,UAAUV,eAAeuB,KAAKirB,KAAMrvB,GAAI,KAC7CqO,KAAOghB,KAAKrvB,MACZ8L,UAAU1H,UAAKnC,EAAWoM,KAAMrO,EAAGqvB,aAC9BhhB,OAwKb9I,OANaA,OAObskF,UANgBA,UAOhBa,UANgBN,aASdxiF,KAAO4iF,YAAY5iF,KACnB+iF,YAAcH,YAAYE,mBAOrBE,eAAetpD,aACL,KAAVA,eAqBAupD,kBAAkBt/E,QAAST,gBAC7BS,QAAQ1I,eAAeiI,WAC1BS,QAAQT,UAAW,GAEdS,iBAQAu/E,aAAaxpD,WACfA,MAAO,MAAO,OACfjS,cA1B0BiS,cAEvBA,MAAQA,MAAM91B,MAAM,gBAAgBzI,OAAO6nF,gBAAkB,GAwBzDG,CAAuBzpD,cAC3Bh+B,OAAOG,KAAK4rB,KAAKtrB,OAAO8mF,kBAAmB,cAe3CG,KAAKzgE,IAAK0gE,UACZ,IAAI7hD,KAAK7e,IACRjnB,OAAOC,UAAUV,eAAeuB,KAAKmmB,IAAK6e,KAC5C6hD,KAAK7hD,GAAK7e,IAAI6e,aASX5W,SAAS04D,MAAOC,WACnBC,GAAKF,MAAM3nF,eACT6nF,cAAcD,OAAQ,UACjBl0E,KACTA,EAAE1T,UAAY4nF,MAAM5nF,UAEpBynF,KAAKI,GADLn0E,EAAI,IAAIA,GAERi0E,MAAM3nF,UAAY6nF,GAAKn0E,EAErBm0E,GAAG/mF,aAAe6mF,QACA,mBAATA,OACT/pF,QAAQwB,MAAM,iBAAmBuoF,OAEnCE,GAAG/mF,YAAc6mF,WAKjBG,SAAW,GACXC,aAAeD,SAASC,aAAe,EACvCC,eAAiBF,SAASE,eAAiB,EAC3CC,UAAYH,SAASG,UAAY,EACjCC,mBAAqBJ,SAASI,mBAAqB,EACnDC,sBAAwBL,SAASK,sBAAwB,EACzDC,YAAcN,SAASM,YAAc,EACrCC,4BAA8BP,SAASO,4BAA8B,EACrEC,aAAeR,SAASQ,aAAe,EACvCC,cAAgBT,SAASS,cAAgB,EACzCC,mBAAqBV,SAASU,mBAAqB,GACnDC,uBAAyBX,SAASW,uBAAyB,GAC3DC,cAAgBZ,SAASY,cAAgB,GAGzCC,cAAgB,GAChBC,iBAAmB,GACvBD,cAAcE,gBAAkBD,iBAAiB,GAAK,mBAAoB,GAC1ED,cAAcG,oBAAsBF,iBAAiB,GAAK,uBAAwB,OAC9EG,sBAAwBJ,cAAcI,uBAAyBH,iBAAiB,GAAK,0BAA2B,GACpHD,cAAcK,oBAAsBJ,iBAAiB,GAAK,iBAAkB,GAC5ED,cAAcM,uBAAyBL,iBAAiB,GAAK,oBAAqB,GAClFD,cAAcO,qBAAuBN,iBAAiB,GAAK,kBAAmB,GAC9ED,cAAcQ,6BAA+BP,iBAAiB,GAAK,0BAA2B,OAC1FQ,cAAgBT,cAAcS,eAAiBR,iBAAiB,GAAK,YAAa,GACtFD,cAAcU,mBAAqBT,iBAAiB,GAAK,gBAAiB,OACtEU,oBAAsBX,cAAcW,qBAAuBV,iBAAiB,IAAM,mBAAoB,aAcjGW,aAAavuE,KAAMsK,YACtBA,mBAAmB/lB,UACjBH,MAAQkmB,aAEZlmB,MAAQ3D,KACR8D,MAAMsB,KAAKpF,KAAMmtF,iBAAiB5tE,YAC7BsK,QAAUsjE,iBAAiB5tE,MAC5Bzb,MAAMiqF,mBAAmBjqF,MAAMiqF,kBAAkB/tF,KAAM8tF,qBAE7DnqF,MAAM4b,KAAOA,KACTsK,UAAS7pB,KAAK6pB,QAAU7pB,KAAK6pB,QAAU,KAAOA,SAC3ClmB,eAUAqqF,qBAyCAC,aAAa18E,KAAM28E,cACrBC,MAAQ58E,UACR68E,SAAWF,QAChBG,gBAAgBruF,eAETquF,gBAAgBh+D,UACnBi+D,IAAMj+D,KAAK89D,MAAMI,MAAQl+D,KAAK89D,MAAM/1E,cAAcm2E,QAClDl+D,KAAKk+D,OAASD,IAAK,KACjBE,GAAKn+D,KAAK+9D,SAAS/9D,KAAK89D,UAC5BM,QAAQp+D,KAAM,SAAUm+D,GAAGvtF,SACtBovB,KAAKq+D,UAAYF,GAAGvtF,OAASovB,KAAKq+D,aAChC,IAAI1tF,EAAIwtF,GAAGvtF,OAAQD,KAAKqvB,KAAMrvB,IAC7BsD,OAAOC,UAAUV,eAAeuB,KAAKirB,KAAMrvB,WACtCqvB,KAAKrvB,GAIlBgrF,KAAKwC,GAAIn+D,MACTA,KAAKk+D,KAAOD,cAoBPK,yBACAC,eAAev+D,KAAM9e,cACxBvQ,EAAIqvB,KAAKpvB,OACND,QACDqvB,KAAKrvB,KAAOuQ,YACPvQ,WAIJ6tF,cAAchkF,GAAIwlB,KAAMy+D,QAASC,YACpCA,QACF1+D,KAAKu+D,eAAev+D,KAAM0+D,UAAYD,QAEtCz+D,KAAKA,KAAKpvB,UAAY6tF,QAEpBjkF,GAAI,CACNikF,QAAQE,aAAenkF,OACnB8L,IAAM9L,GAAGuN,cACTzB,MACFo4E,SAAWE,mBAAmBt4E,IAAK9L,GAAIkkF,kBA2UpBp4E,IAAK9L,GAAIikF,SAChCn4E,KAAOA,IAAI43E,OACFO,QAAQI,eACNvD,YAAYJ,QAErB1gF,GAAGskF,OAAOL,QAAQM,OAASN,QAAQ/oD,UAAY,IAAM+oD,QAAQ5pF,OA/U3DmqF,CAAgB14E,IAAK9L,GAAIikF,oBAItBQ,iBAAiBzkF,GAAIwlB,KAAMgxC,UAE9BrgE,EAAI4tF,eAAev+D,KAAMgxC,WACzBrgE,GAAK,SAcD,IAAI8sF,aAAaH,cAAe,IAAI7pF,MAAM+G,GAAGJ,QAAU,IAAM42D,eAb/DkuB,UAAYl/D,KAAKpvB,OAAS,EACvBD,EAAIuuF,WACTl/D,KAAKrvB,GAAKqvB,OAAOrvB,MAEnBqvB,KAAKpvB,OAASsuF,UACV1kF,GAAI,KACF8L,IAAM9L,GAAGuN,cACTzB,MACFs4E,mBAAmBt4E,IAAK9L,GAAIw2D,MAC5BA,KAAK2tB,aAAe,gBAsFnBQ,gCA2FAC,iBA+GAC,YAAYzxE,UACP,KAALA,EAAY,OAAe,KAALA,GAAY,SAAe,KAALA,GAAY,SAAgB,KAALA,GAAY,UAAY,KAAOA,EAAEkpB,aAAe,aASnHwoD,WAAWp+E,KAAMgE,aACpBA,SAAShE,aACJ,KAELA,KAAOA,KAAK7F,iBAERikF,WAAWp+E,KAAMgE,iBACZ,QAEFhE,KAAOA,KAAKwc,sBAGhB6hE,gBACFx3E,cAAgBpY,cAUdivF,mBAAmBt4E,IAAK9L,GAAIikF,QAASniF,QAC5CgK,KAAOA,IAAI43E,OACFO,QAAQI,eACNvD,YAAYJ,cAEd1gF,GAAGskF,OAAOL,QAAQM,OAASN,QAAQ/oD,UAAY,aAgBjD8pD,eAAel5E,IAAK9L,GAAIiX,aAC3BnL,KAAOA,IAAI43E,KAAM,CACnB53E,IAAI43E,WAEAuB,GAAKjlF,GAAGm8B,cACRllB,SACFguE,GAAGA,GAAG7uF,UAAY6gB,aACb,SACDrW,MAAQZ,GAAGa,WACX1K,EAAI,EACDyK,OACLqkF,GAAG9uF,KAAOyK,MACVA,MAAQA,MAAMsiB,YAEhB+hE,GAAG7uF,OAASD,SACL8uF,GAAGA,GAAG7uF,mBAiBV8uF,aAAa7hF,WAAYzC,WAC5BukF,SAAWvkF,MAAMwkF,gBACjB77D,KAAO3oB,MAAMsiB,mBACbiiE,SACFA,SAASjiE,YAAcqG,KAEvBlmB,WAAWxC,WAAa0oB,KAEtBA,KACFA,KAAK67D,gBAAkBD,SAEvB9hF,WAAWgiF,UAAYF,SAEzBvkF,MAAMyC,WAAa,KACnBzC,MAAMwkF,gBAAkB,KACxBxkF,MAAMsiB,YAAc,KACpB8hE,eAAe3hF,WAAWkK,cAAelK,YAClCzC,eA0BA0kF,cAAc5+E,aACdA,MAAQA,KAAKzH,WAAa2lF,KAAK1C,4BAQ/BqD,cAAc7+E,aACdA,MAAQA,KAAKzH,WAAa2lF,KAAKnD,sBAO/Bp5E,WAAW3B,aACXA,MAAQA,KAAKzH,WAAa2lF,KAAKjD,mBAa/B6D,2BAA2B15E,IAAKlL,WACnC6kF,iBAAmB35E,IAAIqwB,YAAc,MACrCp+B,KAAK0nF,iBAAkBF,gBAAkBD,cAAc1kF,cAClD,MAEL8kF,YAAc3nF,KAAK0nF,iBAAkBH,uBAChC1kF,OAAS8kF,aAAeD,iBAAiB9vF,QAAQ+vF,aAAeD,iBAAiB9vF,QAAQiL,iBAa3F+kF,6BAA6B75E,IAAKlL,WACrC6kF,iBAAmB35E,IAAIqwB,YAAc,MAIrCp+B,KAAK0nF,2BAH8B/+E,aAC9B6+E,cAAc7+E,OAASA,OAAS9F,gBAGhC,MAEL8kF,YAAc3nF,KAAK0nF,iBAAkBH,uBAChC1kF,OAAS8kF,aAAeD,iBAAiB9vF,QAAQ+vF,aAAeD,iBAAiB9vF,QAAQiL,iBAgB3FglF,+BAA+BzmF,OAAQuH,KAAM9F,oBA7FtB8F,aACvBA,OAASA,KAAKzH,WAAa2lF,KAAK3C,eAAiBv7E,KAAKzH,WAAa2lF,KAAKzC,wBAA0Bz7E,KAAKzH,WAAa2lF,KAAKnD,cA8F3HoE,CAAuB1mF,cACpB,IAAI8jF,aAAaR,sBAAuB,+BAAiCtjF,OAAOF,aAKpF2B,OAASA,MAAMyC,aAAelE,aAC1B,IAAI8jF,aAAaH,cAAe,oCA7FXp8E,aACtBA,OAAS6+E,cAAc7+E,OAAS2B,WAAW3B,OAAS4+E,cAAc5+E,OAASA,KAAKzH,WAAa2lF,KAAKzC,wBAA0Bz7E,KAAKzH,WAAa2lF,KAAK5C,cAAgBt7E,KAAKzH,WAAa2lF,KAAK7C,6BAgGhM+D,CAAsBp/E,OAKvB4+E,cAAc5+E,OAASvH,OAAOF,WAAa2lF,KAAK3C,oBACxC,IAAIgB,aAAaR,sBAAuB,wBAA0B/7E,KAAKzH,SAAW,yBAA2BE,OAAOF,mBAiBrH8mF,qCAAqC5mF,OAAQuH,KAAM9F,WACtD6kF,iBAAmBtmF,OAAOg9B,YAAc,GACxC6pD,eAAiBt/E,KAAKy1B,YAAc,MAGpCz1B,KAAKzH,WAAa2lF,KAAKzC,uBAAwB,KAC7C8D,kBAAoBD,eAAe9sF,OAAOqsF,kBAE1CU,kBAAkB7vF,OAAS,GAAK2H,KAAKioF,eAAgB39E,kBACjD,IAAI46E,aAAaR,sBAAuB,gDAIf,IAA7BwD,kBAAkB7vF,SAAiBovF,2BAA2BrmF,OAAQyB,aAClE,IAAIqiF,aAAaR,sBAAuB,6DAI9C8C,cAAc7+E,QAGX8+E,2BAA2BrmF,OAAQyB,aAChC,IAAIqiF,aAAaR,sBAAuB,2DAI9C6C,cAAc5+E,MAAO,IAEnB3I,KAAK0nF,iBAAkBH,qBACnB,IAAIrC,aAAaR,sBAAuB,mCAE5CyD,mBAAqBnoF,KAAK0nF,iBAAkBF,kBAE5C3kF,OAAS6kF,iBAAiB9vF,QAAQuwF,oBAAsBT,iBAAiB9vF,QAAQiL,aAC7E,IAAIqiF,aAAaR,sBAAuB,sDAG3C7hF,OAASslF,yBACN,IAAIjD,aAAaR,sBAAuB,kEAkB3C0D,uCAAuChnF,OAAQuH,KAAM9F,WACxD6kF,iBAAmBtmF,OAAOg9B,YAAc,GACxC6pD,eAAiBt/E,KAAKy1B,YAAc,MAGpCz1B,KAAKzH,WAAa2lF,KAAKzC,uBAAwB,KAC7C8D,kBAAoBD,eAAe9sF,OAAOqsF,kBAE1CU,kBAAkB7vF,OAAS,GAAK2H,KAAKioF,eAAgB39E,kBACjD,IAAI46E,aAAaR,sBAAuB,gDAGf,IAA7BwD,kBAAkB7vF,SAAiBuvF,6BAA6BxmF,OAAQyB,aACpE,IAAIqiF,aAAaR,sBAAuB,6DAI9C8C,cAAc7+E,QAEXi/E,6BAA6BxmF,OAAQyB,aAClC,IAAIqiF,aAAaR,sBAAuB,2DAI9C6C,cAAc5+E,MAAO,UACd0/E,8BAA8B1/E,aAC9B4+E,cAAc5+E,OAASA,OAAS9F,SAIrC7C,KAAK0nF,iBAAkBW,qCACnB,IAAInD,aAAaR,sBAAuB,mCAE5CyD,mBAAqBnoF,KAAK0nF,iBAAkBF,kBAE5C3kF,OAAS6kF,iBAAiB9vF,QAAQuwF,oBAAsBT,iBAAiB9vF,QAAQiL,aAC7E,IAAIqiF,aAAaR,sBAAuB,4DAe3C4D,cAAclnF,OAAQuH,KAAM9F,MAAO0lF,sBAE1CV,+BAA+BzmF,OAAQuH,KAAM9F,OAIzCzB,OAAOF,WAAa2lF,KAAK3C,gBAC1BqE,sBAAwBP,sCAAsC5mF,OAAQuH,KAAM9F,WAE3E2lF,GAAK7/E,KAAKrD,cACVkjF,IACFA,GAAGhgF,YAAYG,MAEbA,KAAKzH,WAAakjF,uBAAwB,KACxCqE,SAAW9/E,KAAK7F,cACJ,MAAZ2lF,gBACK9/E,SAEL+/E,QAAU//E,KAAK2+E,eAEnBmB,SAAWC,QAAU//E,SAEnBggF,IAAM9lF,MAAQA,MAAMwkF,gBAAkBjmF,OAAOkmF,UACjDmB,SAASpB,gBAAkBsB,IAC3BD,QAAQvjE,YAActiB,MAClB8lF,IACFA,IAAIxjE,YAAcsjE,SAElBrnF,OAAO0B,WAAa2lF,SAET,MAAT5lF,MACFzB,OAAOkmF,UAAYoB,QAEnB7lF,MAAMwkF,gBAAkBqB,WAGxBD,SAASnjF,WAAalE,aACfqnF,WAAaC,UAAYD,SAAWA,SAAStjE,qBACtD8hE,eAAe7lF,OAAOoO,eAAiBpO,OAAQA,QAE3CuH,KAAKzH,UAAYkjF,yBACnBz7E,KAAK7F,WAAa6F,KAAK2+E,UAAY,MAE9B3+E,cA4OAmsD,eACFyxB,OAAS,YAuFPqC,iBAGAC,0BA6BAC,iBAkBAC,oBAMAC,yBAMAC,yBAGAC,qBAGAC,mBAGAC,4BAGAC,6BAIAC,kCAGAC,0BAKAC,sBAAsBC,OAAQC,gBACjCC,IAAM,GACN/wE,QAA2B,GAAjBxhB,KAAK8J,UAAiB9J,KAAK4W,iBAAmB5W,KACxDovF,OAAS5tE,QAAQ4tE,OACjB11D,IAAMlY,QAAQ0tE,gBACdx1D,KAAiB,MAAV01D,QAGK,OADVA,OAAS5tE,QAAQgxE,aAAa94D,UAG5B+4D,kBAAoB,CAAC,CACvBC,UAAWh5D,IACX01D,OAAQ,cAMduD,kBAAkB3yF,KAAMuyF,IAAKF,OAAQC,WAAYG,mBAE1CF,IAAI9/E,KAAK,aAETmgF,oBAAoBrhF,KAAMw5E,OAAQ0H,uBACrCrD,OAAS79E,KAAK69E,QAAU,GACxB11D,IAAMnoB,KAAK29E,iBAQVx1D,WACI,KAEM,QAAX01D,QAAoB11D,MAAQiyD,YAAYL,KAAO5xD,MAAQiyD,YAAYJ,aAC9D,UAELvqF,EAAIyxF,kBAAkBxxF,OACnBD,KAAK,KACN6xF,GAAKJ,kBAAkBzxF,MAEvB6xF,GAAGzD,SAAWA,cACTyD,GAAGH,YAAch5D,WAGrB,WAeAo5D,uBAAuBP,IAAKQ,cAAe7tF,OAClDqtF,IAAItwF,KAAK,IAAK8wF,cAAe,KAAM7tF,MAAM8X,QAAQ,gBAAiB0yE,aAAc,cAEzEiD,kBAAkBphF,KAAMghF,IAAKxH,OAAQuH,WAAYG,sBACnDA,oBACHA,kBAAoB,IAElBH,WAAY,MACd/gF,KAAO+gF,WAAW/gF,iBAEG,iBAARA,iBACTghF,IAAItwF,KAAKsP,aAQPA,KAAKzH,eACNwiF,iBACC/+E,MAAQgE,KAAK5G,WACbgqB,IAAMpnB,MAAMtM,OACZwK,MAAQ8F,KAAK7F,WACb4D,SAAWiC,KAAK9G,QAEhBuoF,iBAAmB1jF,cADvBy7E,OAASY,YAAYZ,OAAOx5E,KAAK29E,eAAiBnE,UAElCx5E,KAAK69E,QAAU79E,KAAK29E,aAAc,SAC5C+D,UAEKC,GAAK,EAAGA,GAAK3lF,MAAMtM,OAAQiyF,QACN,UAAxB3lF,MAAM8B,KAAK6jF,IAAI7xF,KAAkB,CACnC4xF,UAAY1lF,MAAM8B,KAAK6jF,IAAIhuF,gBAI1B+tF,cAEE,IAAIE,IAAMV,kBAAkBxxF,OAAS,EAAGkyF,KAAO,EAAGA,MAAO,IAEnC,MADrBT,UAAYD,kBAAkBU,MACpB/D,QAAiBsD,UAAUA,YAAcnhF,KAAK29E,aAAc,CACxE+D,UAAYP,UAAUA,oBAKxBO,YAAc1hF,KAAK29E,iBACZiE,IAAMV,kBAAkBxxF,OAAS,EAAGkyF,KAAO,EAAGA,MAAO,KACxDT,cAAAA,UAAYD,kBAAkBU,MACpBT,YAAcnhF,KAAK29E,aAAc,CACzCwD,UAAUtD,SACZ4D,iBAAmBN,UAAUtD,OAAS,IAAM9/E,kBAOtDijF,IAAItwF,KAAK,IAAK+wF,sBACT,IAAIhyF,EAAI,EAAGA,EAAI2zB,IAAK3zB,IAAK,CAGT,UADfqgE,KAAO9zD,MAAM8B,KAAKrO,IACbouF,OACPqD,kBAAkBxwF,KAAK,CACrBmtF,OAAQ/tB,KAAKt7B,UACb2sD,UAAWrxB,KAAKn8D,QAEQ,SAAjBm8D,KAAK/xD,UACdmjF,kBAAkBxwF,KAAK,CACrBmtF,OAAQ,GACRsD,UAAWrxB,KAAKn8D,YAIblE,EAAI,EAAGA,EAAI2zB,IAAK3zB,IAAK,KACxBqgE,KAEE+tB,OACA11D,OAFFk5D,oBADAvxB,KAAO9zD,MAAM8B,KAAKrO,GACQ+pF,EAAQ0H,mBAGpCK,uBAAuBP,KAFnBnD,OAAS/tB,KAAK+tB,QAAU,IAES,SAAWA,OAAS,QADrD11D,IAAM2nC,KAAK6tB,cAEfuD,kBAAkBxwF,KAAK,CACrBmtF,OAAQA,OACRsD,UAAWh5D,MAGfi5D,kBAAkBtxB,KAAMkxB,IAAKxH,OAAQuH,WAAYG,sBAI/CnjF,WAAa0jF,kBAAoBJ,oBAAoBrhF,KAAMw5E,EAAQ0H,mBAGrEK,uBAAuBP,KAFnBnD,OAAS79E,KAAK69E,QAAU,IAES,SAAWA,OAAS,QADrD11D,IAAMnoB,KAAK29E,cAEfuD,kBAAkBxwF,KAAK,CACrBmtF,OAAQA,OACRsD,UAAWh5D,SAGXjuB,OAASs/E,SAAW,mCAAmC1oF,KAAKiN,UAAW,IACzEijF,IAAItwF,KAAK,KAEL8oF,QAAU,YAAY1oF,KAAKiN,eACtB7D,OACDA,MAAMsJ,KACRw9E,IAAItwF,KAAKwJ,MAAMsJ,MAEf49E,kBAAkBlnF,MAAO8mF,IAAKxH,OAAQuH,WAAYG,kBAAkBhyF,SAEtEgL,MAAQA,MAAMsiB,sBAGTtiB,OACLknF,kBAAkBlnF,MAAO8mF,IAAKxH,OAAQuH,WAAYG,kBAAkBhyF,SACpEgL,MAAQA,MAAMsiB,YAGlBwkE,IAAItwF,KAAK,KAAM+wF,iBAAkB,UAEjCT,IAAItwF,KAAK,kBAKR6qF,mBACAE,2BACCvhF,MAAQ8F,KAAK7F,WACVD,OACLknF,kBAAkBlnF,MAAO8mF,IAAKxH,OAAQuH,WAAYG,kBAAkBhyF,SACpEgL,MAAQA,MAAMsiB,wBAGbw+D,sBACIuG,uBAAuBP,IAAKhhF,KAAKlQ,KAAMkQ,KAAKrM,YAChDsnF,iBAiBI+F,IAAItwF,KAAKsP,KAAKwD,KAAKiI,QAAQ,SAAU0yE,mBACzCjD,0BACI8F,IAAItwF,KAAK,YAAasP,KAAKwD,KAAM,YACrC83E,oBACI0F,IAAItwF,KAAK,UAAQsP,KAAKwD,KAAM,eAChCg4E,uBACCqG,MAAQ7hF,KAAK8hF,SACbC,MAAQ/hF,KAAKgiF,YACjBhB,IAAItwF,KAAK,aAAcsP,KAAKlQ,MACxB+xF,MACFb,IAAItwF,KAAK,WAAYmxF,OACjBE,OAAkB,KAATA,OACXf,IAAItwF,KAAK,IAAKqxF,OAEhBf,IAAItwF,KAAK,UACJ,GAAIqxF,OAAkB,KAATA,MAClBf,IAAItwF,KAAK,WAAYqxF,MAAO,SACvB,KACDE,IAAMjiF,KAAKkiF,eACXD,KACFjB,IAAItwF,KAAK,KAAMuxF,IAAK,KAEtBjB,IAAItwF,KAAK,iBAGR2qF,mCACI2F,IAAItwF,KAAK,KAAMsP,KAAKjB,OAAQ,IAAKiB,KAAKwD,KAAM,WAChD23E,6BACI6F,IAAItwF,KAAK,IAAKsP,KAAKjC,SAAU,aAIpCijF,IAAItwF,KAAK,KAAMsP,KAAKjC,oBAGjBokF,WAAW/8E,IAAKpF,KAAMoiF,UACzBC,aACIriF,KAAKzH,eACNwiF,cACHsH,MAAQriF,KAAK+rD,WAAU,IACjBllD,cAAgBzB,SAMnBq2E,kCAEAT,eACHoH,MAAO,KAiBNC,QACHA,MAAQriF,KAAK+rD,WAAU,IAEzBs2B,MAAMx7E,cAAgBzB,IACtBi9E,MAAM1lF,WAAa,KACfylF,aACEloF,MAAQ8F,KAAK7F,WACVD,OACLmoF,MAAMhoF,YAAY8nF,WAAW/8E,IAAKlL,MAAOkoF,OACzCloF,MAAQA,MAAMsiB,mBAGX6lE,eAKAt2B,UAAU3mD,IAAKpF,KAAMoiF,UACxBC,MAAQ,IAAIriF,KAAKlM,gBAChB,IAAIsS,KAAKpG,QACRjN,OAAOC,UAAUV,eAAeuB,KAAKmM,KAAMoG,GAAI,KAC7C6rB,EAAIjyB,KAAKoG,GACG,iBAAL6rB,GACLA,GAAKowD,MAAMj8E,KACbi8E,MAAMj8E,GAAK6rB,UAKfjyB,KAAKy1B,aACP4sD,MAAM5sD,WAAa,IAAIgnD,UAEzB4F,MAAMx7E,cAAgBzB,IACdi9E,MAAM9pF,eACPwiF,iBACC/+E,MAAQgE,KAAK5G,WACbkpF,OAASD,MAAMjpF,WAAa,IAAIgkF,aAChCh6D,IAAMpnB,MAAMtM,OAChB4yF,OAAOC,cAAgBF,UAClB,IAAI5yF,EAAI,EAAGA,EAAI2zB,IAAK3zB,IACvB4yF,MAAMG,iBAAiBz2B,UAAU3mD,IAAKpJ,MAAM8B,KAAKrO,IAAI,eAGpDurF,eACHoH,MAAO,KAEPA,aACEloF,MAAQ8F,KAAK7F,WACVD,OACLmoF,MAAMhoF,YAAY0xD,UAAU3mD,IAAKlL,MAAOkoF,OACxCloF,MAAQA,MAAMsiB,mBAGX6lE,eAEAnF,QAAQ/pF,OAAQI,IAAKI,OAC5BR,OAAOI,KAAOI,MAliDhBgoF,cAAc8G,mBAAqB7G,iBAAiB,IAAM,gBAAiB,IAC3ED,cAAc+G,YAAc9G,iBAAiB,IAAM,eAAgB,IACnED,cAAcgH,0BAA4B/G,iBAAiB,IAAM,uBAAwB,IACzFD,cAAciH,eAAiBhH,iBAAiB,IAAM,oBAAqB,IAC3ED,cAAckH,oBAAsBjH,iBAAiB,IAAM,iBAAkB,IAqB7EW,aAAavpF,UAAYT,MAAMS,UAC/BynF,KAAKkB,cAAeY,cAQpBE,SAASzpF,UAAY,CAKnBtD,OAAQ,EASRoO,KAAM,SAAU9O,cACPA,OAAS,GAAKA,MAAQP,KAAKiB,OAASjB,KAAKO,OAAS,MAE3DiE,SAAU,SAAUumF,OAAQuH,gBACrB,IAAIC,IAAM,GAAIvxF,EAAI,EAAGA,EAAIhB,KAAKiB,OAAQD,IACzC2xF,kBAAkB3yF,KAAKgB,GAAIuxF,IAAKxH,OAAQuH,mBAEnCC,IAAI9/E,KAAK,KAOlB1O,OAAQ,SAAU+I,kBACTxK,MAAMiC,UAAUR,OAAOqB,KAAKpF,KAAM8M,YAO3CtM,QAAS,SAAU6O,aACV/M,MAAMiC,UAAU/D,QAAQ4E,KAAKpF,KAAMqP,QAwB9C4+E,aAAa1pF,UAAU8K,KAAO,SAAUrO,UACtCqtF,gBAAgBruF,MACTA,KAAKgB,IAAM,MAEpBwyB,SAASy6D,aAAcD,UAyDvBW,aAAapqF,UAAY,CACvBtD,OAAQ,EACRoO,KAAM2+E,SAASzpF,UAAU8K,KACzBglF,aAAc,SAAUvvF,aAKlB9D,EAAIhB,KAAKiB,OACND,KAAK,KACNqgE,KAAOrhE,KAAKgB,MAEZqgE,KAAK/xD,UAAYxK,WACZu8D,OAIbizB,aAAc,SAAUjzB,UAClBx2D,GAAKw2D,KAAK2tB,gBACVnkF,IAAMA,IAAM7K,KAAK8zF,oBACb,IAAIhG,aAAaD,yBAErBkB,QAAU/uF,KAAKq0F,aAAahzB,KAAK/xD,iBACrCu/E,cAAc7uF,KAAK8zF,cAAe9zF,KAAMqhE,KAAM0tB,SACvCA,SAGTwF,eAAgB,SAAUlzB,UAGtB0tB,QADElkF,GAAKw2D,KAAK2tB,gBAEVnkF,IAAMA,IAAM7K,KAAK8zF,oBACb,IAAIhG,aAAaD,4BAEzBkB,QAAU/uF,KAAKw0F,eAAenzB,KAAK6tB,aAAc7tB,KAAKt7B,WACtD8oD,cAAc7uF,KAAK8zF,cAAe9zF,KAAMqhE,KAAM0tB,SACvCA,SAGT0F,gBAAiB,SAAU3vF,SACrBu8D,KAAOrhE,KAAKq0F,aAAavvF,YAC7BwqF,iBAAiBtvF,KAAK8zF,cAAe9zF,KAAMqhE,MACpCA,MAKTqzB,kBAAmB,SAAUxF,aAAcnpD,eACrCs7B,KAAOrhE,KAAKw0F,eAAetF,aAAcnpD,kBAC7CupD,iBAAiBtvF,KAAK8zF,cAAe9zF,KAAMqhE,MACpCA,MAETmzB,eAAgB,SAAUtF,aAAcnpD,mBAClC/kC,EAAIhB,KAAKiB,OACND,KAAK,KACNuQ,KAAOvR,KAAKgB,MACZuQ,KAAKw0B,WAAaA,WAAax0B,KAAK29E,cAAgBA,oBAC/C39E,YAGJ,OAoBXi+E,oBAAoBjrF,UAAY,CAgB9BowF,WAAY,SAAUC,QAAS7rF,gBACtB,GAwBT8rF,eAAgB,SAAU3F,aAAc6D,cAAe+B,aACjDn+E,IAAM,IAAIi5E,YACdj5E,IAAIqS,eAAiBhpB,KACrB2W,IAAIqwB,WAAa,IAAIgnD,SACrBr3E,IAAIm+E,QAAUA,SAAW,KACrBA,SACFn+E,IAAI/K,YAAYkpF,SAEd/B,cAAe,KACbgC,KAAOp+E,IAAIkK,gBAAgBquE,aAAc6D,eAC7Cp8E,IAAI/K,YAAYmpF,aAEXp+E,KAuBTq+E,mBAAoB,SAAUjC,cAAeM,SAAUE,cACjDhiF,KAAO,IAAIsgF,oBACftgF,KAAKlQ,KAAO0xF,cACZxhF,KAAKjC,SAAWyjF,cAChBxhF,KAAK8hF,SAAWA,UAAY,GAC5B9hF,KAAKgiF,SAAWA,UAAY,GACrBhiF,OASXk+E,KAAKlrF,UAAY,CACfmH,WAAY,KACZwkF,UAAW,KACXD,gBAAiB,KACjBliE,YAAa,KACbpjB,WAAY,KACZuD,WAAY,KACZ84B,WAAY,KACZ5uB,cAAe,KACf68E,UAAW,KACX/F,aAAc,KACdE,OAAQ,KACRrpD,UAAW,KAEXp6B,aAAc,SAAUmW,SAAUozE,iBAEzBhE,cAAclxF,KAAM8hB,SAAUozE,WAEvCh2E,aAAc,SAAU4C,SAAUqzE,UAEhCjE,cAAclxF,KAAM8hB,SAAUqzE,SAAUnE,wCACpCmE,eACG/jF,YAAY+jF,WAGrB/jF,YAAa,SAAU+jF,iBACdpF,aAAa/vF,KAAMm1F,WAE5BvpF,YAAa,SAAUkW,iBACd9hB,KAAK2L,aAAamW,SAAU,OAErCw9C,cAAe,kBACa,MAAnBt/D,KAAK0L,YAEd4xD,UAAW,SAAUq2B,aACZr2B,UAAUt9D,KAAKoY,eAAiBpY,KAAMA,KAAM2zF,OAGrDyB,UAAW,mBACL3pF,MAAQzL,KAAK0L,WACVD,OAAO,KACR2oB,KAAO3oB,MAAMsiB,YACbqG,MAAQA,KAAKtqB,UAAY0iF,WAAa/gF,MAAM3B,UAAY0iF,gBACrDp7E,YAAYgjB,MACjB3oB,MAAM4pF,WAAWjhE,KAAKrf,QAEtBtJ,MAAM2pF,YACN3pF,MAAQ2oB,QAKd+pB,YAAa,SAAUy2C,QAAS7rF,gBACvB/I,KAAKoY,cAAc4Q,eAAe2rE,WAAWC,QAAS7rF,UAG/DusF,cAAe,kBACNt1F,KAAK2K,WAAW1J,OAAS,GAgBlCuxF,aAAc,SAAUtD,sBAClBrkF,GAAK7K,KACF6K,IAAI,KACL4E,IAAM5E,GAAGskF,UAET1/E,QACG,IAAIkI,KAAKlI,OACRnL,OAAOC,UAAUV,eAAeuB,KAAKqK,IAAKkI,IAAMlI,IAAIkI,KAAOu3E,oBACtDv3E,EAIb9M,GAAKA,GAAGf,UAAYyiF,eAAiB1hF,GAAGuN,cAAgBvN,GAAGqD,kBAEtD,MAGTqnF,mBAAoB,SAAUnG,gBACxBvkF,GAAK7K,KACF6K,IAAI,KACL4E,IAAM5E,GAAGskF,UAET1/E,KACEnL,OAAOC,UAAUV,eAAeuB,KAAKqK,IAAK2/E,eACrC3/E,IAAI2/E,QAGfvkF,GAAKA,GAAGf,UAAYyiF,eAAiB1hF,GAAGuN,cAAgBvN,GAAGqD,kBAEtD,MAGTsnF,mBAAoB,SAAUtG,qBAEX,MADJlvF,KAAKwyF,aAAatD,gBAOnClD,KAAKK,SAAUoD,MACfzD,KAAKK,SAAUoD,KAAKlrF,WAgapBqrF,SAASrrF,UAAY,CAEnB+K,SAAU,YACVxF,SAAUgjF,cAOVgI,QAAS,KACTl+E,gBAAiB,KACjB23E,KAAM,EACN5iF,aAAc,SAAUmW,SAAUozE,aAE5BpzE,SAAShY,UAAYkjF,uBAAwB,SAC3CvhF,MAAQqW,SAASpW,WACdD,OAAO,KACR2oB,KAAO3oB,MAAMsiB,iBACZpiB,aAAaF,MAAOypF,UACzBzpF,MAAQ2oB,YAEHtS,gBAETovE,cAAclxF,KAAM8hB,SAAUozE,UAC9BpzE,SAAS1J,cAAgBpY,KACI,OAAzBA,KAAK4W,iBAA4BkL,SAAShY,WAAawiF,oBACpD11E,gBAAkBkL,UAElBA,UAET1Q,YAAa,SAAU+jF,iBACjBn1F,KAAK4W,iBAAmBu+E,gBACrBv+E,gBAAkB,MAElBm5E,aAAa/vF,KAAMm1F,WAE5Bj2E,aAAc,SAAU4C,SAAUqzE,UAEhCjE,cAAclxF,KAAM8hB,SAAUqzE,SAAUnE,wCACxClvE,SAAS1J,cAAgBpY,KACrBm1F,eACG/jF,YAAY+jF,UAEf/E,cAActuE,iBACXlL,gBAAkBkL,WAI3B4xE,WAAY,SAAU+B,aAAc9B,aAC3BD,WAAW1zF,KAAMy1F,aAAc9B,OAGxC+B,eAAgB,SAAU13E,QACpB23E,IAAM,YACVhG,WAAW3vF,KAAK4W,iBAAiB,SAAUrF,SACrCA,KAAKzH,UAAYwiF,cACf/6E,KAAK7D,aAAa,OAASsQ,UAC7B23E,IAAMpkF,MACC,KAINokF,KAmBTC,uBAAwB,SAAUC,gBAC5BC,cAAgBhK,aAAa+J,mBAC1B,IAAI5H,aAAajuF,MAAM,SAAU+1F,UAClCvH,GAAK,UACLsH,cAAc70F,OAAS,GACzB0uF,WAAWoG,KAAKn/E,iBAAiB,SAAUrF,SACrCA,OAASwkF,MAAQxkF,KAAKzH,WAAawiF,aAAc,KAC/C0J,eAAiBzkF,KAAK7D,aAAa,YAEnCsoF,eAAgB,KAEdlnB,QAAU+mB,aAAeG,mBACxBlnB,QAAS,KACRmnB,kBAAoBnK,aAAakK,gBACrClnB,QAAUgnB,cAAcl7E,OAx/BjByV,KAw/BqC4lE,kBAv/BnD,SAAUnqF,gBACRukB,OAAmC,IAA3BA,KAAK7vB,QAAQsL,YAw/BdgjE,SACF0f,GAAGvsF,KAAKsP,WA3/BD8e,QAigCVm+D,OAIX1jF,cAAe,SAAUL,aACnB8G,KAAO,IAAImsD,eACfnsD,KAAK6G,cAAgBpY,KACrBuR,KAAKjC,SAAW7E,QAChB8G,KAAK9G,QAAUA,QACf8G,KAAKw0B,UAAYt7B,QACjB8G,KAAKy1B,WAAa,IAAIgnD,UACVz8E,KAAK5G,WAAa,IAAIgkF,cAC5BmF,cAAgBviF,KACfA,MAETksD,uBAAwB,eAClBlsD,KAAO,IAAI0gF,wBACf1gF,KAAK6G,cAAgBpY,KACrBuR,KAAKy1B,WAAa,IAAIgnD,SACfz8E,MAETD,eAAgB,SAAUyD,UACpBxD,KAAO,IAAImgF,YACfngF,KAAK6G,cAAgBpY,KACrBuR,KAAK8jF,WAAWtgF,MACTxD,MAET2kF,cAAe,SAAUnhF,UACnBxD,KAAO,IAAIogF,eACfpgF,KAAK6G,cAAgBpY,KACrBuR,KAAK8jF,WAAWtgF,MACTxD,MAET4kF,mBAAoB,SAAUphF,UACxBxD,KAAO,IAAIqgF,oBACfrgF,KAAK6G,cAAgBpY,KACrBuR,KAAK8jF,WAAWtgF,MACTxD,MAET60B,4BAA6B,SAAU91B,OAAQyE,UACzCxD,KAAO,IAAI2gF,6BACf3gF,KAAK6G,cAAgBpY,KACrBuR,KAAK9G,QAAU8G,KAAKjC,SAAWiC,KAAKjB,OAASA,OAC7CiB,KAAK0jF,UAAY1jF,KAAKwD,KAAOA,KACtBxD,MAET6kF,gBAAiB,SAAU/0F,UACrBkQ,KAAO,IAAIigF,YACfjgF,KAAK6G,cAAgBpY,KACrBuR,KAAKlQ,KAAOA,KACZkQ,KAAKjC,SAAWjO,KAChBkQ,KAAKw0B,UAAY1kC,KACjBkQ,KAAK8kF,WAAY,EACV9kF,MAET+kF,sBAAuB,SAAUj1F,UAC3BkQ,KAAO,IAAIygF,uBACfzgF,KAAK6G,cAAgBpY,KACrBuR,KAAKjC,SAAWjO,KACTkQ,MAGTsP,gBAAiB,SAAUquE,aAAc6D,mBACnCxhF,KAAO,IAAImsD,QACX64B,GAAKxD,cAAcvmF,MAAM,KACzBe,MAAQgE,KAAK5G,WAAa,IAAIgkF,oBAClCp9E,KAAKy1B,WAAa,IAAIgnD,SACtBz8E,KAAK6G,cAAgBpY,KACrBuR,KAAKjC,SAAWyjF,cAChBxhF,KAAK9G,QAAUsoF,cACfxhF,KAAK29E,aAAeA,aACH,GAAbqH,GAAGt1F,QACLsQ,KAAK69E,OAASmH,GAAG,GACjBhlF,KAAKw0B,UAAYwwD,GAAG,IAGpBhlF,KAAKw0B,UAAYgtD,cAEnBxlF,MAAMumF,cAAgBviF,KACfA,MAGTilF,kBAAmB,SAAUtH,aAAc6D,mBACrCxhF,KAAO,IAAIigF,KACX+E,GAAKxD,cAAcvmF,MAAM,YAC7B+E,KAAK6G,cAAgBpY,KACrBuR,KAAKjC,SAAWyjF,cAChBxhF,KAAKlQ,KAAO0xF,cACZxhF,KAAK29E,aAAeA,aACpB39E,KAAK8kF,WAAY,EACA,GAAbE,GAAGt1F,QACLsQ,KAAK69E,OAASmH,GAAG,GACjBhlF,KAAKw0B,UAAYwwD,GAAG,IAGpBhlF,KAAKw0B,UAAYgtD,cAEZxhF,OAGXiiB,SAASo8D,SAAUH,MAInB/xB,QAAQn5D,UAAY,CAClBuF,SAAUwiF,aACVv9D,aAAc,SAAU1tB,aACgB,MAA/BrB,KAAKy2F,iBAAiBp1F,OAE/BqM,aAAc,SAAUrM,UAClBggE,KAAOrhE,KAAKy2F,iBAAiBp1F,aAC1BggE,MAAQA,KAAKn8D,OAAS,IAE/BuxF,iBAAkB,SAAUp1F,aACnBrB,KAAK2K,WAAW0pF,aAAahzF,OAEtC+J,aAAc,SAAU/J,KAAM6D,WACxBm8D,KAAOrhE,KAAKoY,cAAcg+E,gBAAgB/0F,MAC9CggE,KAAKn8D,MAAQm8D,KAAK4zB,UAAY,GAAK/vF,WAC9B6uF,iBAAiB1yB,OAExBl0D,gBAAiB,SAAU9L,UACrBggE,KAAOrhE,KAAKy2F,iBAAiBp1F,MACjCggE,MAAQrhE,KAAK02F,oBAAoBr1B,OAGnCz1D,YAAa,SAAUkW,iBACjBA,SAAShY,WAAakjF,uBACjBhtF,KAAK2L,aAAamW,SAAU,eAzPb5T,WAAY4T,iBAClCA,SAAS5T,YACX4T,SAAS5T,WAAWkD,YAAY0Q,UAElCA,SAAS5T,WAAaA,WACtB4T,SAASmuE,gBAAkB/hF,WAAWgiF,UACtCpuE,SAASiM,YAAc,KACnBjM,SAASmuE,gBACXnuE,SAASmuE,gBAAgBliE,YAAcjM,SAEvC5T,WAAWxC,WAAaoW,SAE1B5T,WAAWgiF,UAAYpuE,SACvB+tE,eAAe3hF,WAAWkK,cAAelK,WAAY4T,UAC9CA,SA6OI60E,CAAmB32F,KAAM8hB,WAGpCiyE,iBAAkB,SAAUjF,gBACnB9uF,KAAK2K,WAAW2pF,aAAaxF,UAEtC8H,mBAAoB,SAAU9H,gBACrB9uF,KAAK2K,WAAW4pF,eAAezF,UAExC4H,oBAAqB,SAAU3H,gBAEtB/uF,KAAK2K,WAAW8pF,gBAAgB1F,QAAQz/E,WAGjDunF,kBAAmB,SAAU3H,aAAcnpD,eACrCjwB,IAAM9V,KAAK82F,mBAAmB5H,aAAcnpD,WAChDjwB,KAAO9V,KAAK02F,oBAAoB5gF,MAElCihF,eAAgB,SAAU7H,aAAcnpD,kBACqB,MAApD/lC,KAAK82F,mBAAmB5H,aAAcnpD,YAE/CixD,eAAgB,SAAU9H,aAAcnpD,eAClCs7B,KAAOrhE,KAAK82F,mBAAmB5H,aAAcnpD,kBAC1Cs7B,MAAQA,KAAKn8D,OAAS,IAE/B4b,eAAgB,SAAUouE,aAAc6D,cAAe7tF,WACjDm8D,KAAOrhE,KAAKoY,cAAco+E,kBAAkBtH,aAAc6D,eAC9D1xB,KAAKn8D,MAAQm8D,KAAK4zB,UAAY,GAAK/vF,WAC9B6uF,iBAAiB1yB,OAExBy1B,mBAAoB,SAAU5H,aAAcnpD,kBACnC/lC,KAAK2K,WAAW6pF,eAAetF,aAAcnpD,YAEtDxyB,qBAAsB,SAAU9I,gBACvB,IAAIwjF,aAAajuF,MAAM,SAAU+1F,UAClCvH,GAAK,UACTmB,WAAWoG,MAAM,SAAUxkF,MACrBA,OAASwkF,MAAQxkF,KAAKzH,UAAYwiF,cAA6B,MAAZ7hF,SAAmB8G,KAAK9G,SAAWA,SACxF+jF,GAAGvsF,KAAKsP,SAGLi9E,OAGXyI,uBAAwB,SAAU/H,aAAcnpD,kBACvC,IAAIkoD,aAAajuF,MAAM,SAAU+1F,UAClCvH,GAAK,UACTmB,WAAWoG,MAAM,SAAUxkF,MACrBA,OAASwkF,MAAQxkF,KAAKzH,WAAawiF,cAAkC,MAAjB4C,cAAwB39E,KAAK29E,eAAiBA,cAAgC,MAAdnpD,WAAqBx0B,KAAKw0B,WAAaA,WAC7JyoD,GAAGvsF,KAAKsP,SAGLi9E,QAIboB,SAASrrF,UAAUgP,qBAAuBmqD,QAAQn5D,UAAUgP,qBAC5Dq8E,SAASrrF,UAAU0yF,uBAAyBv5B,QAAQn5D,UAAU0yF,uBAC9DzjE,SAASkqC,QAAS+xB,MAElB+B,KAAKjtF,UAAUuF,SAAWyiF,eAC1B/4D,SAASg+D,KAAM/B,MAEfgC,cAAcltF,UAAY,CACxBwQ,KAAM,GACNmiF,cAAe,SAAU1Z,OAAQr0C,cACxBnpC,KAAK+U,KAAKqmC,UAAUoiC,OAAQA,OAASr0C,QAE9CksD,WAAY,SAAU/pF,MACpBA,KAAOtL,KAAK+U,KAAOzJ,UACd2pF,UAAYj1F,KAAK+U,KAAOzJ,UACxBrK,OAASqK,KAAKrK,QAErBk2F,WAAY,SAAU3Z,OAAQlyE,WACvB8rF,YAAY5Z,OAAQ,EAAGlyE,OAE9BM,YAAa,SAAUkW,gBACf,IAAIhe,MAAMqpF,iBAAiBG,yBAEnC+J,WAAY,SAAU7Z,OAAQr0C,YACvBiuD,YAAY5Z,OAAQr0C,MAAO,KAElCiuD,YAAa,SAAU5Z,OAAQr0C,MAAO79B,MAGpCA,KAFYtL,KAAK+U,KAAKqmC,UAAU,EAAGoiC,QAEpBlyE,KADLtL,KAAK+U,KAAKqmC,UAAUoiC,OAASr0C,YAElC8rD,UAAYj1F,KAAK+U,KAAOzJ,UACxBrK,OAASqK,KAAKrK,SAGvBuyB,SAASi+D,cAAehC,MAExBiC,KAAKntF,UAAY,CACf+K,SAAU,QACVxF,SAAU0iF,UACV8K,UAAW,SAAU9Z,YACflyE,KAAOtL,KAAK+U,KACZwiF,QAAUjsF,KAAK8vC,UAAUoiC,QAC7BlyE,KAAOA,KAAK8vC,UAAU,EAAGoiC,aACpBzoE,KAAO/U,KAAKi1F,UAAY3pF,UACxBrK,OAASqK,KAAKrK,WACfu2F,QAAUx3F,KAAKoY,cAAc9G,eAAeimF,gBAC5Cv3F,KAAKkO,iBACFA,WAAWvC,aAAa6rF,QAASx3F,KAAK+tB,aAEtCypE,UAGXhkE,SAASk+D,KAAMD,eAEfE,QAAQptF,UAAY,CAClB+K,SAAU,WACVxF,SAAU+iF,cAEZr5D,SAASm+D,QAASF,eAElBG,aAAartF,UAAY,CACvB+K,SAAU,iBACVxF,SAAU2iF,oBAEZj5D,SAASo+D,aAAcH,eAEvBI,aAAattF,UAAUuF,SAAWijF,mBAClCv5D,SAASq+D,aAAcpC,MAEvBqC,SAASvtF,UAAUuF,SAAWmjF,cAC9Bz5D,SAASs+D,SAAUrC,MAEnBsC,OAAOxtF,UAAUuF,SAAW6iF,YAC5Bn5D,SAASu+D,OAAQtC,MAEjBuC,gBAAgBztF,UAAUuF,SAAW4iF,sBACrCl5D,SAASw+D,gBAAiBvC,MAE1BwC,iBAAiB1tF,UAAU+K,SAAW,qBACtC2iF,iBAAiB1tF,UAAUuF,SAAWkjF,uBACtCx5D,SAASy+D,iBAAkBxC,MAE3ByC,sBAAsB3tF,UAAUuF,SAAW8iF,4BAC3Cp5D,SAAS0+D,sBAAuBzC,MAEhC0C,cAAc5tF,UAAUouF,kBAAoB,SAAUphF,KAAM8gF,OAAQC,mBAC3DF,sBAAsBhtF,KAAKmM,KAAM8gF,OAAQC,aAElD7C,KAAKlrF,UAAUC,SAAW4tF,6BAkVpB9tF,OAAO0B,eAAgB,UA6BhByxF,eAAelmF,aACdA,KAAKzH,eACNwiF,kBACAU,2BACCuF,IAAM,OACVhhF,KAAOA,KAAK7F,WACL6F,MACiB,IAAlBA,KAAKzH,UAAoC,IAAlByH,KAAKzH,UAC9ByoF,IAAItwF,KAAKw1F,eAAelmF,OAE1BA,KAAOA,KAAKwc,mBAEPwkE,IAAI9/E,KAAK,mBAETlB,KAAK0jF,WA1ClB3wF,OAAO0B,eAAeioF,aAAa1pF,UAAW,SAAU,CACtD8B,IAAK,kBACHgoF,gBAAgBruF,MACTA,KAAK0uF,YAGhBpqF,OAAO0B,eAAeypF,KAAKlrF,UAAW,cAAe,CACnD8B,IAAK,kBACIoxF,eAAez3F,OAExB+F,IAAK,SAAUgP,aACL/U,KAAK8J,eACNwiF,kBACAU,4BACIhtF,KAAK0L,iBACL0F,YAAYpR,KAAK0L,aAEpBqJ,MAAQikB,OAAOjkB,aACZnJ,YAAY5L,KAAKoY,cAAc9G,eAAeyD,0BAIhDA,KAAOA,UACP7P,MAAQ6P,UACRkgF,UAAYlgF,SAqBzB05E,QAAU,SAAU/pF,OAAQI,IAAKI,OAE/BR,OAAO,KAAOI,KAAOI,QAGzB,MAAO8M,QAaL6nE,IAAM,CACRgY,aAVmBA,aAWnB/D,aAVmBA,aAWnB4J,kBAVwBlI,oBAWxB9xB,QAVcA,QAWd+xB,KAVWA,KAWXzB,SAVeA,SAWfmE,cAVoBA,eAalBwF,SAAWtkE,sBAAqB,SAAU3zB,OAAQD,aAEhD8G,OAASilF,YAAYjlF,OASzB9G,QAAQm4F,aAAerxF,OAAO,CAC5BsxF,IAAK,IACLC,KAAM,IACNC,GAAI,IACJC,GAAI,IACJC,KAAM,MAiBRx4F,QAAQy4F,cAAgB3xF,OAAO,CAC7B4xF,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACR7M,GAAI,IACJ8M,IAAK,IACLC,IAAK,KACLC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,IAAK,IACLC,IAAK,IACLC,MAAO,IACPC,MAAO,IACPC,GAAI,IACJC,IAAK,KACLC,IAAK,KACLC,OAAQ,IACRC,OAAQ,IACRC,QAAS,IACTC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,IAAK,IACL/B,IAAK,IACLgC,IAAK,IACLC,IAAK,IACLC,OAAQ,IACRC,KAAM,IACNC,SAAU,IACVC,KAAM,IACNC,IAAK,IACLC,KAAM,IACNC,MAAO,IACPC,OAAQ,IACRC,SAAU,IACVC,SAAU,IACVC,SAAU,IACVC,SAAU,IACVC,SAAU,IACVC,SAAU,IACVC,SAAU,IACVC,SAAU,IACVC,MAAO,IACPC,QAAS,IACTC,SAAU,IACVC,OAAQ,IACRC,MAAO,IACPC,QAAS,IACTC,MAAO,IACPC,MAAO,IACPC,KAAM,KACNC,KAAM,KACNC,GAAI,IACJC,OAAQ,IACRC,IAAK,IACLC,IAAK,IACLC,KAAM,IACN/D,KAAM,IACNgE,cAAe,IACfC,OAAQ,IACRC,SAAU,IACVC,MAAO,IACPC,MAAO,IACPC,KAAM,KACNC,KAAM,KACNC,OAAQ,IACRC,IAAK,IACLC,MAAO,IACPC,QAAS,IACTC,OAAQ,IACRC,OAAQ,IACRC,KAAM,IACNC,KAAM,IACNC,SAAU,IACVC,MAAO,IACPC,SAAU,IACVC,YAAa,IACbC,UAAW,IACXC,QAAS,IACTC,UAAW,IACXC,UAAW,IACXC,KAAM,IACNC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,SAAU,IACVC,KAAM,IACNC,SAAU,IACVC,MAAO,IACPC,IAAK,IACLC,IAAK,IACLC,MAAO,IACPC,OAAQ,IACRC,QAAS,IACTC,QAAS,IACTC,QAAS,IACTC,MAAO,IACPC,OAAQ,IACRC,WAAY,IACZC,KAAM,IACNC,KAAM,IACNC,KAAM,IACNC,QAAS,IACTC,IAAK,KACLC,IAAK,KACLC,OAAQ,IACRC,QAAS,IACTC,OAAQ,IACRC,QAAS,IACTC,SAAU,IACVC,UAAW,IACXC,SAAU,IACVC,QAAS,IACTC,gBAAiB,IACjBC,cAAe,IACfC,SAAU,IACVC,OAAQ,IACRC,SAAU,IACVC,OAAQ,IACRC,aAAc,IACdC,YAAa,IACbC,cAAe,IACfC,kBAAmB,IACnBC,kBAAmB,IACnBC,mBAAoB,IACpBC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,IAAK,KACLC,QAAS,KACTC,KAAM,IACNC,KAAM,IACNC,KAAM,KACNC,KAAM,KACNC,IAAK,IACL/8E,OAAQ,IACRg9E,OAAQ,IACRC,OAAQ,IACRC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,MAAO,IACP7wF,KAAM,IACN8wF,KAAM,IACNC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,SAAU,IACVC,QAAS,IACTC,SAAU,IACVC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,KAAM,IACNC,KAAM,IACNC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,OAAQ,IACRC,MAAO,IACPC,MAAO,IACPC,OAAQ,IACRC,KAAM,IACNC,KAAM,KACNC,MAAO,IACPC,KAAM,IACNC,MAAO,IACPC,KAAM,KACNC,MAAO,IACPC,SAAU,IACVC,KAAM,IACNC,OAAQ,IACRC,KAAM,IACNC,MAAO,IACPC,MAAO,IACPC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,IAAK,IACLC,IAAK,IACLC,OAAQ,IACRC,SAAU,IACVC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,qBAAsB,IACtBC,KAAM,KACNC,MAAO,IACPC,MAAO,IACPC,QAAS,IACTC,MAAO,IACPC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,MAAO,IACPC,MAAO,IACPC,QAAS,IACTC,MAAO,IACPC,QAAS,IACTC,KAAM,IACNC,KAAM,IACNC,MAAO,IACPC,QAAS,IACTC,QAAS,IACTC,KAAM,IACNC,UAAW,IACXC,UAAW,IACXC,IAAK,IACLC,IAAK,KACLC,KAAM,IACNC,KAAM,IACNC,MAAO,IACPC,UAAW,IACXC,IAAK,IACLC,IAAK,IACLC,IAAK,IACLC,KAAM,IACNC,OAAQ,IACRC,gBAAiB,IACjBC,iBAAkB,IAClBC,WAAY,IACZC,YAAa,IACbC,YAAa,IACbC,UAAW,IACXC,SAAU,IACVC,SAAU,IACVC,YAAa,IACbC,WAAY,IACZC,YAAa,IACbC,KAAM,IACNC,KAAM,IACNC,SAAU,IACVC,OAAQ,IACRC,QAAS,IACTC,yBAA0B,IAC1BC,sBAAuB,IACvBC,gBAAiB,IACjBC,MAAO,IACPC,SAAU,IACVC,MAAO,IACPC,MAAO,IACPC,OAAQ,IACRC,OAAQ,IACRC,QAAS,IACTC,MAAO,IACPC,OAAQ,IACR9vB,KAAM,IACN+vB,OAAQ,IACRC,WAAY,IACZC,UAAW,IACXC,KAAM,IACNC,QAAS,IACTC,UAAW,IACXC,OAAQ,IACRC,OAAQ,IACRC,gBAAiB,IACjBC,KAAM,IACNC,KAAM,KACNC,OAAQ,IACRC,UAAW,IACXC,KAAM,IACNhe,KAAM,IACNie,OAAQ,IACRC,gCAAiC,IACjCC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,KAAM,KACNC,KAAM,KACNC,KAAM,IACNC,MAAO,IACPC,KAAM,IACNC,MAAO,IACPC,MAAO,IACPC,QAAS,IACTC,QAAS,IACTC,MAAO,IACPC,MAAO,IACPC,OAAQ,IACRC,QAAS,IACTC,IAAK,IACLC,IAAK,IACLC,SAAU,IACVC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,MAAO,IACPC,KAAM,KACNC,OAAQ,IACRC,QAAS,IACTC,YAAa,IACbC,YAAa,IACbC,SAAU,IACVC,WAAY,IACZC,OAAQ,IACRC,eAAgB,IAChBC,gBAAiB,IACjBC,MAAO,IACPC,MAAO,IACPC,SAAU,IACVC,MAAO,IACPC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,KAAM,IACNC,KAAM,IACNC,KAAM,IACNC,KAAM,IACNC,MAAO,IACPC,MAAO,IACPC,QAAS,IACTC,MAAO,IACPC,OAAQ,IACRC,OAAQ,IACRC,IAAK,IACLC,IAAK,IACLC,GAAI,IACJC,GAAI,IACJC,QAAS,IACTC,MAAO,IACPC,SAAU,IACVC,QAAS,IACTC,IAAK,IACLC,IAAK,IACLC,MAAO,IACPC,MAAO,IACPC,QAAS,IACTC,OAAQ,IACRC,IAAK,KACLC,IAAK,KACLC,KAAM,IACNC,MAAO,IACPC,MAAO,IACPC,iBAAkB,IAClBC,eAAgB,IAChBC,uBAAwB,IACxBC,iBAAkB,IAClBC,iBAAkB,IAClBC,KAAM,IACNC,QAAS,IACTC,QAAS,IACTC,YAAa,IACbC,MAAO,IACPC,IAAK,IACLC,cAAe,IACfC,QAAS,IACTC,MAAO,IACP1nE,IAAK,IACL2nE,OAAQ,IACRC,cAAe,IACfC,OAAQ,IACRC,KAAM,IACNC,KAAM,IACNC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,KAAM,KACNC,KAAM,KACNC,IAAK,IACLC,IAAK,IACLC,OAAQ,IACRC,MAAO,IACPC,SAAU,IACVC,SAAU,IACVC,SAAU,IACVC,QAAS,IACTC,UAAW,IACXC,eAAgB,IAChBC,sBAAuB,IACvBC,UAAW,IACXC,gBAAiB,IACjBC,gBAAiB,IACjBC,qBAAsB,IACtBC,cAAe,IACfC,oBAAqB,IACrBC,yBAA0B,IAC1BC,qBAAsB,IACtBC,iBAAkB,IAClBC,eAAgB,IAChBC,cAAe,IACfC,kBAAmB,IACnBC,kBAAmB,IACnBC,UAAW,IACXC,UAAW,IACXC,UAAW,IACXC,aAAc,IACdC,iBAAkB,IAClBC,UAAW,IACXC,eAAgB,IAChBC,gBAAiB,IACjBC,iBAAkB,IAClBC,oBAAqB,IACrBC,kBAAmB,IACnBC,eAAgB,IAChBC,kBAAmB,IACnBC,mBAAoB,IACpBC,gBAAiB,IACjBC,mBAAoB,IACpBC,QAAS,IACTC,aAAc,IACdC,SAAU,IACVC,OAAQ,IACRC,OAAQ,IACRC,KAAM,KACNC,KAAM,KACNC,KAAM,IACNC,KAAM,IACNC,KAAM,IACNC,OAAQ,IACRC,OAAQ,IACRC,MAAO,IACPC,KAAM,IACNC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,QAAS,IACTC,KAAM,IACNC,KAAM,IACNC,SAAU,IACVC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,KAAM,IACNC,MAAO,IACPC,MAAO,IACPC,OAAQ,IACRC,IAAK,IACLC,IAAK,IACLC,MAAO,IACPC,KAAM,IACNC,KAAM,IACNC,KAAM,IACNC,GAAI,IACJC,MAAO,IACPC,IAAK,KACLC,IAAK,KACLC,GAAI,IACJC,OAAQ,IACRC,OAAQ,IACRC,IAAK,IACLC,OAAQ,IACRzqG,GAAI,IACJ6yD,QAAS,IACT63C,SAAU,IACVC,IAAK,IACL/4C,IAAK,IACLg5C,OAAQ,IACRC,MAAO,IACPC,MAAO,IACP3nF,MAAO,IACP4nF,SAAU,IACVC,iBAAkB,IAClBC,OAAQ,IACRC,qBAAsB,IACtBC,KAAM,IACNC,OAAQ,IACRC,OAAQ,IACRC,IAAK,IACLC,IAAK,IACLC,KAAM,IACNC,MAAO,IACPC,MAAO,IACPC,KAAM,KACNC,KAAM,KACNC,KAAM,IACNC,OAAQ,IACRC,MAAO,IACPC,KAAM,IACNC,QAAS,IACTC,QAAS,IACTC,MAAO,IACPC,OAAQ,IACRC,QAAS,IACTC,MAAO,IACPC,WAAY,IACZC,YAAa,IACbC,MAAO,IACPC,OAAQ,IACRC,WAAY,IACZC,OAAQ,IACRC,YAAa,IACbC,MAAO,IACPC,QAAS,IACTC,SAAU,IACVC,MAAO,IACPC,MAAO,IACPC,KAAM,IACNC,KAAM,IACNC,MAAO,IACPC,KAAM,IACNC,KAAM,IACNC,IAAK,IACLC,IAAK,IACLC,IAAK,IACLC,IAAK,IACLC,KAAM,IACNC,KAAM,IACNC,KAAM,IACNC,KAAM,IACNC,MAAO,IACPC,OAAQ,IACRC,YAAa,IACbC,aAAc,IACdC,aAAc,IACdC,cAAe,IACfC,IAAK,IACLC,IAAK,IACLC,OAAQ,IACRC,OAAQ,IACRC,MAAO,IACPC,OAAQ,IACRC,IAAK,KACLC,IAAK,KACLC,MAAO,IACPC,kBAAmB,IACnBC,sBAAuB,IACvBC,MAAO,KACPC,KAAM,IACNC,MAAO,IACPC,MAAO,IACPC,KAAM,IACNC,KAAM,KACNC,KAAM,KACNC,OAAQ,IACRC,OAAQ,IACRC,KAAM,IACNC,MAAO,IACPC,WAAY,IACZC,SAAU,IACVC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,MAAO,IACPC,MAAO,IACPC,KAAM,IACNC,KAAM,KACNC,OAAQ,IACRC,MAAO,IACPC,MAAO,IACPC,OAAQ,IACRC,OAAQ,IACRC,IAAK,IACLC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,MAAO,IACPC,MAAO,IACPC,IAAK,IACLC,IAAK,IACLC,KAAM,IACNC,KAAM,IACNC,GAAI,IACJC,GAAI,IACJC,IAAK,IACLC,IAAK,IACLC,IAAK,IACLC,KAAM,IACNC,SAAU,IACVC,IAAK,IACLC,MAAO,IACPC,OAAQ,IACRC,QAAS,IACTC,SAAU,IACVC,KAAM,KACNC,OAAQ,IACRC,IAAK,KACLC,IAAK,KACLC,GAAI,IACJC,GAAI,IACJC,IAAK,IACLC,MAAO,IACPC,KAAM,IACNC,KAAM,IACNC,GAAI,IACJC,IAAK,IACLC,IAAK,IACLC,IAAK,IACLC,KAAM,IACNC,SAAU,IACVC,IAAK,IACLC,IAAK,IACLC,KAAM,IACNC,MAAO,IACPC,MAAO,IACPC,KAAM,KACNC,KAAM,KACNC,MAAO,IACPC,aAAc,IACdC,iBAAkB,IAClBC,iBAAkB,IAClBC,eAAgB,IAChBC,YAAa,IACbC,kBAAmB,IACnBC,aAAc,IACdC,KAAM,KACNC,KAAM,IACNC,KAAM,IACNC,MAAO,IACPC,MAAO,IACPC,GAAI,IACJC,GAAI,IACJ/nB,GAAI,IACJgoB,KAAM,IACNC,MAAO,IACPC,MAAO,IACPC,OAAQ,IACRC,QAAS,IACTC,UAAW,IACXC,OAAQ,IACRC,OAAQ,IACRC,UAAW,IACXC,WAAY,IACZC,QAAS,IACTC,OAAQ,IACRC,UAAW,KACXC,KAAM,KACNC,MAAO,IACPC,OAAQ,IACRC,KAAM,IACNC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,KAAM,IACNC,KAAM,IACNC,QAAS,IACTC,MAAO,IACPC,IAAK,IACLC,KAAM,IACNC,MAAO,IACPC,MAAO,IACPC,OAAQ,IACRC,UAAW,IACXC,OAAQ,IACRC,OAAQ,IACRC,IAAK,IACLC,IAAK,KACLC,aAAc,IACdC,SAAU,IACVC,SAAU,IACVC,MAAO,IACPC,OAAQ,IACRC,cAAe,IACfC,eAAgB,IAChBC,KAAM,IACNC,KAAM,KACNC,OAAQ,IACRC,eAAgB,IAChBC,KAAM,IACNC,KAAM,KACNC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,aAAc,IACdC,UAAW,IACXC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,GAAI,IACJC,MAAO,IACPC,MAAO,IACPC,IAAK,IACLC,IAAK,IACLC,KAAM,IACNC,KAAM,IACNC,KAAM,IACNC,MAAO,IACPC,IAAK,IACLC,IAAK,IACLC,IAAK,KACLC,OAAQ,IACRC,OAAQ,IACRC,GAAI,IACJC,OAAQ,IACRC,MAAO,IACPC,OAAQ,IACRC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,GAAI,IACJC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,WAAY,IACZC,SAAU,IACVC,SAAU,IACVC,MAAO,IACPC,KAAM,IACNC,MAAO,IACPC,QAAS,IACTC,GAAI,IACJC,OAAQ,IACRC,MAAO,IACPC,SAAU,IACVC,OAAQ,IACRC,IAAK,IACLC,IAAK,IACLC,OAAQ,IACRC,SAAU,IACVC,SAAU,IACVC,SAAU,IACVC,aAAc,IACdC,SAAU,IACVC,QAAS,IACTC,eAAgB,IAChBC,eAAgB,IAChBC,KAAM,IACNC,KAAM,IACNC,MAAO,IACPC,MAAO,IACPC,KAAM,KACNC,KAAM,KACNC,KAAM,IACNC,KAAM,IACNC,MAAO,IACPC,OAAQ,IACRC,KAAM,IACNC,KAAM,KACNC,KAAM,IACNC,QAAS,IACTC,MAAO,IACPC,MAAO,IACPC,OAAQ,IACRC,MAAO,IACPrzF,GAAI,IACJszF,OAAQ,IACRC,OAAQ,IACRC,MAAO,IACPC,MAAO,IACPC,KAAM,IACNC,KAAM,IACNC,MAAO,IACPC,MAAO,IACPC,IAAK,IACLC,IAAK,IACLC,IAAK,KACLC,IAAK,KACLC,MAAO,IACPC,KAAM,KACNC,KAAM,KACNC,KAAM,KACNC,KAAM,KACNC,OAAQ,IACRC,OAAQ,IACRC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,IAAK,IACLC,IAAK,IACLC,IAAK,KACLC,IAAK,KACLC,OAAQ,IACRC,KAAM,IACNC,KAAM,IACNC,KAAM,IACNC,KAAM,IACNC,KAAM,KACNC,KAAM,KACNC,KAAM,KACNC,KAAM,KACNC,MAAO,IACPC,OAAQ,IACRC,OAAQ,IACRC,SAAU,IACVC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,KAAM,IACNvlF,KAAM,IACNwlF,MAAO,IACPC,OAAQ,IACRC,IAAK,IACLC,WAAY,IACZC,MAAO,IACPC,KAAM,IACNC,KAAM,IACNC,KAAM,IACNC,MAAO,IACPC,QAAS,IACTC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,QAAS,IACTC,OAAQ,IACRC,IAAK,IACLC,OAAQ,IACRC,OAAQ,IACRC,KAAM,IACNC,MAAO,KACPC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,OAAQ,IACRC,OAAQ,IACRC,MAAO,IACPC,QAAS,IACTC,QAAS,IACTC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,MAAO,IACPC,KAAM,IACNC,IAAK,IACLC,IAAK,IACLC,KAAM,IACNC,MAAO,IACPC,OAAQ,IACRC,QAAS,IACTC,SAAU,IACVC,KAAM,IACNC,GAAI,IACJ7jC,GAAI,IACJ8jC,iBAAkB,IAClBC,UAAW,IACXC,UAAW,IACXC,UAAW,IACXC,aAAc,IACdC,oBAAqB,IACrBC,cAAe,IACfC,YAAa,IACbC,kBAAmB,IACnBC,kBAAmB,IACnBC,eAAgB,IAChBC,kBAAmB,IACnBC,UAAW,IACXC,gBAAiB,IACjBC,cAAe,IACfC,eAAgB,IAChBC,eAAgB,IAChBC,eAAgB,IAChBC,eAAgB,IAChBC,gBAAiB,IACjBC,kBAAmB,IACnBC,oBAAqB,IACrBC,gBAAiB,IACjBC,QAAS,IACTC,aAAc,IACdC,cAAe,IACfC,eAAgB,IAChBC,aAAc,IACdC,gBAAiB,IACjBC,kBAAmB,IACnBC,iBAAkB,IAClBC,gBAAiB,IACjBC,aAAc,IACdC,gBAAiB,IACjBC,WAAY,IACZC,cAAe,IACfC,IAAK,IACLC,IAAK,IACLC,IAAK,IACLC,KAAM,IACNC,SAAU,IACVC,IAAK,IACLC,MAAO,IACPC,OAAQ,IACRC,QAAS,IACTC,SAAU,IACVC,KAAM,KACNC,OAAQ,IACRC,WAAY,IACZC,QAAS,IACTC,UAAW,IACXC,WAAY,IACZC,iBAAkB,IAClBC,cAAe,IACfC,YAAa,IACbC,QAAS,IACTC,SAAU,IACVC,QAAS,IACTC,eAAgB,IAChBC,UAAW,IACXC,OAAQ,IACRC,OAAQ,IACRC,IAAK,KACLC,IAAK,KACLC,GAAI,IACJC,IAAK,IACLC,KAAM,IACNC,MAAO,IACPC,MAAO,IACPC,OAAQ,IACRC,MAAO,IACPC,KAAM,IACNC,KAAM,IACNC,GAAI,IACJC,GAAI,IACJC,MAAO,IACPC,SAAU,IACVC,WAAY,IACZC,OAAQ,IACRC,MAAO,IACPC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,WAAY,IACZC,KAAM,IACNC,SAAU,IACVC,IAAK,IACLC,IAAK,IACLC,KAAM,IACNC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,cAAe,IACfC,cAAe,IACfC,cAAe,IACfC,mBAAoB,IACpBC,mBAAoB,IACpBC,mBAAoB,IACpBC,WAAY,IACZC,eAAgB,IAChBC,eAAgB,IAChBC,eAAgB,IAChBC,cAAe,IACfC,eAAgB,IAChBC,MAAO,IACPC,KAAM,KACNC,KAAM,KACNC,OAAQ,IACRC,QAAS,IACTC,OAAQ,IACRC,OAAQ,IACRC,eAAgB,IAChBC,gBAAiB,IACjBC,IAAK,IACLC,QAAS,IACTC,KAAM,IACNC,KAAM,IACNC,OAAQ,IACRC,MAAO,IACPC,SAAU,IACVC,MAAO,IACPC,OAAQ,IACRC,IAAK,IACLC,MAAO,IACPC,OAAQ,IACRC,KAAM,IACNC,KAAM,KACNC,IAAK,IACLC,IAAK,IACLC,KAAM,IACNC,MAAO,IACPC,MAAO,IACPC,KAAM,IACNC,MAAO,IACPC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,GAAI,IACJC,GAAI,IACJh+B,GAAI,IACJi+B,KAAM,IACNC,MAAO,IACPC,MAAO,IACPC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,QAAS,IACTC,KAAM,IACNC,MAAO,IACPC,MAAO,IACPC,OAAQ,IACRC,SAAU,IACVC,QAAS,IACTC,UAAW,KACXC,KAAM,KACNC,KAAM,IACNC,KAAM,IACNC,KAAM,IACNC,QAAS,IACT/8G,IAAK,IACL3K,IAAK,IACL2nH,OAAQ,IACRC,WAAY,IACZC,WAAY,IACZC,SAAU,IACVC,OAAQ,IACRC,OAAQ,IACRC,IAAK,IACLC,IAAK,IACLC,MAAO,IACPC,MAAO,IACPC,cAAe,IACfC,YAAa,IACbC,UAAW,IACXC,IAAK,KACLC,IAAK,KACLC,IAAK,IACLC,MAAO,IACPC,IAAK,IACLC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,MAAO,IACPC,OAAQ,IACRC,OAAQ,IACRC,QAAS,IACTC,UAAW,IACXC,KAAM,IACNC,KAAM,IACNC,OAAQ,IACRC,OAAQ,IACRC,KAAM,KACNC,KAAM,KACNC,GAAI,IACJC,KAAM,IACNC,KAAM,KACNC,OAAQ,IACRC,GAAI,IACJC,GAAI,IACJC,SAAU,IACVC,MAAO,IACPC,MAAO,IACPC,OAAQ,IACRC,OAAQ,IACRC,KAAM,KACNC,IAAK,IACLC,KAAM,KACNC,MAAO,KACPC,MAAO,IACPC,QAAS,IACTC,MAAO,IACPC,QAAS,IACTC,SAAU,IACVC,KAAM,IACNC,MAAO,KACPC,OAAQ,KACRC,KAAM,IACNC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,MAAO,IACPC,SAAU,KACVC,KAAM,IACNC,IAAK,IACLC,IAAK,IACLC,MAAO,IACPC,GAAI,IACJC,OAAQ,IACRC,MAAO,IACPC,MAAO,IACPC,QAAS,IACTC,MAAO,KACPC,oBAAqB,IACrBC,mBAAoB,IACpBC,kBAAmB,IACnBC,sBAAuB,IACvBC,OAAQ,IACRC,OAAQ,IACRC,MAAO,KACPC,qBAAsB,IACtBC,eAAgB,IAChBC,QAAS,KACTC,OAAQ,IACRC,QAAS,IACTC,IAAK,KACLC,IAAK,KACLC,IAAK,KACLC,IAAK,IACLC,KAAM,IACNC,MAAO,KACPC,UAAW,KACXC,KAAM,KACNC,IAAK,KACLC,MAAO,IACPC,IAAK,KACLC,IAAK,IACLC,KAAM,IACNC,KAAM,KACNC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,GAAI,IACJC,IAAK,IACLC,KAAM,IACNC,IAAK,IACLC,KAAM,IACNC,KAAM,IACNC,MAAO,IACPC,MAAO,IACPC,KAAM,IACNC,IAAK,KACLC,IAAK,IACLC,WAAY,IACZC,WAAY,IACZC,gBAAiB,IACjBC,gBAAiB,IACjBC,KAAM,IACNC,MAAO,KACPC,UAAW,KACXC,KAAM,KACNC,MAAO,IACPC,IAAK,KACLC,MAAO,IACPC,IAAK,KACLC,IAAK,IACLC,MAAO,IACPC,OAAQ,IACRC,KAAM,KACNC,KAAM,IACNC,QAAS,IACTC,iBAAkB,IAClBC,KAAM,IACNC,KAAM,KACNC,IAAK,IACLC,IAAK,IACLC,aAAc,IACdC,UAAW,IACXC,qBAAsB,IACtBC,WAAY,IACZC,SAAU,IACVC,cAAe,KACfC,UAAW,IACXC,WAAY,IACZC,gBAAiB,IACjBC,oBAAqB,KACrBC,kBAAmB,KACnBC,eAAgB,IAChBC,qBAAsB,KACtBC,gBAAiB,IACjBC,gBAAiB,KACjBC,aAAc,KACdC,MAAO,IACPC,SAAU,KACVC,OAAQ,KACRC,QAAS,IACTC,QAAS,IACTC,QAAS,IACTC,gBAAiB,IACjBC,mBAAoB,KACpBC,qBAAsB,IACtBC,QAAS,IACTC,aAAc,IACdC,eAAgB,IAChBC,YAAa,KACbC,kBAAmB,KACnBC,aAAc,IACdC,wBAAyB,KACzBC,kBAAmB,KACnBC,MAAO,IACPC,QAAS,IACTC,QAAS,IACTC,QAAS,IACTC,YAAa,IACbC,iBAAkB,KAClBC,sBAAuB,IACvBC,kBAAmB,IACnBC,iBAAkB,IAClBC,oBAAqB,KACrBC,sBAAuB,IACvBC,gBAAiB,KACjBC,qBAAsB,IACtBC,kBAAmB,KACnBC,uBAAwB,IACxBC,UAAW,KACXC,eAAgB,IAChBC,YAAa,IACbC,iBAAkB,KAClBC,sBAAuB,IACvBC,iBAAkB,KAClBC,YAAa,KACbC,iBAAkB,IAClBC,SAAU,IACVC,cAAe,IACfC,kBAAmB,IACnBC,cAAe,IACfC,eAAgB,IAChBC,KAAM,IACNC,UAAW,IACXC,OAAQ,KACRC,MAAO,KACPC,QAAS,IACTC,IAAK,IACLC,OAAQ,IACRC,KAAM,KACNC,MAAO,IACPC,QAAS,KACTC,MAAO,IACPC,MAAO,IACPC,OAAQ,KACRC,OAAQ,KACRC,YAAa,IACbC,YAAa,IACbC,MAAO,IACPC,OAAQ,IACRC,IAAK,IACLC,OAAQ,IACRC,KAAM,KACNC,KAAM,KACNC,KAAM,KACNC,UAAW,IACXC,eAAgB,IAChBC,KAAM,IACNC,MAAO,IACPC,OAAQ,IACRC,MAAO,IACPC,MAAO,IACPC,QAAS,IACTC,QAAS,IACTC,KAAM,IACNC,MAAO,KACPC,MAAO,IACPC,QAAS,KACTC,UAAW,IACXC,WAAY,KACZC,MAAO,IACPC,QAAS,KACTC,KAAM,IACNC,MAAO,KACPC,MAAO,IACPC,QAAS,KACTC,UAAW,IACXC,WAAY,KACZC,KAAM,IACNC,OAAQ,IACRC,OAAQ,IACRC,KAAM,IACNC,cAAe,IACfC,gBAAiB,IACjBC,eAAgB,IAChBC,iBAAkB,IAClBC,GAAI,IACJC,GAAI,IACJlkH,IAAK,IACLmkH,OAAQ,IACRC,MAAO,IACPC,KAAM,KACNC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,KAAM,KACNC,KAAM,KACNC,OAAQ,IACRC,QAAS,IACTC,OAAQ,IACRC,KAAM,KACNC,KAAM,KACNC,QAAS,KACTC,OAAQ,IACRC,QAAS,KACTC,MAAO,KACPC,OAAQ,IACRC,MAAO,IACPC,MAAO,IACPC,QAAS,IACTC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,KAAM,IACNC,KAAM,IACNC,MAAO,IACPC,MAAO,IACPC,IAAK,IACLC,IAAK,IACLC,MAAO,IACPC,OAAQ,IACRC,OAAQ,IACRC,KAAM,IACNC,KAAM,IACNC,OAAQ,IACRC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,IAAK,KACLC,IAAK,KACLC,KAAM,IACNC,OAAQ,IACRC,OAAQ,IACRC,IAAK,IACLC,MAAO,IACPC,IAAK,IACLC,KAAM,IACNC,MAAO,IACPC,MAAO,IACPC,QAAS,IACTC,MAAO,IACPC,IAAK,IACLC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,QAAS,IACTC,QAAS,IACTC,KAAM,IACNC,OAAQ,IACRC,KAAM,KACNC,KAAM,KACNC,KAAM,IACNC,qBAAsB,IACtBC,eAAgB,IAChBC,MAAO,IACPC,MAAO,IACPC,GAAI,IACJC,GAAI,IACJC,MAAO,IACPC,IAAK,IACLC,MAAO,IACPC,QAAS,IACTC,KAAM,IACNC,KAAM,IACNC,OAAQ,IACRC,KAAM,IACNC,QAAS,IACTC,IAAK,IACLC,GAAI,IACJC,KAAM,KACNC,KAAM,IACNC,OAAQ,IACRC,OAAQ,IACRC,KAAM,IACNC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,SAAU,IACVC,KAAM,IACNC,KAAM,IACNC,MAAO,IACPC,QAAS,IACTC,UAAW,IACXC,YAAa,IACbC,gBAAiB,IACjBC,IAAK,IACLC,KAAM,IACNC,SAAU,IACVC,OAAQ,IACRC,MAAO,IACPhlF,KAAM,IACNilF,SAAU,IACVC,IAAK,IACLC,IAAK,IACLC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,KAAM,IACNC,QAAS,IACTC,IAAK,KACLC,IAAK,KACLC,IAAK,IACLC,IAAK,IACLC,KAAM,IACNC,OAAQ,IACRC,MAAO,IACPC,GAAI,IACJC,GAAI,IACJC,UAAW,IACXC,IAAK,IACLC,OAAQ,IACRC,QAAS,IACTC,OAAQ,IACRC,KAAM,IACNC,SAAU,IACVC,MAAO,IACPC,QAAS,IACTC,OAAQ,IACRC,OAAQ,IACRC,MAAO,IACPC,UAAW,IACXC,OAAQ,IACRC,QAAS,IACTC,QAAS,IACTC,GAAI,IACJC,cAAe,IACfC,SAAU,IACVC,KAAM,IACNC,KAAM,KACNC,MAAO,IACPC,GAAI,IACJC,GAAI,IACJC,KAAM,IACNC,MAAO,IACPC,IAAK,IACL5+C,IAAK,IACL6+C,KAAM,IACNC,WAAY,IACZC,YAAa,IACbC,SAAU,IACVC,cAAe,IACfC,mBAAoB,IACpBC,cAAe,IACfC,OAAQ,IACRC,YAAa,IACbC,SAAU,IACVC,SAAU,IACVC,QAAS,IACTC,MAAO,IACPC,MAAO,IACPC,OAAQ,IACRC,MAAO,IACPC,KAAM,IACNC,OAAQ,IACRC,KAAM,IACNC,QAAS,IACTC,SAAU,IACVC,SAAU,IACVC,SAAU,IACV5/H,KAAM,IACN6/H,WAAY,IACZC,aAAc,IACdC,OAAQ,IACRC,MAAO,IACPC,OAAQ,IACRC,KAAM,KACNC,KAAM,KACNC,IAAK,IACLC,IAAK,IACLC,OAAQ,IACRC,IAAK,KACLC,IAAK,KACLC,KAAM,IACNC,KAAM,IACNC,KAAM,KACNC,OAAQ,IACRC,KAAM,KACNC,KAAM,KACNC,YAAa,IACbC,QAAS,IACTC,MAAO,IACPC,QAAS,IACTC,KAAM,IACNh7C,KAAM,IACNi7C,MAAO,IACPC,KAAM,KACNC,OAAQ,IACRC,OAAQ,IACRC,MAAO,IACPC,SAAU,IACVC,KAAM,IACNC,KAAM,IACNC,MAAO,IACPC,MAAO,IACPC,OAAQ,IACRC,MAAO,IACPC,KAAM,IACNC,KAAM,IACNC,KAAM,IACNC,OAAQ,IACRC,MAAO,IACPC,QAAS,IACTC,MAAO,IACPC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,QAAS,IACTC,OAAQ,IACRC,OAAQ,IACRC,MAAO,IACPC,OAAQ,IACRC,OAAQ,IACR9qE,MAAO,IACP+qE,UAAW,IACXC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,OAAQ,IACRC,OAAQ,IACRC,MAAO,IACPC,QAAS,IACTC,QAAS,IACTC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,MAAO,IACPC,KAAM,IACNC,IAAK,IACLC,IAAK,IACLC,KAAM,IACNC,QAAS,IACTC,MAAO,IACPC,OAAQ,IACRC,KAAM,IACNC,GAAI,IACJC,KAAM,IACNC,QAAS,IACTC,SAAU,IACVC,MAAO,IACPvoI,KAAM,IACNwoI,IAAK,IACLC,IAAK,IACLC,eAAgB,IAChBC,mBAAoB,IACpBC,qBAAsB,IACtBC,OAAQ,IACRC,OAAQ,IACRC,IAAK,IACLC,IAAK,KACLC,KAAM,IACNC,MAAO,IACPC,MAAO,IACPC,OAAQ,IACRC,IAAK,IACLC,IAAK,IACLC,KAAM,IACNC,kBAAmB,IACnBC,WAAY,IACZC,WAAY,IACZC,WAAY,IACZC,cAAe,IACfC,oBAAqB,IACrBC,eAAgB,IAChBC,aAAc,IACdC,mBAAoB,IACpBC,mBAAoB,IACpBC,gBAAiB,IACjBC,mBAAoB,IACpBC,WAAY,IACZC,iBAAkB,IAClBC,eAAgB,IAChBC,gBAAiB,IACjBC,kBAAmB,IACnBC,iBAAkB,IAClBC,gBAAiB,IACjBC,SAAU,IACVC,cAAe,IACfC,eAAgB,IAChBC,gBAAiB,IACjBC,cAAe,IACfC,iBAAkB,IAClBC,mBAAoB,IACpBC,kBAAmB,IACnBC,iBAAkB,IAClBC,cAAe,IACfC,iBAAkB,IAClBC,YAAa,IACbC,eAAgB,IAChBC,KAAM,IACNC,aAAc,IACdC,MAAO,IACPC,MAAO,IACPC,IAAK,IACLC,OAAQ,IACRC,WAAY,IACZC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,KAAM,IACNC,KAAM,KACNC,OAAQ,IACRC,QAAS,IACTC,aAAc,IACdC,KAAM,IACNC,OAAQ,IACRC,SAAU,IACVC,MAAO,IACPC,YAAa,IACbC,OAAQ,IACRC,KAAM,IACNC,KAAM,KACNC,IAAK,IACLC,IAAK,IACLC,KAAM,IACNC,MAAO,IACPC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,KAAM,IACNC,MAAO,IACPC,MAAO,IACPC,SAAU,IACVC,YAAa,IACbC,QAAS,IACTC,GAAI,IACJC,OAAQ,IACRC,OAAQ,IACRC,MAAO,IACPC,GAAI,IACJC,GAAI,IACJC,KAAM,IACNC,OAAQ,IACRC,OAAQ,IACRC,MAAO,IACPC,IAAK,IACLC,IAAK,IACLC,OAAQ,IACRC,OAAQ,IACRC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,KAAM,IACNC,OAAQ,IACRC,SAAU,IACVC,MAAO,IACPC,IAAK,IACLC,IAAK,IACLC,KAAM,IACNC,MAAO,IACPC,MAAO,IACPC,OAAQ,IACRC,MAAO,IACPC,MAAO,IACPC,QAAS,IACTC,KAAM,IACNC,KAAM,IACNC,OAAQ,IACRC,SAAU,IACVC,MAAO,IACPC,KAAM,IACNC,IAAK,KACLC,IAAK,KACLC,OAAQ,IACRC,MAAO,IACPC,OAAQ,IACRC,OAAQ,IACRC,KAAM,IACNC,KAAM,IACNC,eAAgB,IAChBC,eAAgB,IAChBC,SAAU,IACVC,cAAe,IACfC,gBAAiB,IACjBC,aAAc,IACdC,IAAK,IACLC,MAAO,IACPC,MAAO,IACPC,OAAQ,IACRC,OAAQ,IACRC,IAAK,IACLC,OAAQ,IACRC,KAAM,IACNC,MAAO,IACPC,KAAM,IACNC,MAAO,IACPC,KAAM,IACNC,MAAO,IACPC,MAAO,IACPC,QAAS,IACTC,QAAS,IACTC,MAAO,IACPC,YAAa,IACbC,cAAe,IACfC,OAAQ,IACRC,SAAU,IACVC,KAAM,IACNC,MAAO,IACPC,IAAK,IACLC,KAAM,IACNC,MAAO,KACPC,OAAQ,IACRC,OAAQ,IACRC,IAAK,IACLC,KAAM,IACNC,OAAQ,IACRC,KAAM,KACNC,KAAM,KACNC,OAAQ,IACRC,UAAW,IACXC,KAAM,IACNC,MAAO,IACPC,OAAQ,KACRC,MAAO,IACPC,OAAQ,KACRC,KAAM,IACNC,MAAO,IACPC,OAAQ,IACRC,SAAU,IACVC,WAAY,IACZC,MAAO,IACPC,OAAQ,IACRC,SAAU,IACVC,WAAY,IACZC,IAAK,IACLC,OAAQ,IACRC,OAAQ,IACRC,mBAAoB,IACpBC,aAAc,IACdC,kBAAmB,IACnBC,eAAgB,IAChBC,oBAAqB,IACrBC,YAAa,IACbC,OAAQ,IACRC,KAAM,IACNC,MAAO,IACPC,KAAM,KACNC,KAAM,KACNC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,KAAM,IACNC,KAAM,IACNC,MAAO,IACPC,gBAAiB,IACjBC,YAAa,IACbC,MAAO,IACPC,IAAK,IACLnwD,IAAK,IACLowD,OAAQ,IACRC,KAAM,IACNC,KAAM,IACNC,QAAS,IACTC,QAAS,IACTC,MAAO,IACPC,MAAO,IACPC,QAAS,IACTC,QAAS,IACTC,OAAQ,IACRC,OAAQ,IACRC,SAAU,IACVC,UAAW,IACXC,YAAa,IACbC,UAAW,IACXC,WAAY,IACZC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,KAAM,IACNC,WAAY,IACZC,YAAa,IACbC,SAAU,IACVC,cAAe,IACfC,mBAAoB,IACpBC,cAAe,IACfC,OAAQ,IACRC,YAAa,IACbC,SAAU,IACVC,SAAU,IACVC,QAAS,IACTC,SAAU,IACVC,IAAK,IACLC,IAAK,IACLC,KAAM,IACNC,IAAK,IACLC,IAAK,IACLC,KAAM,IACNC,KAAM,IACNC,KAAM,IACNC,OAAQ,IACRC,QAAS,IACTC,KAAM,IACNC,KAAM,IACNC,QAAS,IACTC,SAAU,IACVC,cAAe,IACfC,QAAS,IACTC,QAAS,IACTC,QAAS,IACTC,QAAS,IACTC,MAAO,IACPC,MAAO,IACPC,QAAS,IACTC,OAAQ,IACRC,OAAQ,IACRC,SAAU,IACVC,UAAW,IACXC,UAAW,IACXC,WAAY,IACZC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,MAAO,IACPC,MAAO,IACPC,QAAS,IACTC,OAAQ,IACRC,MAAO,IACPC,IAAK,KACL33I,OAAQ,IACR43I,IAAK,IACLC,IAAK,IACLC,KAAM,IACNC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,IAAK,IACLC,IAAK,IACLC,KAAM,IACNC,OAAQ,IACRC,IAAK,KACLC,IAAK,KACLC,OAAQ,IACRC,UAAW,IACXC,UAAW,IACXC,MAAO,IACPC,MAAO,IACPC,SAAU,IACVC,OAAQ,IACRC,YAAa,IACbC,SAAU,IACVC,WAAY,KACZC,OAAQ,IACRC,UAAW,IACXC,MAAO,IACPC,OAAQ,IACRC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,WAAY,IACZC,eAAgB,IAChBC,WAAY,IACZC,MAAO,IACPC,OAAQ,IACRC,SAAU,IACVC,OAAQ,IACRC,KAAM,IACNC,KAAM,IACN97I,IAAK,IACL+7I,OAAQ,IACRC,OAAQ,IACRC,KAAM,KACNC,KAAM,KACNC,QAAS,IACTC,KAAM,IACNC,OAAQ,IACRC,MAAO,IACPC,MAAO,IACPC,SAAU,IACVC,aAAc,IACdC,aAAc,IACdC,eAAgB,IAChBC,UAAW,IACXC,cAAe,IACfC,gBAAiB,IACjBC,OAAQ,IACRC,KAAM,IACNC,SAAU,IACVC,UAAW,IACXC,QAAS,IACTC,MAAO,IACPC,QAAS,IACTC,SAAU,IACVC,KAAM,KACNC,KAAM,KACNC,KAAM,IACNC,KAAM,IACNC,MAAO,IACPC,MAAO,IACPC,OAAQ,IACRC,OAAQ,IACRC,MAAO,IACPC,iBAAkB,IAClBC,kBAAmB,IACnBC,OAAQ,IACRC,OAAQ,IACRC,KAAM,IACNC,KAAM,IACNC,KAAM,IACNC,SAAU,IACVC,MAAO,IACPC,MAAO,IACPC,OAAQ,IACRC,OAAQ,IACRC,MAAO,IACPC,MAAO,IACPC,IAAK,IACLC,IAAK,IACLC,MAAO,IACPC,OAAQ,IACRC,OAAQ,IACRC,MAAO,IACPC,OAAQ,IACRC,IAAK,KACLC,IAAK,KACLC,OAAQ,IACRC,OAAQ,IACRC,KAAM,IACNC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,OAAQ,IACRC,SAAU,IACVC,OAAQ,IACRC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,IAAK,IACLC,SAAU,IACVC,WAAY,IACZC,aAAc,IACdC,iBAAkB,IAClBC,MAAO,IACPC,UAAW,IACXC,MAAO,IACPC,MAAO,IACPC,KAAM,KACNC,KAAM,KACNC,QAAS,IACTC,QAAS,IACTC,QAAS,IACTC,WAAY,IACZC,iBAAkB,IAClBC,YAAa,IACbC,YAAa,IACbC,YAAa,IACbC,cAAe,IACfC,cAAe,IACfC,eAAgB,IAChBC,MAAO,IACPC,eAAgB,IAChBC,gBAAiB,IACjBC,KAAM,IACNC,KAAM,IACNC,MAAO,IACPC,QAAS,IACTC,QAAS,IACTC,MAAO,IACPC,WAAY,IACZC,WAAY,IACZC,OAAQ,IACRC,SAAU,IACVC,OAAQ,IACRC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,KAAM,KACNC,KAAM,KACNC,MAAO,IACPC,OAAQ,IACRC,OAAQ,IACRC,KAAM,IACNC,MAAO,IACPC,MAAO,IACPC,KAAM,IACNC,KAAM,IACNC,QAAS,IACTC,OAAQ,IACRC,WAAY,IACZC,SAAU,IACVC,WAAY,IACZC,OAAQ,IACRC,MAAO,IACPC,UAAW,IACXC,KAAM,IACNC,KAAM,IACNC,OAAQ,IACRC,SAAU,IACVC,aAAc,KACdC,cAAe,KACfC,aAAc,KACdC,cAAe,KACfC,SAAU,IACVC,gBAAiB,IACjBC,iBAAkB,IAClBC,KAAM,IACNC,KAAM,IACNC,MAAO,IACPC,IAAK,IACLC,IAAK,IACLC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,MAAO,IACPC,OAAQ,IACRC,IAAK,IACLC,IAAK,IACLC,OAAQ,IACRC,MAAO,IACPC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,KAAM,IACNC,KAAM,IACNC,YAAa,IACbC,aAAc,IACdC,kBAAmB,IACnBC,cAAe,IACfC,cAAe,IACfC,IAAK,KACLC,IAAK,KACLC,MAAO,IACPC,MAAO,KACPC,MAAO,KACPC,KAAM,KACNC,KAAM,KACNC,MAAO,IACPC,MAAO,IACPC,KAAM,KACNC,KAAM,KACNC,OAAQ,KACRC,OAAQ,KACRC,OAAQ,KACRC,OAAQ,KACRC,OAAQ,IACRC,QAAS,IACTC,MAAO,IACPC,MAAO,IACPC,OAAQ,IACRC,MAAO,IACPC,MAAO,IACPC,OAAQ,IACRC,OAAQ,IACRC,IAAK,KACLC,IAAK,KACLC,KAAM,KACNC,KAAM,KACNC,GAAI,IACJC,GAAI,IACJC,OAAQ,IACRC,KAAM,KACNC,KAAM,KACNC,KAAM,IACNC,MAAO,IACPC,KAAM,IACNC,MAAO,IACPC,IAAK,KACLC,IAAK,KACLC,MAAO,IACPC,MAAO,IACPC,GAAI,IACJC,GAAI,IACJC,MAAO,IACPC,MAAO,IACPC,KAAM,IACNC,KAAM,IACNC,MAAO,IACPC,KAAM,KACNC,KAAM,KACNC,OAAQ,IACRC,OAAQ,IACRC,MAAO,IACPC,MAAO,IACPC,KAAM,KACNC,KAAM,KACNC,OAAQ,IACRC,OAAQ,IACRC,MAAO,IACPC,KAAM,IACNC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,KAAM,IACNC,KAAM,IACNC,MAAO,IACPC,MAAO,IACPC,IAAK,IACLC,IAAK,IACLC,IAAK,IACLC,IAAK,KACLC,IAAK,KACLC,KAAM,IACNC,KAAM,IACNC,KAAM,KACNC,KAAM,KACNC,KAAM,KACNC,KAAM,KACNC,KAAM,IACNC,KAAM,IACNC,KAAM,IACNC,KAAM,IACNC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,OAAQ,IACRC,IAAK,IACLC,IAAK,IACLC,KAAM,IACNC,KAAM,IACNC,OAAQ,IACRC,eAAgB,IAChBC,KAAM,IACNC,KAAM,IACNC,IAAK,IACLC,IAAK,KACLC,KAAM,IACNC,KAAM,IACNC,QAAS,IACTC,KAAM,IACNC,KAAM,KACNC,KAAM,KACNC,KAAM,KACNC,IAAK,IACLC,KAAM,MAORz7J,QAAQ07J,UAAY17J,QAAQy4F,iBAE9BP,SAASC,aACTD,SAASO,cACTP,SAASwjE,cAELC,YAAc5vE,YAAYE,UAK1B2vE,cAAgB,mJAChBC,SAAW,IAAIz5J,OAAO,aAAew5J,cAAc51J,OAAOhF,MAAM,GAAI,GAAK,0CACzE86J,eAAiB,IAAI15J,OAAO,IAAMw5J,cAAc51J,OAAS61J,SAAS71J,OAAS,QAAW41J,cAAc51J,OAAS61J,SAAS71J,OAAS,iBAsB1H+1J,aAAa3xI,QAAS4xI,cACxB5xI,QAAUA,aACV4xI,QAAUA,QACX33J,MAAMiqF,mBAAmBjqF,MAAMiqF,kBAAkB/tF,KAAMw7J,uBAIpDE,wBA6KAC,YAAYn5H,EAAGvqB,UACtBA,EAAE2jJ,WAAap5H,EAAEo5H,WACjB3jJ,EAAE4jJ,aAAer5H,EAAEq5H,aACZ5jJ,WAOA6jJ,sBAAsBr2J,OAAQwiB,MAAOpd,GAAIkxJ,aAAcC,eAAgBzrF,uBAMrE0rF,aAAaC,MAAOh3J,MAAOi3J,YAC9BtxJ,GAAGuxJ,eAAev4J,eAAeq4J,QACnC3rF,aAAa8rF,WAAW,aAAeH,MAAQ,cAEjDrxJ,GAAGyxJ,SAASJ,MAKZh3J,MAAM8X,QAAQ,YAAa,KAAKA,QAAQ,WAAYg/I,gBAAiBG,oBAEnEhxJ,SAEAi/B,IAAMniB,MACNS,EAlOM,IAmOG,KACPzK,EAAIxY,OAAOm/D,OAAOx6B,UACdnsB,OACD,OArOE,IAsODyK,EAEFvd,SAAW1F,OAAOhF,MAAMwnB,MAAOmiB,GAC/B1hB,EAvOC,MAwOI,CAAA,GAzOI,IAyOAA,QAIH,IAAI5kB,MAAM,uCAHhB4kB,EAzOC,YA+OA,QACA,OAhPA,IAiPCA,GAnPC,IAmPaA,EAChB,IApPG,IAsPCA,IACF6nD,aAAagsF,QAAQ,kCACrBpxJ,SAAW1F,OAAOhF,MAAMwnB,MAAOmiB,IAEjCniB,MAAQmiB,EAAI,KACZA,EAAI3kC,OAAOjF,QAAQyd,EAAGgK,QACd,SAMA,IAAInkB,MAAM,2BAA8Bma,EAAI,WAJlDg+I,aAAa9wJ,SADbjG,MAAQO,OAAOhF,MAAMwnB,MAAOmiB,GACEniB,MAAQ,GACtCS,EA3PK,MAgQF,CAAA,GAjQW,GAiQPA,QAQH,IAAI5kB,MAAM,kCANhBm4J,aAAa9wJ,SADbjG,MAAQO,OAAOhF,MAAMwnB,MAAOmiB,GACEniB,OAC9BsoD,aAAagsF,QAAQ,cAAgBpxJ,SAAW,uBAAyB8S,EAAI,OAC7EgK,MAAQmiB,EAAI,EACZ1hB,EArQO,YA2QN,WACKA,QAjRJ,EAmRA7d,GAAG2xJ,WAAW/2J,OAAOhF,MAAMwnB,MAAOmiB,SA9Q7B,OACC,OACA,EAgRN1hB,EAhRM,EAiRN7d,GAAG4xJ,QAAS,OApRE,OAHb,aACM,EA2RP5xJ,GAAG4xJ,QAAS,sBAIN,IAAI34J,MAAM,+CAIjB,UAEHysE,aAAa5sE,MAAM,2BAvSf,GAwSA+kB,GACF7d,GAAG2xJ,WAAW/2J,OAAOhF,MAAMwnB,MAAOmiB,IAE7BA,MACJ,WACK1hB,QA7SJ,EA+SA7d,GAAG2xJ,WAAW/2J,OAAOhF,MAAMwnB,MAAOmiB,SA1S7B,OACC,OACA,aAHQ,OAHb,EAuTuB,OADxBllC,MAAQO,OAAOhF,MAAMwnB,MAAOmiB,IAClB3pC,OAAO,KACfoK,GAAG4xJ,QAAS,EACZv3J,MAAQA,MAAMzE,MAAM,GAAI,SAxTnB,EAAA,IA2THioB,IACFxjB,MAAQiG,UA1TI,GA4TVud,GACF6nD,aAAagsF,QAAQ,cAAgBr3J,MAAQ,qBAC7C+2J,aAAa9wJ,SAAUjG,MAAO+iB,SAEzBmzI,YAAYrwE,OAAOgxE,aAAa,MAAS72J,MAAMgE,MAAM,qCACxDqnE,aAAagsF,QAAQ,cAAgBr3J,MAAQ,qBAAuBA,MAAQ,eAE9E+2J,aAAa/2J,MAAOA,MAAO+iB,mBApU9B,QAwUO,IAAInkB,MAAM,mCAGbsmC,MAEJ,IACHnsB,EAAI,eAEAA,GAAK,WAECyK,QArVN,EAuVE7d,GAAG2xJ,WAAW/2J,OAAOhF,MAAMwnB,MAAOmiB,IAClC1hB,EAlVI,aALL,EA0VCvd,SAAW1F,OAAOhF,MAAMwnB,MAAOmiB,GAC/B1hB,EA1VK,aAEO,MA2VRxjB,MAAQO,OAAOhF,MAAMwnB,MAAOmiB,GAChCmmC,aAAagsF,QAAQ,cAAgBr3J,MAAQ,sBAC7C+2J,aAAa9wJ,SAAUjG,MAAO+iB,YA5V3B,EA8VHS,EA7VI,cA0WAA,QA9WC,EAmXL7d,GAAGJ,QACE2wJ,YAAYrwE,OAAOgxE,aAAa,MAAS5wJ,SAASjC,MAAM,qCAC3DqnE,aAAagsF,QAAQ,cAAgBpxJ,SAAW,qBAAuBA,SAAW,gBAEpF8wJ,aAAa9wJ,SAAUA,SAAU8c,OACjCA,MAAQmiB,EACR1hB,EA1XD,aAII,EAyXH6nD,aAAagsF,QAAQ,+BAAiCpxJ,SAAW,YAxX7D,EA0XJud,EA/XD,EAgYCT,MAAQmiB,aA9XX,EAiYG1hB,EAhYY,EAiYZT,MAAQmiB,aA9XJ,QAiYE,IAAItmC,MAAM,+DAK1BsmC,cAMKsyH,gBAAgB7xJ,GAAI8xJ,WAAYZ,sBACnCtxJ,QAAUI,GAAGJ,QACbmyJ,WAAa,KAEb57J,EAAI6J,GAAG5J,OACJD,KAAK,KACN0jC,EAAI75B,GAAG7J,GACP67J,MAAQn4H,EAAEm4H,MACV33J,MAAQw/B,EAAEx/B,UACV43J,IAAMD,MAAMr8J,QAAQ,MACd,MACJ4uF,OAAS1qD,EAAE0qD,OAASytE,MAAMp8J,MAAM,EAAGq8J,KACnC/2H,UAAY82H,MAAMp8J,MAAMq8J,IAAM,GAC9BC,SAAsB,UAAX3tE,QAAsBrpD,eAErCA,UAAY82H,MACZztE,OAAS,KACT2tE,SAAqB,UAAVF,OAAqB,GAGlCn4H,EAAEqB,UAAYA,WAEG,IAAbg3H,WAEgB,MAAdH,aACFA,WAAa,GAEbI,MAAMjB,aAAcA,aAAe,KAGrCA,aAAagB,UAAYH,WAAWG,UAAY73J,MAChDw/B,EAAEhL,IAAM0hI,YAAY7vE,MACpBoxE,WAAWM,mBAAmBF,SAAU73J,YAGxClE,EAAI6J,GAAG5J,OACJD,KAAK,EAENouF,QADJ1qD,EAAI75B,GAAG7J,IACQouF,UAGE,QAAXA,SACF1qD,EAAEhL,IAAM0hI,YAAY9vE,KAEP,UAAX8D,SACF1qD,EAAEhL,IAAMqiI,aAAa3sE,QAAU,UAMjC0tE,KAAAA,IAAMryJ,QAAQjK,QAAQ,MAChB,GACR4uF,OAASvkF,GAAGukF,OAAS3kF,QAAQhK,MAAM,EAAGq8J,KACtC/2H,UAAYl7B,GAAGk7B,UAAYt7B,QAAQhK,MAAMq8J,IAAM,KAE/C1tE,OAAS,KACTrpD,UAAYl7B,GAAGk7B,UAAYt7B,aAGzBooF,GAAKhoF,GAAG6uB,IAAMqiI,aAAa3sE,QAAU,OACzCutE,WAAWO,aAAarqE,GAAI9sD,UAAWt7B,QAASI,KAG5CA,GAAG4xJ,cAUL5xJ,GAAGkxJ,aAAeA,aAClBlxJ,GAAG+xJ,WAAaA,YAET,KAZPD,WAAWQ,WAAWtqE,GAAI9sD,UAAWt7B,SACjCmyJ,eACGxtE,UAAUwtE,WACTt4J,OAAOC,UAAUV,eAAeuB,KAAKw3J,WAAYxtE,SACnDutE,WAAWS,iBAAiBhuE,iBAW7BiuE,wBAAwB53J,OAAQ63J,WAAY7yJ,QAASuxJ,eAAgBW,eACxE,yBAAyBt6J,KAAKoI,SAAU,KACtC8yJ,WAAa93J,OAAOjF,QAAQ,KAAOiK,QAAU,IAAK6yJ,YAClDhyJ,KAAO7F,OAAO21C,UAAUkiH,WAAa,EAAGC,eACxC,OAAOl7J,KAAKiJ,YACV,YAAYjJ,KAAKoI,UAGnBkyJ,WAAWa,WAAWlyJ,KAAM,EAAGA,KAAKrK,QAE7Bs8J,aAGTjyJ,KAAOA,KAAK0R,QAAQ,WAAYg/I,gBAChCW,WAAWa,WAAWlyJ,KAAM,EAAGA,KAAKrK,QAC7Bs8J,mBAIJD,WAAa,WAEbG,cAAch4J,OAAQ63J,WAAY7yJ,QAASizJ,cAE9CzxH,IAAMyxH,SAASjzJ,gBACR,MAAPwhC,OAEFA,IAAMxmC,OAAOk4J,YAAY,KAAOlzJ,QAAU,MAChC6yJ,aAERrxH,IAAMxmC,OAAOk4J,YAAY,KAAOlzJ,UAElCizJ,SAASjzJ,SAAWwhC,KAEfA,IAAMqxH,oBAGNN,MAAMv3J,OAAQ6K,YAChB,IAAIqH,KAAKlS,OACRnB,OAAOC,UAAUV,eAAeuB,KAAKK,OAAQkS,KAC/CrH,OAAOqH,GAAKlS,OAAOkS,aAIhBimJ,SAASn4J,OAAQwiB,MAAO00I,WAAYpsF,iBAIpC,MAFI9qE,OAAOm/D,OAAO38C,MAAQ,SAGI,MAA7BxiB,OAAOm/D,OAAO38C,MAAQ,IACpBC,IAAMziB,OAAOjF,QAAQ,SAAOynB,MAAQ,IAE9BA,OACR00I,WAAWx2E,QAAQ1gF,OAAQwiB,MAAQ,EAAGC,IAAMD,MAAQ,GAC7CC,IAAM,IAEbqoD,aAAa5sE,MAAM,qBACX,IAIF,KAGyB,UAA/B8B,OAAO89B,OAAOtb,MAAQ,EAAG,GAAgB,KACvCC,IAAMziB,OAAOjF,QAAQ,MAAOynB,MAAQ,UACxC00I,WAAWkB,aACXlB,WAAWa,WAAW/3J,OAAQwiB,MAAQ,EAAGC,IAAMD,MAAQ,GACvD00I,WAAWmB,WACJ51I,IAAM,MAIX61I,gBAqFKt4J,OAAQwiB,WACjB/e,MACAqpF,IAAM,GACNqkD,IAAM,6CACVA,IAAIrnD,UAAYtnE,MAChB2uH,IAAIttI,KAAK7D,aACFyD,MAAQ0tI,IAAIttI,KAAK7D,YACtB8sF,IAAItwF,KAAKiH,OACLA,MAAM,GAAI,OAAOqpF,IA7FN/lF,CAAM/G,OAAQwiB,OACvB0M,IAAMopI,OAAO98J,UACb0zB,IAAM,GAAK,YAAYtyB,KAAK07J,OAAO,GAAG,IAAK,KACzC18J,KAAO08J,OAAO,GAAG,GACjB3qE,OAAQ,EACRE,OAAQ,EACR3+D,IAAM,IACJ,YAAYtyB,KAAK07J,OAAO,GAAG,KAC7B3qE,MAAQ2qE,OAAO,GAAG,GAClBzqE,MAAQ3+D,IAAM,GAAKopI,OAAO,GAAG,IACpB,YAAY17J,KAAK07J,OAAO,GAAG,MACpCzqE,MAAQyqE,OAAO,GAAG,SAGlBC,UAAYD,OAAOppI,IAAM,UAC7BgoI,WAAWsB,SAAS58J,KAAM+xF,MAAOE,OACjCqpE,WAAWuB,SACJF,UAAUz9J,MAAQy9J,UAAU,GAAG/8J,cAGpC,WAEDk9J,iBAAiB14J,OAAQwiB,MAAO00I,gBACnCz0I,IAAMziB,OAAOjF,QAAQ,KAAMynB,UAC3BC,IAAK,KACHhf,MAAQzD,OAAO21C,UAAUnzB,MAAOC,KAAKhf,MAAM,qCAC3CA,OACFA,MAAM,GAAGjI,OACT07J,WAAWyB,sBAAsBl1J,MAAM,GAAIA,MAAM,IAC1Cgf,IAAM,IAGL,SAGJ,WAEDm2I,yBACFjC,eAAiB,GA5jBxBZ,aAAaj3J,UAAY,IAAIT,MAC7B03J,aAAaj3J,UAAUlD,KAAOm6J,aAAan6J,KAE3Cq6J,YAAYn3J,UAAY,CACtBm2B,MAAO,SAAUj1B,OAAQ64J,aAAcnD,eACjCwB,WAAa38J,KAAK28J,WACtBA,WAAW4B,gBACXvB,MAAMsB,aAAcA,aAAe,aAKtB74J,OAAQ+4J,iBAAkBrD,UAAWwB,WAAYpsF,uBACvDkuF,kBAAkBl/I,SAGrBA,KAAO,MAAQ,KAEbm/I,WAAa,QADjBn/I,MAAQ,QAC2B,IACjCo/I,WAAa,OAAiB,KAAPp/I,aAClByZ,OAAOC,aAAaylI,WAAYC,mBAEhC3lI,OAAOC,aAAa1Z,eAGtBy8I,eAAet3H,OAClBt2B,EAAIs2B,EAAEjkC,MAAM,GAAI,UAChB6D,OAAOT,eAAeuB,KAAK+1J,UAAW/sJ,GACjC+sJ,UAAU/sJ,GACQ,MAAhBA,EAAEw2D,OAAO,GACX65F,kBAAkBt7I,SAAS/U,EAAEm1B,OAAO,GAAGvmB,QAAQ,IAAK,SAE3DuzD,aAAa5sE,MAAM,oBAAsB+gC,GAClCA,YAGFk6H,WAAW12I,QAEdA,IAAMD,MAAO,KACX42I,GAAKp5J,OAAO21C,UAAUnzB,MAAOC,KAAKlL,QAAQ,WAAYg/I,gBAC1DP,SAAWrrJ,SAAS6X,OACpB00I,WAAWa,WAAWqB,GAAI,EAAG32I,IAAMD,OACnCA,MAAQC,cAGH9X,SAASg6B,EAAG1yB,QACZ0yB,GAAK00H,UAAYpnJ,EAAIqnJ,YAAYz1J,KAAK7D,UAC3Cu5J,UAAYtnJ,EAAEnX,MACdu+J,QAAUE,UAAYtnJ,EAAE,GAAGzW,OAC3Bw6J,QAAQG,aAGVH,QAAQI,aAAezxH,EAAI40H,UAAY,MAErCA,UAAY,EACZF,QAAU,EACVC,YAAc,sBACdtD,QAAUkB,WAAWlB,QACrBwD,WAAa,CAAC,CAChBlD,aAAcyC,mBAEZd,SAAW,GACXz1I,MAAQ,SACC,SAELi3I,SAAWz5J,OAAOjF,QAAQ,IAAKynB,UAC/Bi3I,SAAW,EAAG,KACXz5J,OAAO89B,OAAOtb,OAAO/e,MAAM,SAAU,KACpCyN,IAAMgmJ,WAAWhmJ,IACjBrL,KAAOqL,IAAIrF,eAAe7L,OAAO89B,OAAOtb,QAC5CtR,IAAI/K,YAAYN,MAChBqxJ,WAAWwC,eAAiB7zJ,mBAI5B4zJ,SAAWj3I,OACb22I,WAAWM,UAELz5J,OAAOm/D,OAAOs6F,SAAW,QAC1B,QACCh3I,IAAMziB,OAAOjF,QAAQ,IAAK0+J,SAAW,GACrCz0J,QAAUhF,OAAO21C,UAAU8jH,SAAW,EAAGh3I,KAAKlL,QAAQ,eAAgB,IACtEm8C,OAAS8lG,WAAWnsI,MACpB5K,IAAM,GACRzd,QAAUhF,OAAO21C,UAAU8jH,SAAW,GAAGliJ,QAAQ,UAAW,IAC5DuzD,aAAa5sE,MAAM,iBAAmB8G,QAAU,oBAAsB0uD,OAAO1uD,SAC7Eyd,IAAMg3I,SAAW,EAAIz0J,QAAQxJ,QACpBwJ,QAAQvB,MAAM,SACvBuB,QAAUA,QAAQuS,QAAQ,UAAW,IACrCuzD,aAAa5sE,MAAM,iBAAmB8G,QAAU,uBAChDyd,IAAMg3I,SAAW,EAAIz0J,QAAQxJ,YAE3B27J,WAAazjG,OAAOyjG,WACpBwC,SAAWjmG,OAAO1uD,SAAWA,WACT20J,UAAYjmG,OAAO1uD,SAAW0uD,OAAO1uD,QAAQ8E,eAAiB9E,QAAQ8E,cACvE,IACrBotJ,WAAWQ,WAAWhkG,OAAOz/B,IAAKy/B,OAAOpzB,UAAWt7B,SAChDmyJ,eACG,IAAIxtE,UAAUwtE,WACbt4J,OAAOC,UAAUV,eAAeuB,KAAKw3J,WAAYxtE,SACnDutE,WAAWS,iBAAiBhuE,QAI7BgwE,UACH7uF,aAAa8rF,WAAW,iBAAmB5xJ,QAAU,2CAA6C0uD,OAAO1uD,cAG3Gw0J,WAAWh9J,KAAKk3D,QAElBjxC,gBAGG,IAEHuzI,SAAWrrJ,SAAS8uJ,UACpBh3I,IAAMi2I,iBAAiB14J,OAAQy5J,SAAUvC,sBAEtC,IAEHlB,SAAWrrJ,SAAS8uJ,UACpBh3I,IAAM01I,SAASn4J,OAAQy5J,SAAUvC,WAAYpsF,4BAG7CkrF,SAAWrrJ,SAAS8uJ,cAChBr0J,GAAK,IAAIwzJ,kBACTtC,aAAekD,WAAWA,WAAWh+J,OAAS,GAAG86J,aAGjDpnI,KADAzM,IAAM4zI,sBAAsBr2J,OAAQy5J,SAAUr0J,GAAIkxJ,aAAcC,eAAgBzrF,cAC1E1lE,GAAG5J,YACR4J,GAAG4xJ,QAAUgB,cAAch4J,OAAQyiB,IAAKrd,GAAGJ,QAASizJ,YACvD7yJ,GAAG4xJ,QAAS,EACPtB,UAAU3gC,MACbjqD,aAAagsF,QAAQ,2BAGrBd,SAAW9mI,IAAK,SACd0qI,SAAW1D,YAAYF,QAAS,IAE3Bz6J,EAAI,EAAGA,EAAI2zB,IAAK3zB,IAAK,KACxB0jC,EAAI75B,GAAG7J,GACXoP,SAASs0B,EAAE84C,QACX94C,EAAE+2H,QAAUE,YAAYF,QAAS,IAEnCkB,WAAWlB,QAAU4D,SACjB3C,gBAAgB7xJ,GAAI8xJ,WAAYZ,eAClCkD,WAAWh9J,KAAK4I,IAElB8xJ,WAAWlB,QAAUA,aAEjBiB,gBAAgB7xJ,GAAI8xJ,WAAYZ,eAClCkD,WAAWh9J,KAAK4I,IAGhBuwJ,YAAYrwE,OAAOlgF,GAAG6uB,OAAS7uB,GAAG4xJ,OACpCv0I,IAAMm1I,wBAAwB53J,OAAQyiB,IAAKrd,GAAGJ,QAASuxJ,eAAgBW,YAEvEz0I,OAGN,MAAOlW,MACHA,aAAawpJ,mBACTxpJ,EAERu+D,aAAa5sE,MAAM,wBAA0BqO,GAC7CkW,KAAO,EAELA,IAAMD,MACRA,MAAQC,IAGR02I,WAAW7tJ,KAAKC,IAAIkuJ,SAAUj3I,OAAS,IAnKzCq3I,CAAQ75J,OAAQ64J,aAAcnD,UAAWwB,WAAY38J,KAAKuwE,cAC1DosF,WAAW4C,gBAqjBflB,kBAAkB95J,UAAY,CAC5Bi4J,WAAY,SAAU/xJ,aACf8wJ,eAAel5J,KAAKoI,eACjB,IAAI3G,MAAM,mBAAqB2G,cAElCA,QAAUA,SAEjB6xJ,SAAU,SAAUO,MAAO33J,MAAOs4E,YAC3B+9E,eAAel5J,KAAKw6J,aACjB,IAAI/4J,MAAM,qBAAuB+4J,YAEpCT,eAAeS,OAAS78J,KAAKiB,YAC7BjB,KAAKiB,UAAY,CACpB47J,MAAOA,MACP33J,MAAOA,MACPs4E,OAAQA,SAGZv8E,OAAQ,EACRu+J,aAAc,SAAUx+J,UACfhB,KAAKgB,GAAG+kC,WAEjB05H,WAAY,SAAUz+J,UACbhB,KAAKgB,GAAGy6J,SAEjBiE,SAAU,SAAU1+J,UACXhB,KAAKgB,GAAG67J,OAEjB8C,OAAQ,SAAU3+J,UACThB,KAAKgB,GAAG04B,KAEjB7zB,SAAU,SAAU7E,UACXhB,KAAKgB,GAAGkE,YA0Bf06J,IAAM,CACRC,UAHgBnE,YAIhBoE,WAHiBtE,cAMf9jE,kBAAoB7d,IAAI6d,kBACxBhM,UAAYF,YAAYE,UACxBo0E,WAAaF,IAAIE,WACjBD,UAAYD,IAAIC,mBAuBXE,qBAAqBz9H,cACrBA,MAAMtlB,QAAQ,gBAAiB,MAAMA,QAAQ,oBAAqB,eAkClEgjJ,YAAY75J,cACdA,QAAUA,SAAW,CACxBs1J,QAAS,aAkEJwE,kBACFC,OAAQ,WAEN9vJ,SAASqrJ,QAASlqJ,MACzBA,KAAKqqJ,WAAaH,QAAQG,WAC1BrqJ,KAAKsqJ,aAAeJ,QAAQI,sBA4GrBsE,SAASrwI,MACZA,QACK,OAASA,EAAEyjE,UAAY,IAAM,UAAYzjE,EAAE8rI,WAAa,QAAU9rI,EAAE+rI,aAAe,aAGrFuE,UAAUC,MAAOp4I,MAAOhnB,cACX,iBAATo/J,MACFA,MAAM98H,OAAOtb,MAAOhnB,QAGvBo/J,MAAMp/J,QAAUgnB,MAAQhnB,QAAUgnB,MAC7B,IAAIq4I,KAAKt7H,KAAKhM,OAAOqnI,MAAOp4I,MAAOhnB,QAAU,GAE/Co/J,eA0CFE,cAAcC,OAAQjvJ,MACxBivJ,OAAOrB,eAGVqB,OAAOrB,eAAevzJ,YAAY2F,MAFlCivJ,OAAO7pJ,IAAI/K,YAAY2F,MAzO3ByuJ,YAAYz7J,UAAUkkE,gBAAkB,SAAUhjE,OAAQo9D,cACpD18D,QAAUnG,KAAKmG,QACfy5J,IAAM,IAAIC,UACVlD,WAAax2J,QAAQw2J,YAAc,IAAIsD,WACvC1vF,aAAepqE,QAAQoqE,aACvBkrF,QAAUt1J,QAAQs1J,QAClB6C,aAAen4J,QAAQs6J,OAAS,GAChC11E,OAAS,aAAa1oF,KAAKwgE,UAC3Bs4F,UAAYpwE,OAAS4M,SAASO,cAAgBP,SAASC,aACvD6jE,SACFkB,WAAW+D,mBAAmBjF,SAEhCmE,IAAIrvF,sBAcqBowF,UAAWhE,WAAYlB,aAC3CkF,UAAW,IACVhE,sBAAsBsD,kBACjBtD,WAETgE,UAAYhE,eAEVpsF,aAAe,GACfqwF,WAAaD,qBAAqBE,kBAE7BC,MAAMh8J,SACT1E,GAAKugK,UAAU77J,MACd1E,IAAMwgK,aACTxgK,GAAyB,GAApBugK,UAAU1/J,OAAc,SAAU8/J,KACrCJ,UAAU77J,IAAKi8J,MACbJ,WAENpwF,aAAazrE,KAAO1E,IAAM,SAAU2gK,KAClC3gK,GAAG,WAAa0E,IAAM,MAAQi8J,IAAMZ,SAAS1E,YAC1C,oBAVPA,QAAUA,SAAW,GAYrBqF,MAAM,WACNA,MAAM,SACNA,MAAM,cACCvwF,aAtCYywF,CAAkBzwF,aAAcosF,WAAYlB,SAC/DmE,IAAIjD,WAAax2J,QAAQw2J,YAAcA,WACnC5xE,SACFuzE,aAAa,IAAM5yE,UAAUZ,MAE/BwzE,aAAa2C,IAAM3C,aAAa2C,KAAOv1E,UAAUJ,QAC7C8J,UAAYjvF,QAAQ45J,sBAAwBA,4BAC5Ct6J,QAA4B,iBAAXA,OACnBm6J,IAAIllI,MAAM06D,UAAU3vF,QAAS64J,aAAcnD,WAE3CyE,IAAIrvF,aAAa5sE,MAAM,sBAElBg5J,WAAWhmJ,KAkDpBspJ,WAAW17J,UAAY,CACrBg6J,cAAe,gBACR5nJ,KAAM,IAAI+gF,mBAAoB7C,eAAe,KAAM,KAAM,MAC1D70F,KAAKy7J,eACF9kJ,IAAIuqJ,YAAclhK,KAAKy7J,QAAQloE,WAGxC2pE,aAAc,SAAUhuE,aAAcnpD,UAAW82H,MAAOtvJ,WAClDoJ,IAAM3W,KAAK2W,IACX9L,GAAK8L,IAAIkK,gBAAgBquE,aAAc2tE,OAAS92H,WAChDpR,IAAMpnB,MAAMtM,OAChBs/J,cAAcvgK,KAAM6K,SACfs0J,eAAiBt0J,QACjB4wJ,SAAWrrJ,SAASpQ,KAAKy7J,QAAS5wJ,QAClC,IAAI7J,EAAI,EAAGA,EAAI2zB,IAAK3zB,IAAK,CACxBkuF,aAAe3hF,MAAMoyJ,OAAO3+J,OAC5BkE,MAAQqI,MAAM1H,SAAS7E,GAEvBqgE,MADAw7F,MAAQtvJ,MAAMmyJ,SAAS1+J,GAChB2V,IAAI6/E,kBAAkBtH,aAAc2tE,aAC1CpB,SAAWrrJ,SAAS7C,MAAMkyJ,WAAWz+J,GAAIqgE,MAC9CA,KAAKn8D,MAAQm8D,KAAK4zB,UAAY/vF,MAC9B2F,GAAGkpF,iBAAiB1yB,QAGxB87F,WAAY,SAAUjuE,aAAcnpD,UAAW82H,WACzCtwJ,QAAUvM,KAAKm/J,eACnB5yJ,QAAQ9B,aACH00J,eAAiB5yJ,QAAQ2B,YAEhC+uJ,mBAAoB,SAAU7tE,OAAQ11D,OACtC0jI,iBAAkB,SAAUhuE,UAC5BgvE,sBAAuB,SAAU9tJ,OAAQyE,UACnCosJ,IAAMnhK,KAAK2W,IAAIyvB,4BAA4B91B,OAAQyE,WAClD0mJ,SAAWrrJ,SAASpQ,KAAKy7J,QAAS0F,KACvCZ,cAAcvgK,KAAMmhK,MAEtBC,oBAAqB,SAAUC,GAAIp5I,MAAOhnB,UAC1Cu8J,WAAY,SAAU6C,MAAOp4I,MAAOhnB,WAClCo/J,MAAQD,UAAU3nJ,MAAMzY,KAAM0Y,WAEnB,IACL1Y,KAAKkgK,UACHoB,SAAWthK,KAAK2W,IAAIw/E,mBAAmBkqE,YAEvCiB,SAAWthK,KAAK2W,IAAIrF,eAAe+uJ,OAErCrgK,KAAKm/J,oBACFA,eAAevzJ,YAAY01J,UACvB,QAAQj/J,KAAKg+J,aACjB1pJ,IAAI/K,YAAY01J,eAGlB7F,SAAWrrJ,SAASpQ,KAAKy7J,QAAS6F,YAG3CC,cAAe,SAAUlgK,QACzBk+J,YAAa,gBACN5oJ,IAAIy+E,aAEXsrE,mBAAoB,SAAUjF,UACxBz7J,KAAKy7J,QAAUA,WAEjBA,QAAQG,WAAa,IAIzBz1E,QAAS,SAAUk6E,MAAOp4I,MAAOhnB,QAC/Bo/J,MAAQD,UAAU3nJ,MAAMzY,KAAM0Y,eAC1B8oJ,KAAOxhK,KAAK2W,IAAIu/E,cAAcmqE,YAC7B5E,SAAWrrJ,SAASpQ,KAAKy7J,QAAS+F,MACvCjB,cAAcvgK,KAAMwhK,OAEtB3D,WAAY,gBAELqC,OAAQ,GAEfpC,SAAU,gBACHoC,OAAQ,GAEfjC,SAAU,SAAU58J,KAAMgyF,SAAUE,cAC9BkuE,KAAOzhK,KAAK2W,IAAIqS,kBAChBy4I,MAAQA,KAAKzsE,mBAAoB,KAC/B0sE,GAAKD,KAAKzsE,mBAAmB3zF,KAAMgyF,SAAUE,eAC5CkoE,SAAWrrJ,SAASpQ,KAAKy7J,QAASiG,IACvCnB,cAAcvgK,KAAM0hK,SACf/qJ,IAAIm+E,QAAU4sE,KAOvBnF,QAAS,SAAU54J,OACjBxB,QAAQuB,KAAK,qBAAuBC,MAAOw8J,SAASngK,KAAKy7J,WAE3D93J,MAAO,SAAUA,OACfxB,QAAQwB,MAAM,mBAAqBA,MAAOw8J,SAASngK,KAAKy7J,WAE1DY,WAAY,SAAU14J,aACd,IAAIm8J,WAAWn8J,MAAO3D,KAAKy7J,0KAmD0Hz+I,QAAQ,QAAQ,SAAUlY,KACvLm7J,WAAW17J,UAAUO,KAAO,kBACnB,aAsBP0jE,UANY,CACdm5F,aAJiB1B,WAKjBF,qBAJ2BA,qBAK3Bv3F,UAJgBw3F,aAOQx3F;;MAGpB/hE,SAAWb,OACNA,KAAsB,iBAARA,IAEnBg8J,QAAU,2CAAIC,0DAAAA,yCACXA,QAAQ98J,QAAO,CAACQ,OAAQE,UACP,iBAAXA,QAGXnB,OAAOG,KAAKgB,QAAQZ,SAAQC,MACtBxC,MAAMC,QAAQgD,OAAOT,OAASxC,MAAMC,QAAQkD,OAAOX,MACrDS,OAAOT,KAAOS,OAAOT,KAAKzE,OAAOoF,OAAOX,MAC/B2B,SAASlB,OAAOT,OAAS2B,SAAShB,OAAOX,MAClDS,OAAOT,KAAO88J,QAAQr8J,OAAOT,KAAMW,OAAOX,MAE1CS,OAAOT,KAAOW,OAAOX,QARhBS,SAYR,KAECoB,OAASstB,GAAK3vB,OAAOG,KAAKwvB,GAAGxkB,KAAIrB,GAAK6lB,EAAE7lB,KAQxC0zJ,QAAUC,OAASA,MAAMh9J,QAAO,CAACkF,EAAGmF,IAAMnF,EAAE5J,OAAO+O,IAAI,IACvDsN,KAAO2T,WACNA,KAAKpvB,aACD,SAEHsE,OAAS,OACV,IAAIvE,EAAI,EAAGA,EAAIqvB,KAAKpvB,OAAQD,IAC/BuE,OAAOtD,KAAKouB,KAAKrvB,WAEZuE,YAyBLi4B,gCACwB,2BADxBA,2BAGmB,sBAHnBA,wBAIgB,mBAJhBA,mBAKW,cALXA,gCAOwB,2BAPxBA,qCAQ6B,sCA6B3BwkI,iBAAmBC,aAAC9lF,QACxBA,QAAU,GADc12E,OAExBA,OAAS,GAFekuI,MAGxBA,MAAQ,GAHgBuuB,WAIxBA,WAAa,iBAEP1iF,QAAU,CACd9lD,IAAKj0B,OACL08J,YAAajmF,aAAaC,SAAW,GAAI12E,YAEvCkuI,OAASuuB,WAAY,OAEjBv6I,QADWgsH,OAAgBuuB,YACT11J,MAAM,SAW1BvL,OATAmhK,WAAalgK,OAAO6mF,OAAS7mF,OAAO6mF,OAAOphE,OAAO,IAAMxE,SAASwE,OAAO,GAAI,IAC5E06I,SAAWngK,OAAO6mF,OAAS7mF,OAAO6mF,OAAOphE,OAAO,IAAMxE,SAASwE,OAAO,GAAI,IAE1Ey6I,WAAa1yJ,OAAO4yJ,kBAA0C,iBAAfF,aACjDA,WAAa1yJ,OAAO0yJ,aAElBC,SAAW3yJ,OAAO4yJ,kBAAwC,iBAAbD,WAC/CA,SAAW3yJ,OAAO2yJ,WAIlBphK,OADsB,iBAAbohK,UAA+C,iBAAfD,WAChClgK,OAAO6mF,OAAOs5E,UAAYngK,OAAO6mF,OAAOq5E,YAAclgK,OAAO6mF,OAAO,GAEpEs5E,SAAWD,WAAa,EAEb,iBAAXnhK,QAAuBA,OAASyO,OAAO4yJ,mBAChDrhK,OAASyO,OAAOzO,SAIlBu+E,QAAQjB,UAAY,CAClBt9E,OAAAA,OACAu8E,OAAQ4kF,mBAGL5iF,SAyBH+iF,eAAiBC,YACjBA,WAAkC,iBAAdA,YACtBA,UAAYr/I,SAASq/I,UAAW,KAE9Bl/I,MAAMk/I,WACD,KAEFA,WAOHC,aAAe,CASnBC,OAAO/3J,kBACC+e,SACJA,SADIi5I,UAEJA,UAAY,EAFRC,eAGJA,eAHIC,eAIJA,gBACEl4J,WACE63J,UAAYD,eAAe53J,WAAW63J,WACtCM,gBAAkBp5I,SAAWi5I,gBACV,iBAAdH,UACF,CACLv6I,MAAO,EACPC,IAAKs6I,WAGqB,iBAAnBK,eACF,CACL56I,MAAO,EACPC,IAAK26I,eAAiBC,iBAGnB,CACL76I,MAAO,EACPC,IAAK06I,eAAiBE,kBAW1BC,QAAQp4J,kBACAq4J,IACJA,IADIC,aAEJA,aAFIC,sBAGJA,sBAHIP,UAIJA,UAAY,EAJRj5I,SAKJA,SALIy5I,YAMJA,YAAc,EANVC,oBAOJA,oBAAsB,EAPlBC,qBAQJA,qBAAuBt6I,EAAAA,GACrBpe,WACE63J,UAAYD,eAAe53J,WAAW63J,WAGtCppJ,KAAO4pJ,IAAMC,cAAgB,IAG7BK,cAAgBJ,sBAAwBC,YAGxCN,eADczpJ,IAAMgqJ,oBACWE,cAC/BC,aAAexyJ,KAAK44B,KAAKk5H,eAAiBF,UAAYj5I,UACtD85I,eAAiBzyJ,KAAK4X,OAAOvP,IAAMkqJ,cAAgBD,sBAAwBV,UAAYj5I,UACvF+5I,aAAe1yJ,KAAK4X,OAAOvP,IAAMkqJ,eAAiBX,UAAYj5I,gBAC7D,CACLzB,MAAOlX,KAAKC,IAAI,EAAGwyJ,gBACnBt7I,IAA0B,iBAAds6I,UAAyBA,UAAYzxJ,KAAKE,IAAIsyJ,aAAcE,iBAqDxEC,gBAAkB/4J,mBAChBxK,KACJA,KADIupB,SAEJA,SAFIi5I,UAGJA,UAAY,EAHRE,eAIJA,eAJID,eAKJA,gBACEj4J,YACEsd,MACJA,MADIC,IAEJA,KACEu6I,aAAatiK,MAAMwK,YACjBw2E,SAlSM,EAACl5D,MAAOC,aACd3iB,OAAS,OACV,IAAIvE,EAAIinB,MAAOjnB,EAAIknB,IAAKlnB,IAC3BuE,OAAOtD,KAAKjB,UAEPuE,QA6RUouI,CAAM1rH,MAAOC,KAAKzY,IArClB9E,CAAAA,YAAc27C,eACzB58B,SACJA,SADIi5I,UAEJA,UAAY,EAFRQ,YAGJA,YAHIQ,YAIJA,YAAc,GACZh5J,iBACG,CACL27C,OAAQq9G,YAAcr9G,OACtB58B,SAAUA,SAAWi5I,UACrBlhF,SAAU0hF,YACV/9G,KAAMkB,OAAS58B,WA0BsBk6I,CAAWj5J,gBACrC,WAATxK,KAAmB,OACfI,MAAQ4gF,SAASlgF,OAAS,EAE1B4iK,gBAA4C,iBAAnBhB,eAA8BA,eAAiBD,eAE9EzhF,SAAS5gF,OAAOmpB,SAAWm6I,gBAAkBn6I,SAAWi5I,UAAYpiK,aAE/D4gF,UAcH2iF,iBAAmBn5J,mBACjBwxE,QACJA,QADI4nF,eAEJA,eAAiB,GAFbnB,eAGJA,eAHIV,WAIJA,WAAa,GAJTiB,YAKJA,YALIa,iBAMJA,iBANI19G,OAOJA,OAAS,EAPL58B,SAQJA,UACE/e,eAECwxE,cACG,IAAIr4E,MAAM05B,0BAEZymI,YAAcjC,iBAAiB,CACnC7lF,QAAAA,QACA12E,OAAQs+J,eAAeG,UACvBvwB,MAAOowB,eAAepwB,QAElBn0D,QAAUwiF,iBAAiB,CAC/B7lF,QAAAA,QACA12E,OAAQ02E,QACR+lF,WAAAA,gBAEF1iF,QAAQ/vE,IAAMw0J,YAGVv6I,SAAU,OACNy6I,gBAAkBT,gBAAgB/4J,YACpCw5J,gBAAgBljK,SAClBu+E,QAAQ91D,SAAWy6I,gBAAgB,GAAGz6I,SACtC81D,QAAQiC,SAAW0iF,gBAAgB,GAAG1iF,eAE/BmhF,iBACTpjF,QAAQ91D,SAAWk5I,eACnBpjF,QAAQiC,SAAW0hF,oBAMrB3jF,QAAQwkF,iBAAmBA,kBAAoBb,YAC/C3jF,QAAQl5B,OAASA,OACV,CAACk5B,UAcJ4kF,4BAA8B,CAACvhF,SAAUwhF,KAAMloF,iBAE7C8nF,YAAcphF,SAASwhF,KAAK50J,IAAMozE,SAASwhF,KAAK50J,IAAM,KAEtDmzJ,eAAiB//E,SAASwhF,KAAK36I,SAE/B+3D,SAAWoB,SAASpB,UAAY,EAChC6iF,cAAgBzhF,SAASwhF,KAAK9lF,UAC9BgmF,QAAUD,cAAc9mF,OAAS8mF,cAAcrjK,OAE/C0hK,UAAY0B,KAAK1B,UAEjB6B,gBAAkBH,KAAKI,WAAW1gK,QAAO0vB,GAAyB,IAApBA,EAAEixI,gBAChDvjF,SAAW,GACXhhF,KAAO0iF,SAASZ,QAAU,SAAW,UACrCkhF,YAActgF,SAASwhF,KAAK5iF,aAI9B06E,WAHA6H,iBAAmBb,YACnB78G,OAASu8B,SAASV,eAAiB,EAKrCg6E,WAD8B,iBAArBkI,KAAKM,YACDziK,OAAO6mF,OAAOw7E,SAAWF,KAAKM,YAE9BJ,QAAUF,KAAKM,gBAEzB,IAAI3jK,EAAI,EAAGA,EAAIwjK,gBAAgBvjK,OAAQD,IAAK,OACzC+pC,UAAYs5H,KAAKI,WAAWzjK,GAE5BsZ,KAAOywB,UAAU65H,eAGjBl7I,SAAWqhB,UAAU85H,uBAEvBC,SAGFA,SADwB,iBAAf3I,WACEA,WAAaj6J,OAAO6mF,OAAOzuE,MAAQpY,OAAO6mF,OAAO,GAEjDozE,WAAa7hJ,KAAO,QAE3B4nJ,qBAAgB/F,uBAAc2I,UAa9BtlF,QAAUskF,iBAZG,CACjB3nF,QAAAA,QACAwmF,UAAAA,UACAlhF,SAAAA,SACA0hF,YAAAA,YACAa,iBAAAA,iBACA19G,OAAAA,OACA58B,SAAAA,SACAk5I,eAAAA,eACAV,WAAAA,WACA/hK,KAAAA,OAE2C,GACzC8jK,cACFzkF,QAAQ/vE,IAAMw0J,aAEhB9iF,SAASl/E,KAAKu9E,SAEZ28E,YADwB,iBAAfA,WACKj6J,OAAO6mF,OAAOzuE,MAEdA,KAEhB0pJ,kBAAoBt6I,SAAWi5I,UAC/Br8G,gBAEFu8B,SAAS1B,SAAWA,SACb0B,UAEHkiF,sBAAwB,CAAC,QAAS,aAWlCC,wBAA0BC,wBAlajBlD,MAmaAkD,eAnaOC,YAmaSC,aAAC1jF,SAC5BA,wBACIA,UApaC96E,OAAOo7J,MAAMh9J,QAAO,CAACsb,IAAKgQ,QAC/BA,KAAKxrB,SAAQgG,KACXwV,IAAI6kJ,YAAYr6J,KAAOA,MAElBwV,MACN,MA+Zag8C,MAAK,CAAC33B,EAAG77B,IAAM67B,EAAE+8C,SAAW54E,EAAE44E,SAAW,GAAK,IAralD,IAACsgF,MAAOmD,aAgchBE,uBAAyBxlF,eACzBylF,oBAAsB,GAtgLF,IAA2BC,OAAgB/vJ,gBAAhB+vJ,OAugL/B1lF,SAvgL+CrqE,SAugLd,CAAC7K,WAAYvK,KAAMolK,MAAO94I,SAC7E44I,oBAAsBA,oBAAoBhlK,OAAOqK,WAAWo4E,WAAa,KAD7CiiF,sBAtgLvBlgK,SAAQ,SAAU+iF,eAClB,IAAI49E,YAAYF,OAAOviF,YAAY6E,eACjC,IAAI69E,YAAYH,OAAOviF,YAAY6E,WAAW49E,UAAW,KACxDE,gBAAkBJ,OAAOviF,YAAY6E,WAAW49E,UAAUC,UAC9DlwJ,SAASmwJ,gBAAiB99E,UAAW49E,SAAUC,cAqgL9CJ,qBAUHM,+BAAiCC,aAAC/iF,SACtCA,SADsCV,cAEtCA,sBAEAU,SAASV,cAAgBA,cACzBU,SAAS1B,SAASt8E,SAAQ,CAAC26E,QAASj/E,SAClCi/E,QAAQl5B,OAASu8B,SAASV,cAAgB5hF,UA+HxCslK,2BAA6BC,aAACC,YAClCA,YADkCC,YAElCA,0BAqBMC,aAAeF,YAAYjjF,UAAUziF,OAAO+kK,uBAAuBW,cACnEG,aAAeF,YAAYljF,UAAUziF,OAAO+kK,uBAAuBY,qBAOzEA,YAAYf,eAAiBD,wBAAwB,CAACe,YAAYd,eAAgBe,YAAYf,iBA5IlEkB,CAAAA,aAACF,aAC7BA,aAD6BC,aAE7BA,aAF6BjB,eAG7BA,uBAEAiB,aAAarhK,SAAQg+E,WACnBA,SAAST,sBAAwB6iF,eAAex/E,WAAU,qBAAUhE,SAClEA,wBAEOA,WAAaoB,SAASpB,kBAMzB2kF,YAtEmB,EAACtjF,UAAWzhF,YAClC,IAAIL,EAAI,EAAGA,EAAI8hF,UAAU7hF,OAAQD,OAChC8hF,UAAU9hF,GAAG2J,WAAWs4E,OAAS5hF,YAC5ByhF,UAAU9hF,UAGd,MAgEeqlK,CAAqBJ,aAAcpjF,SAASl4E,WAAWs4E,UACtEmjF,sBAeDvjF,SAASwhF,kBAKPiC,gBAAkBzjF,SAAS1B,SAAS,GACpColF,wBAA0BH,YAAYjlF,SAASsE,WAAU,SAAU+gF,mBAChEz1J,KAAK24B,IAAI88H,WAAWxC,iBAAmBsC,gBAAgBtC,kBApHjD,2BA0HkB,IAA7BuC,+BACFZ,+BAA+B,CAC7B9iF,SAAAA,SACAV,cAAeikF,YAAYjkF,cAAgBikF,YAAYjlF,SAASlgF,SAElE4hF,SAAS1B,SAAS,GAAGwC,eAAgB,EACrCd,SAAS7B,oBAAoBj/E,QAAQ,UAoBhCqkK,YAAYjlF,SAASlgF,QAAU4hF,SAASpB,SAAW2kF,YAAY3kF,UAAY2kF,YAAYjlF,SAASlgF,QAAU4hF,SAASpB,SAAW2kF,YAAYjlF,SAASilF,YAAYjlF,SAASlgF,OAAS,GAAGwgF,WACvLoB,SAAST,yBAecgkF,YAAYjlF,SAASolF,yBACzB5iF,gBAAkB2iF,gBAAgB3iF,gBACvD2iF,gBAAgB3iF,eAAgB,EAChCd,SAAS7B,oBAAoBj/E,QAAQ,GACrC8gF,SAAST,yBAEXujF,+BAA+B,CAC7B9iF,SAAAA,SACAV,cAAeikF,YAAYjlF,SAASolF,yBAAyBjgH,aA+CjEmgH,CAAsB,CACpBR,aAAAA,aACAC,aAAAA,aACAjB,eAAgBe,YAAYf,iBAEvBe,aAEHU,gBAAkBrC,MAAQA,MAAQA,KAAK3qI,IAAM,IAriBzB6kD,CAAAA,gBAGpB8jF,gBAEFA,SAD8B,iBAArB9jF,UAAUf,QAAmD,iBAArBe,UAAUt9E,OAChDiB,OAAO6mF,OAAOxK,UAAUf,QAAUt7E,OAAO6mF,OAAOxK,UAAUt9E,QAAUiB,OAAO6mF,OAAO,GAElFxK,UAAUf,OAASe,UAAUt9E,OAAS,YAEzCs9E,UAAUf,mBAAU6kF,WA4hByBsE,CAAkBtC,KAAK9lF,WAC1EqoF,4BAA8B9jF,kBAE5B+jF,mBAAqB/jF,UAAU/9E,QAAO,SAAUsb,IAAKymJ,YACpDzmJ,IAAIymJ,IAAIn8J,WAAWwxE,WACtB97D,IAAIymJ,IAAIn8J,WAAWwxE,SAAW,IAEhC97D,IAAIymJ,IAAIn8J,WAAWwxE,SAASl6E,KAAK6kK,KAC1BzmJ,MACN,QACC0mJ,aAAe,UACnBziK,OAAOqC,OAAOkgK,oBAAoBhiK,SAAQmiK,sBAClCC,gBAAkBtgK,OAAOqgK,cAAcjiK,QAAO,CAACsb,IAAKwiE,kBAIlDxhF,KAAOwhF,SAASl4E,WAAWqT,IAAM6kE,SAASl4E,WAAWq6B,MAAQ,WAC9D3kB,IAAIhf,OAMHwhF,SAAS1B,WAEP0B,SAAS1B,SAAS,KACpB0B,SAAS1B,SAAS,GAAGwC,eAAgB,GAEvCtjE,IAAIhf,MAAM8/E,SAASl/E,QAAQ4gF,SAAS1B,WAIlC0B,SAASl4E,WAAW43E,oBACtBliE,IAAIhf,MAAMsJ,WAAW43E,kBAAoBM,SAASl4E,WAAW43E,qBAd/DliE,IAAIhf,MAAQwhF,SACZxiE,IAAIhf,MAAMsJ,WAAWs6J,eAAiB,IAgBxC5kJ,IAAIhf,MAAMsJ,WAAWs6J,eAAehjK,KAAK,CAGvCgmB,MAAO46D,SAASl4E,WAAWw4J,YAC3B1hF,SAAUoB,SAASl4E,WAAWw4J,cAEzB9iJ,MACN,KACH0mJ,aAAeA,aAAa1mK,OAAO4mK,oBAE9BF,aAAat3J,KAAIozE,WAxrBN,IAAC/yD,EAAGhrB,WAyrBpB+9E,SAAS7B,qBAzrBQlxD,EAyrB0B+yD,SAAS1B,UAAY,GAzrB5Cr8E,IAyrBgD,gBAzrBxCgrB,EAAE/qB,QAAO,CAAC2/B,EAAG1yB,EAAGhR,KAC1CgR,EAAElN,MACJ4/B,EAAEziC,KAAKjB,GAEF0jC,IACN,KAqrBQm+C,aAGLqkF,0BAA4B,CAACrkF,SAAUskF,qBACrCC,QAAUV,gBAAgB7jF,SAASwhF,MACnCgD,UAAYD,SAAWD,YAAYC,UAAYD,YAAYC,SAAS/C,YACtEgD,WACFjD,4BAA4BvhF,SAAUwkF,UAAWxkF,SAASwhF,KAAKlC,aAE1Dt/E,UAEHykF,2BAA6B,SAACxkF,eAAWqkF,mEAAc,OACtD7iK,OAAOG,KAAK0iK,aAAalmK,cACrB6hF,cAEJ,MAAM9hF,KAAK8hF,UACdA,UAAU9hF,GAAKkmK,0BAA0BpkF,UAAU9hF,GAAImmK,oBAElDrkF,WAEHykF,oBAAsB,QAOzBC,mBAP0B78J,WAC3BA,WAD2Bw2E,SAE3BA,SAF2BkjF,KAG3BA,KAH2BliF,cAI3BA,cAJ2BC,sBAK3BA,sBAL2BpB,oBAM3BA,kCAEM6B,SAAW,CACfl4E,WAAY,CACVs4E,KAAMt4E,WAAWqT,GACjBygE,UAAW9zE,WAAWswE,UACtBwsF,OAAQ98J,WAAW88E,oBACH,GAElB/tD,IAAK,GACLuoD,QAA6B,WAApBt3E,WAAWxK,KACpBshF,SAAU92E,WAAWw4J,YACrBhB,YAAax3J,WAAWwxE,SAAW,GACnC2D,eAAgBn1E,WAAW+e,SAC3B04D,sBAAAA,sBACApB,oBAAAA,oBACAikF,eAAgBt6J,WAAWs6J,eAC3B9iF,cAAAA,cACAhB,SAAAA,iBAEEx2E,WAAW43E,oBACbM,SAASN,kBAAoB53E,WAAW43E,mBAEtC53E,WAAW+8J,kBACb7kF,SAASl4E,WAAW+8J,gBAAkB/8J,WAAW+8J,iBAE/CrD,OACFxhF,SAASwhF,KAAOA,MAEdmD,cACF3kF,SAASl4E,WAAWg9J,MAAQ,QAC5B9kF,SAASl4E,WAAWi9J,UAAY,QAE3B/kF,UAEHglF,kBAAoBC,aAACn9J,WACzBA,WADyBw2E,SAEzBA,SAFyBgB,cAGzBA,cAHyBnB,oBAIzBA,oBAJyBoB,sBAKzBA,mCAEwB,IAAbjB,WAETA,SAAW,CAAC,CACVznD,IAAK/uB,WAAWwxE,QAChBsF,SAAU92E,WAAWw4J,YACrBhB,YAAax3J,WAAWwxE,SAAW,GACnCzyD,SAAU/e,WAAWi4J,eACrBt8G,OAAQ,IAGV37C,WAAW+e,SAAW/e,WAAWi4J,sBAE7BmF,eAAiB,CACrB9kF,KAAMt4E,WAAWqT,GACjBygE,UAAW9zE,WAAWswE,uBACN,GAEdtwE,WAAW88E,SACbsgF,eAAeN,OAAS98J,WAAW88E,cAE/BugF,YAAc,CAClBr9J,WAAYo9J,eACZruI,IAAK,GACLuoD,QAA6B,WAApBt3E,WAAWxK,KACpBshF,SAAU92E,WAAWw4J,YACrBhB,YAAax3J,WAAWwxE,SAAW,GACnC2D,eAAgBn1E,WAAW+e,SAC3Bu7I,eAAgBt6J,WAAWs6J,eAC3BjkF,oBAAAA,oBACAoB,sBAAAA,sBACAD,cAAAA,cACAhB,SAAAA,iBAEEx2E,WAAW+8J,kBACbM,YAAYr9J,WAAW+8J,gBAAkB/8J,WAAW+8J,iBAE/CM,aAgFHC,oBAAsBC,aAACv9J,WAC3BA,WAD2Bw2E,SAE3BA,SAF2BkjF,KAG3BA,KAH2BrjF,oBAI3BA,kCAEM6B,SAAW,CACfl4E,WAAY,CACVs4E,KAAMt4E,WAAWqT,GACjB2pJ,MAAO,QACPC,UAAW,OACXppF,WAAY,CACVjwE,MAAO5D,WAAW4D,MAClBF,OAAQ1D,WAAW0D,QAErBo5J,OAAQ98J,WAAW88E,OACnBhJ,UAAW9zE,WAAWswE,uBACN,GAElBvhD,IAAK,GACLuoD,QAA6B,WAApBt3E,WAAWxK,KACpBshF,SAAU92E,WAAWw4J,YACrBhB,YAAax3J,WAAWwxE,SAAW,GACnC2D,eAAgBn1E,WAAW+e,SAC3Bs3D,oBAAAA,oBACAikF,eAAgBt6J,WAAWs6J,eAC3B9jF,SAAAA,iBAEEx2E,WAAWuwE,YACb2H,SAASl4E,WAAW,cAAgBA,WAAWuwE,WAE7CvwE,WAAW43E,oBACbM,SAASN,kBAAoB53E,WAAW43E,mBAEtC53E,WAAW+8J,kBACb7kF,SAASl4E,WAAW+8J,gBAAkB/8J,WAAW+8J,iBAE/CrD,OACFxhF,SAASwhF,KAAOA,MAEXxhF,UAEHslF,UAAYC,aAACz9J,WACjBA,yBAC4B,cAAxBA,WAAWk4D,UAAoD,eAAxBl4D,WAAWk4D,UAAwD,UAA3Bl4D,WAAWguB,aAC1F0vI,UAAYC,aAAC39J,WACjBA,yBAC4B,cAAxBA,WAAWk4D,UAAoD,eAAxBl4D,WAAWk4D,UAAwD,UAA3Bl4D,WAAWguB,aAC1F4vI,QAAUC,aAAC79J,WACfA,yBAC4B,aAAxBA,WAAWk4D,UAAsD,SAA3Bl4D,WAAWguB,aA2DjD8vI,2BAA6BC,kBAC5BA,iBAGEpkK,OAAOG,KAAKikK,kBAAkB3jK,QAAO,CAACsb,IAAKoM,eAC1Ck8I,cAAgBD,iBAAiBj8I,cAChCpM,IAAIhgB,OAAOsoK,cAAc7lF,aAC/B,IALM,GAOL8lF,OAASC,aAACC,cACdA,cADcC,UAEdA,UAFcjjF,gBAGdA,gBAHcqhF,YAIdA,YAAc,GAJA6B,iBAKdA,iBALcC,YAMdA,wBAEKH,cAAc7nK,aACV,SAIP2hK,eAAgBl5I,SADZvpB,KAEJA,KAFI+oK,2BAGJA,2BAHI9F,oBAIJA,qBACE0F,cAAc,GAAGn+J,WACfw+J,eAAiBvC,4BAA4BkC,cAAc/kK,OAAOokK,YAAY14J,IAAIw4J,qBAClFmB,eAAiBxC,4BAA4BkC,cAAc/kK,OAAOskK,YAClEgB,aAAezC,4BAA4BkC,cAAc/kK,OAAOwkK,UAChEh3I,SAAWu3I,cAAcr5J,KAAIozE,UAAYA,SAASl4E,WAAW2+J,kBAAiBvlK,OAAOwD,SACrFq4E,SAAW,CACfmB,YAAY,EACZC,oBAAqB,GACrBG,SAAU,GACVc,SAAS,EACTc,YAAa,CACX4kF,MAAO,GACP4B,MAAO,qBACc,GACrB3B,UAAW,IAEbluI,IAAK,GACLhQ,SAAAA,SACAo5D,UAAWwkF,2BAA2B6B,eAAgBhC,cAEpD/D,qBAAuB,IACzBxjF,SAASwjF,oBAA4C,IAAtBA,qBAE7B2F,YACFnpF,SAASmpF,UAAYA,WAEnBjjF,kBACFlG,SAASkG,gBAAkBA,iBAEhB,YAAT3lF,OACFy/E,SAASspF,2BAA6BA,4BAEpCD,aAAeA,YAAYhoK,OAAS,IACtC2+E,SAASqpF,YAAcA,mBAEnBzB,YAA4C,IAA9B5nF,SAASkD,UAAU7hF,OACjCuoK,oBAAsBJ,eAAenoK,OAzPd,SAAC6hF,eAC1B2mF,aADqCtC,mEAAc,GAAIK,0EAErDkC,mBAAqB5mF,UAAU/9E,QAAO,CAAC2/B,EAAGm+C,kBACxCx2D,KAAOw2D,SAASl4E,WAAW0hB,MAAQw2D,SAASl4E,WAAW0hB,KAAKnnB,OAAS,GACrEsa,SAAWqjE,SAASl4E,WAAWq6B,MAAQ,OACzCvY,MAAQo2D,SAASl4E,WAAW8hB,OAAS,UACrCjN,WAAaqjE,SAASl4E,WAAW8hB,MAAO,OACpCk9I,UAAYt9I,iBAAYA,UAAU,GACxCI,gBAAWo2D,SAASl4E,WAAWq6B,aAAO2kI,WAEnCjlI,EAAEjY,SACLiY,EAAEjY,OAAS,CACTjN,SAAAA,SACA2jE,YAAY,EACZnmD,QAAkB,SAAT3Q,KACTy2D,UAAW,GACXppD,IAAK,WAGHkwI,UAAY1C,0BAA0BK,oBAAoB1kF,SAAU2kF,aAAcL,oBACxFziI,EAAEjY,OAAOq2D,UAAU7gF,KAAK2nK,gBACI,IAAjBH,cAAyC,SAATp9I,OACzCo9I,aAAe5mF,SACf4mF,aAAazsI,SAAU,GAElB0H,IACN,IAEE+kI,eAEHC,mBADmBplK,OAAOG,KAAKilK,oBAAoB,IACpB1sI,SAAU,UAEpC0sI,mBAyN6CG,CAAuBT,eAAgBjC,YAAaK,aAAe,KACjHsC,kBAAoBT,aAAapoK,OAxNZ,SAAC6hF,eAAWqkF,mEAAc,UAC9CrkF,UAAU/9E,QAAO,CAAC2/B,EAAGm+C,kBACpBp2D,MAAQo2D,SAASl4E,WAAW8hB,OAASo2D,SAASl4E,WAAWq6B,MAAQ,OACjExlB,SAAWqjE,SAASl4E,WAAWq6B,MAAQ,aACxCN,EAAEjY,SACLiY,EAAEjY,OAAS,CACTjN,SAAAA,SACAwd,SAAS,EACTmmD,YAAY,EACZL,UAAW,GACXppD,IAAK,KAGTgL,EAAEjY,OAAOq2D,UAAU7gF,KAAKilK,0BAA0BW,kBAAkBhlF,UAAWskF,cACxEziI,IACN,IAyM6CqlI,CAAqBV,aAAclC,aAAe,KAC5FuC,mBAAqBP,eAAe9oK,OAAOooK,2BAA2Be,qBAAsBf,2BAA2BqB,oBACvHE,uBAAyBN,mBAAmBj6J,KAAIw6J,aAAChF,eACrDA,8BACIA,kBA9FuB,IAACniF,UAAWmiF,sBA+FzCrlF,SAASqlF,eAAiBD,wBAAwBgF,wBA/FpBlnF,UAgGP4mF,mBAhGkBzE,eAgGErlF,SAASqlF,eA9FpDniF,UAAUj+E,SAAQg+E,WAChBA,SAASV,cAAgB,EACzBU,SAAST,sBAAwB6iF,eAAex/E,WAAU,qBAAUhE,SAClEA,wBAEOA,WAAaoB,SAASpB,YAE1BoB,SAAS1B,UAGd0B,SAAS1B,SAASt8E,SAAQ,CAAC26E,QAASj/E,SAClCi/E,QAAQl5B,OAAS/lD,YAoFjBipK,sBACF5pF,SAASmD,YAAY4kF,MAAMnnI,MAAQgpI,qBAEjCM,oBACFlqF,SAASmD,YAAY6kF,UAAUsC,KAAOJ,mBAEpCv4I,SAAStwB,SACX2+E,SAASmD,YAAY,mBAAmBonF,GAA6B54I,SArNNxsB,QAAO,CAACqlK,OAAQC,MAC5EA,KAGLA,IAAIxlK,SAAQylK,gBACJC,QACJA,QADI/qJ,SAEJA,UACE8qJ,QACJF,OAAO5qJ,UAAY,CACjB2jE,YAAY,EACZnmD,SAAS,EACTsmD,WAAYinF,QACZ/qJ,SAAAA,UAEE8qJ,QAAQzmK,eAAe,iBACzBumK,OAAO5qJ,UAAUgqD,YAAc8gG,QAAQ9gG,aAErC8gG,QAAQzmK,eAAe,gBACzBumK,OAAO5qJ,UAAUgrJ,WAAaF,QAAQE,YAEpCF,QAAQzmK,eAAe,QACzBumK,OAAO5qJ,UAAU,MAAQ8qJ,QAAQ,UAG9BF,QAvBEA,QAwBR,KA6LGpB,iBACKnD,2BAA2B,CAChCE,YAAaiD,iBACbhD,YAAapmF,WAGVA,UAkBH6qF,cAAgB,CAAC9/J,WAAYy6C,KAAM17B,kBACjCs5I,IACJA,IADIC,aAEJA,aAFIC,sBAGJA,sBAHIP,UAIJA,UAAY,EAJRQ,YAKJA,YAAc,EALVC,oBAMJA,oBAAsB,GACpBz4J,WAIEk4J,gBAHOG,IAAMC,cAAgB,IAETG,qBADJF,sBAAwBC,oBAGvCpyJ,KAAK44B,MAAMk5H,eAAiBF,UAAYv9G,MAAQ17B,WAgBnDghJ,gBAAkB,CAAC//J,WAAYggK,yBAC7BxqK,KACJA,KADIijK,oBAEJA,oBAAsB,EAFlBtwJ,MAGJA,MAAQ,GAHJ8vJ,eAIJA,eAJID,UAKJA,UAAY,EALRgB,YAMJA,YAAc,EACdR,YAAa1hF,UACX92E,WACEw2E,SAAW,OACb/7B,MAAQ,MACP,IAAIwlH,OAAS,EAAGA,OAASD,gBAAgB1pK,OAAQ2pK,SAAU,OACxDC,EAAIF,gBAAgBC,QACpBlhJ,SAAWmhJ,EAAEC,EACbC,OAASF,EAAEp3I,GAAK,EAChBu3I,YAAcH,EAAE5yJ,GAAK,MA4BvBkxB,SA3BAic,KAAO,IAETA,KAAO4lH,aAELA,aAAeA,YAAc5lH,OAqB/BA,KAAO4lH,aAGLD,OAAS,EAAG,OACRE,MAAQL,OAAS,EAInBzhI,MAHA8hI,QAAUN,gBAAgB1pK,OAEf,YAATd,MAAsBijK,oBAAsB,GAAKtwJ,MAAMtS,QAAQ,YAAc,EACvEiqK,cAAc9/J,WAAYy6C,KAAM17B,WAG/Bk5I,eAAiBD,UAAYv9G,MAAQ17B,UAGvCihJ,gBAAgBM,OAAOhzJ,EAAImtC,MAAQ17B,cAG9Cyf,MAAQ4hI,OAAS,QAEb7iJ,IAAMy7I,YAAcxiF,SAASlgF,OAASkoC,UACxCmd,OAASq9G,YAAcxiF,SAASlgF,YAC7BqlD,OAASp+B,KACdi5D,SAASl/E,KAAK,CACZqkD,OAAAA,OACA58B,SAAUA,SAAWi5I,UACrBv9G,KAAAA,KACAq8B,SAAAA,WAEFr8B,MAAQ17B,SACR48B,gBAGG66B,UAEH+pF,kBAAoB,kCAgFpBC,qBAAuB,CAAC54I,IAAK5rB,SAAW4rB,IAAIvV,QAAQkuJ,kBA1C5BvkK,CAAAA,QAAU,CAACuC,MAAOq9E,WAAY6kF,OAAQ78J,YACpD,OAAVrF,YAEK,YAEyB,IAAvBvC,OAAO4/E,mBACTr9E,YAEHhE,MAAQ,GAAKyB,OAAO4/E,kBACP,qBAAfA,WAEKrhF,OAKPqJ,MAHG68J,OAGKjoJ,SAAS5U,MAAO,IAFhB,EAINrJ,MAAMjE,QAAUsN,MACXrJ,gBAEC,IAAI5C,MAAMiM,MAAQrJ,MAAMjE,OAAS,GAAGwR,KAAK,aAAOvN,SAqBiBmmK,CAAsB1kK,SA4C7F2kK,qBAAuB,CAAC3gK,WAAYggK,yBAClCY,eAAiB,CACrBC,iBAAkB7gK,WAAWqT,GAC7BytJ,UAAW9gK,WAAWswE,WAAa,IAE/B8oF,eACJA,eAAiB,CACfG,UAAW,GACXvwB,MAAO,KAEPhpI,WACE+gK,WAAa1J,iBAAiB,CAClC7lF,QAASxxE,WAAWwxE,QACpB12E,OAAQ0lK,qBAAqBpH,eAAeG,UAAWqH,gBACvD53B,MAAOowB,eAAepwB,QAElBxyD,SA7CkB,EAACx2E,WAAYggK,kBAChChgK,WAAW+e,UAAaihJ,gBAUzBhgK,WAAW+e,SACNg6I,gBAAgB/4J,YAElB+/J,gBAAgB//J,WAAYggK,iBAV1B,CAAC,CACNrkH,OAAQ37C,WAAWg5J,aAAe,EAClCj6I,SAAU/e,WAAWi4J,eACrBx9G,KAAM,EACNq8B,SAAU92E,WAAWw4J,cAqCRwI,CAAkBhhK,WAAYggK,wBACxCxpF,SAAS1xE,KAAI+vE,UAClB+rF,eAAe77J,OAAS8vE,QAAQl5B,OAChCilH,eAAeliJ,KAAOm2D,QAAQp6B,WACxB1rB,IAAMyxI,qBAAqBxgK,WAAWmI,OAAS,GAAIy4J,gBAGnD5I,UAAYh4J,WAAWg4J,WAAa,EAEpCiJ,uBAAyBjhK,WAAWihK,wBAA0B,EAC9D5H,iBAGNr5J,WAAWw4J,aAAe3jF,QAAQp6B,KAAOwmH,wBAA0BjJ,gBACvD,CACVjpI,IAAAA,IACA+nD,SAAUjC,QAAQiC,SAClB/3D,SAAU81D,QAAQ91D,SAClBy4I,YAAajmF,aAAavxE,WAAWwxE,SAAW,GAAIziD,KACpDjqB,IAAKi8J,WACLplH,OAAQk5B,QAAQl5B,OAChB09G,iBAAAA,sBAkDA6H,iBAAmB,CAAClhK,WAAYggK,yBAC9BjhJ,SACJA,SADIoiJ,YAEJA,YAAc,GAFV3I,YAGJA,aACEx4J,eAGC+e,WAAaihJ,iBAAmBjhJ,UAAYihJ,sBACzC,IAAI7mK,MAAM05B,uCAEZuuI,cAAgBD,YAAYr8J,KAAIu8J,kBA3CN,EAACrhK,WAAYshK,oBACvC9vF,QACJA,QADI4nF,eAEJA,eAAiB,IACfp5J,WACEs5J,YAAcjC,iBAAiB,CACnC7lF,QAAAA,QACA12E,OAAQs+J,eAAeG,UACvBvwB,MAAOowB,eAAepwB,QAElBn0D,QAAUwiF,iBAAiB,CAC/B7lF,QAAAA,QACA12E,OAAQwmK,WAAWn5J,MACnB6gI,MAAOs4B,WAAWC,oBAEpB1sF,QAAQ/vE,IAAMw0J,YACPzkF,SA2BmD2sF,CAA0BxhK,WAAYqhK,wBAC5F7H,gBACAz6I,WACFy6I,gBAAkBT,gBAAgB/4J,aAEhCggK,kBACFxG,gBAAkBuG,gBAAgB//J,WAAYggK,yBAE/BxG,gBAAgB10J,KAAI,CAACu7J,YAAazqK,YAC7CwrK,cAAcxrK,OAAQ,OAClBi/E,QAAUusF,cAAcxrK,OAGxBoiK,UAAYh4J,WAAWg4J,WAAa,EAEpCiJ,uBAAyBjhK,WAAWihK,wBAA0B,SACpEpsF,QAAQiC,SAAWupF,YAAYvpF,SAC/BjC,QAAQ91D,SAAWshJ,YAAYthJ,SAC/B81D,QAAQl5B,OAAS0kH,YAAY1kH,OAC7Bk5B,QAAQwkF,iBAAmBb,aAAe6H,YAAY5lH,KAAOwmH,wBAA0BjJ,UAChFnjF,YAIRz7E,QAAOy7E,SAAWA,WAGjB4sF,iBAAmBC,aAInBC,kBACAC,YALoB5hK,WACxBA,WADwB6hK,YAExBA,oBAIIA,YAAYC,UACdF,WAAajB,qBACbgB,kBAAoB1K,QAAQj3J,WAAY6hK,YAAYC,WAC3CD,YAAYz2E,MACrBw2E,WAAazI,iBACbwI,kBAAoB1K,QAAQj3J,WAAY6hK,YAAYz2E,OAC3Cy2E,YAAYn8I,OACrBk8I,WAAaV,iBACbS,kBAAoB1K,QAAQj3J,WAAY6hK,YAAYn8I,aAEhDq8I,aAAe,CACnB/hK,WAAAA,gBAEG4hK,kBACIG,mBAEHvrF,SAAWorF,WAAWD,kBAAmBE,YAAY7B,oBAIvD2B,kBAAkB5iJ,SAAU,OACxBA,SACJA,SADIi5I,UAEJA,UAAY,GACV2J,kBACJA,kBAAkB5iJ,SAAWA,SAAWi5I,eAC/BxhF,SAASlgF,OAGlBqrK,kBAAkB5iJ,SAAWy3D,SAASp8E,QAAO,CAACiM,IAAKwuE,UAC1CzuE,KAAKC,IAAIA,IAAKD,KAAK44B,KAAK61C,QAAQ91D,YACtC,GAEH4iJ,kBAAkB5iJ,SAAW,SAE/BgjJ,aAAa/hK,WAAa2hK,kBAC1BI,aAAavrF,SAAWA,SAEpBqrF,YAAYz2E,MAAQu2E,kBAAkBpK,aACxCwK,aAAarI,KAAOljF,SAAS,GAC7BurF,aAAavrF,SAAW,IAEnBurF,cAEHC,YAAcC,iBAAmBA,gBAAgBn9J,IAAI28J,kBACrDS,aAAe,CAAC/gK,QAASzK,OAASqb,KAAK5Q,QAAQk7B,YAAYjjC,QAAO+oK,aAACriK,QACvEA,uBACIA,UAAYpJ,QACZ0rK,WAAajhK,SAAWA,QAAQZ,YAAYtB,OAY5CojK,cAAgBrjK,YAQdT,MADgB,+EACMI,KAAKK,SAC5BT,aACI,QAEF+jK,KAAMC,MAAOC,IAAKC,KAAMC,OAAQC,QAAUpkK,MAAMzI,MAAM,UAXrC,QAYjB2I,WAAW6jK,MAAQ,GAXD,OAWwB7jK,WAAW8jK,OAAS,GAV9C,MAUsE9jK,WAAW+jK,KAAO,GATvF,KAS6G/jK,WAAWgkK,MAAQ,GARjI,GAQwJhkK,WAAWikK,QAAU,GAAsBjkK,WAAWkkK,QAAU,IAa3OC,QAAU,CAUdC,0BAA0BtoK,OACjB8nK,cAAc9nK,OAYvBg+J,sBAAsBh+J,aA/BJ,oCAGJ7C,KANEsH,IAmCGzE,SA5BjByE,KAAO,KAEFi1E,KAAKlkD,MAAM/wB,KA0BU,IAnCZA,IAAAA,KA8ChBy5J,oBAAoBl+J,OACX8nK,cAAc9nK,OAWvBgkK,2BAA2BhkK,OAClB8nK,cAAc9nK,OAWvB/E,KAAK+E,OACIA,MAWTm+J,qBAAqBn+J,OACZ8nK,cAAc9nK,OAWvB+iB,MAAM/iB,OACG8nK,cAAc9nK,OAUvBqJ,MAAMrJ,OACGie,SAASje,MAAO,IAUzBmJ,OAAOnJ,OACEie,SAASje,MAAO,IAUzB+1E,UAAU/1E,OACDie,SAASje,MAAO,IAUzBg2E,UAAUh2E,OA5JeA,CAAAA,OAClBkE,WAAWlE,MAAMsH,MAAM,KAAKzH,QAAO,CAACuH,KAAMC,UAAYD,KAAOC,WA4J3DkhK,CAAmBvoK,OAU5By+J,YAAYz+J,OACHie,SAASje,MAAO,IAUzBy9J,UAAUz9J,OACDie,SAASje,MAAO,IAWzB0mK,uBAAuB1mK,OACdie,SAASje,MAAO,IAczBwkB,SAASxkB,aACDwoK,YAAcvqJ,SAASje,MAAO,WAChCoe,MAAMoqJ,aACDV,cAAc9nK,OAEhBwoK,aAUT5C,EAAE5lK,OACOie,SAASje,MAAO,IAWzB+S,EAAE/S,OACOie,SAASje,MAAO,IAWzBuuB,EAAEvuB,OACOie,SAASje,MAAO,IAWzB8+J,iBAAiB9+J,OACRie,SAASje,MAAO,IAWzBtB,QAAQsB,OACCA,OAaLyoK,gBAAkB9iK,IAChBA,IAAMA,GAAGF,WAGR+R,KAAK7R,GAAGF,YAAY5F,QAAO,CAAC2/B,EAAG1yB,WAC9B47J,QAAUL,QAAQv7J,EAAE3Q,OAASksK,QAAQ3pK,eAC3C8gC,EAAE1yB,EAAE3Q,MAAQusK,QAAQ57J,EAAE9M,OACfw/B,IACN,IANM,GAQLmpI,cAAgB,iDAC6B,kEACA,qEACA,0EACA,yDAEb,iBAahCC,cAAgB,CAACrJ,WAAYsJ,kBAC5BA,gBAAgB9sK,OAGd6gK,QAAQ2C,WAAWh1J,KAAI,SAAUs7B,kBAC/BgjI,gBAAgBt+J,KAAI,SAAUu+J,sBAC7BC,eAAiBlB,WAAWiB,gBAC5BE,gBAAkBhyF,aAAanxC,UAAUoxC,QAAS8xF,gBAClDE,aAAevM,QAAQ+L,gBAAgBK,gBAAiB,CAC5D7xF,QAAS+xF,yBAIPA,kBAAoBD,iBAAmBE,aAAazG,iBAAmB38H,UAAU28H,kBACnFyG,aAAazG,gBAAkB38H,UAAU28H,iBAEpCyG,oBAdF1J,WAyCL2J,sBAAwBC,sBACtBC,gBAAkBzB,aAAawB,cAAe,mBAAmB,GACjEE,YAAc1B,aAAawB,cAAe,eAAe,GACzDvC,YAAcyC,aAAe1B,aAAa0B,YAAa,cAAc9+J,KAAIiZ,GAAKk5I,QAAQ,CAC1Fv0J,IAAK,cACJsgK,gBAAgBjlJ,MACb8lJ,YAAc3B,aAAawB,cAAe,eAAe,GACzDI,0BAA4BF,aAAeD,gBAC3C3D,gBAAkB8D,2BAA6B5B,aAAa4B,0BAA2B,mBAAmB,GAC1GC,gCAAkCH,aAAeC,aAAeF,gBAChEK,sBAAwBD,iCAAmC7B,aAAa6B,gCAAiC,kBAAkB,GAM3HjC,SAAW6B,iBAAmBX,gBAAgBW,iBAChD7B,UAAYkC,sBACdlC,SAAS1I,eAAiB4K,uBAAyBhB,gBAAgBgB,uBAC1DlC,UAAYA,SAAS1I,iBAI9B0I,SAAS1I,eAAiB,CACxBG,UAAWuI,SAAS1I,uBAGlByI,YAAc,CAClBC,SAAAA,SACA9B,gBAAiBA,iBAAmBkC,aAAalC,gBAAiB,KAAKl7J,KAAIiZ,GAAKilJ,gBAAgBjlJ,KAChG2H,KAAMk+I,aAAe3M,QAAQ+L,gBAAgBY,aAAc,CACzDzC,YAAAA,YACA/H,eAAgB4J,gBAAgBgB,yBAElC54E,KAAMy4E,aAAe5M,QAAQ+L,gBAAgBa,aAAc,CACzDzK,eAAgB4J,gBAAgBgB,iCAGpCrqK,OAAOG,KAAK+nK,aAAa3nK,SAAQC,MAC1B0nK,YAAY1nK,aACR0nK,YAAY1nK,QAGhB0nK,aAiKHoC,cAAgBhhC,QAEbk0B,QAAQ+K,aAAaj/B,OAAOr8H,KAAM,eAAe9B,KAAIw5J,oBACpD4F,sBAAwBlB,gBAAgB1E,aACxCxmF,YAAcosF,sBAAsBpsF,mBAEnCoqF,aAAa5D,YAAa,SAASx5J,KAAIP,cACtC4/J,gBAAkBnB,gBAAgBz+J,OAClC80J,iBAAmB8K,gBAAgB9K,kBAAoB,EACvDrB,UAAYkM,sBAAsBlM,WAAa,EAC/Cj5I,SAAWolJ,gBAAgBplJ,UAAY,EACvCzB,MAAQ+7I,iBAAmBrB,UAAY/0B,OAAOjjI,WAAWsd,YACxD,CACLw6D,YAAAA,YACAv9E,MAAO2pK,sBAAsB3pK,MAC7B8Y,GAAI8wJ,gBAAgB9wJ,GACpBiK,MAAAA,MACAC,IAAKD,MAAQyB,SAAWi5I,UACxBoM,YAAahC,WAAW79J,QAAU4/J,gBAAgBC,YAClDC,gBAAiBH,sBAAsBG,gBACvCpD,uBAAwBiD,sBAAsBjD,wBAA0B,UA+B1EqD,kBAAoB,CAACC,iBAAkBC,eAAgBC,oBAAsBf,sBAC3EgB,wBAA0B1B,gBAAgBU,eAC1CiB,sBAAwBxB,cAAcqB,eAAgBtC,aAAawB,cAAe,YAClFhiJ,KAAOwgJ,aAAawB,cAAe,QAAQ,GAC3CkB,eAAiB,CACrBljJ,KAAMshJ,gBAAgBthJ,WAEpB9e,MAAQq0J,QAAQsN,iBAAkBG,wBAAyBE,sBACzDC,cAAgB3C,aAAawB,cAAe,iBAAiB,GAC7D/E,gBAvI4BgB,CAAAA,aAEN,kCAAxBA,QAAQ7nF,mBAC8B,iBAAlB6nF,QAAQplK,MAAqB,GAAKolK,QAAQplK,MAAMsH,MAAM,MAC9DiD,KAAIvK,YACZqlK,QACA/qJ,gBAEJA,SAAWta,MACP,SAAS7C,KAAK6C,QACfqlK,QAAS/qJ,UAAYta,MAAMsH,MAAM,KACzB,SAASnK,KAAK6C,SACvBqlK,QAAUrlK,OAEL,CACLqlK,QAAAA,QACA/qJ,SAAAA,aAGC,GAA4B,kCAAxB8qJ,QAAQ7nF,mBACuB,iBAAlB6nF,QAAQplK,MAAqB,GAAKolK,QAAQplK,MAAMsH,MAAM,MAC9DiD,KAAIvK,cACVuqK,MAAQ,cAEDxsK,gBAGCA,cAGG,aAID,OAIR,MAEJ,IAAIZ,KAAK6C,OAAQ,OACZqlK,QAAS3yJ,KAAO,IAAM1S,MAAMsH,MAAM,KACzCijK,MAAMlF,QAAUA,QAChBkF,MAAMjwJ,SAAWta,MACjB0S,KAAKpL,MAAM,KAAK3H,SAAQ6qK,YACfruK,KAAM4J,KAAOykK,IAAIljK,MAAM,KACjB,SAATnL,KACFouK,MAAMjwJ,SAAWvU,IACC,OAAT5J,KACTouK,MAAMjF,WAAa96J,OAAOzE,KACR,QAAT5J,KACTouK,MAAMjmG,YAAc95D,OAAOzE,KACT,OAAT5J,OACTouK,MAAM,MAAQ//J,OAAOzE,cAIzBwkK,MAAMjwJ,SAAWta,aAEfuqK,MAAMlF,UACRkF,MAAMlF,QAAU,UAAYkF,MAAMlF,SAE7BkF,UAyEaE,CAA4BhC,gBAAgB6B,gBAChElG,kBACF/7J,MAAQq0J,QAAQr0J,MAAO,CACrB+7J,gBAAAA,yBAGE78I,MAAQogJ,aAAawB,cAAe,SAAS,MAC/C5hJ,OAASA,MAAMua,WAAW/lC,OAAQ,OAC9B2uK,SAAWnjJ,MAAMua,WAAW,GAAGiuD,UAAUrrF,OAC/C2D,MAAQq0J,QAAQr0J,MAAO,CACrBkf,MAAOmjJ,iBAGLrtF,kBAAiDsqF,aAAawB,cAAe,qBA5KrDtpK,QAAO,CAACsb,IAAK9O,cACnC5G,WAAagjK,gBAAgBp8J,MAK/B5G,WAAW83E,cACb93E,WAAW83E,YAAc93E,WAAW83E,YAAYlzE,qBAE5CsgK,UAAYhC,cAAcljK,WAAW83E,gBACvCotF,UAAW,CACbxvJ,IAAIwvJ,WAAa,CACfllK,WAAAA,kBAEImlK,SAAWjD,aAAat7J,KAAM,aAAa,MAC7Cu+J,SAAU,OACNntF,KAAOoqF,WAAW+C,UACxBzvJ,IAAIwvJ,WAAWltF,KAAOA,MAAQ7F,sBAAsB6F,cAGjDtiE,MACN,IAwJC/b,OAAOG,KAAK89E,mBAAmBthF,SACjCsM,MAAQq0J,QAAQr0J,MAAO,CACrBg1E,kBAAAA,2BAGEiqF,YAAc4B,sBAAsBC,eACpCzB,gBAAkBC,aAAawB,cAAe,kBAC9C0B,yBAA2BnO,QAAQwN,kBAAmB5C,oBACrD1K,QAAQ8K,gBAAgBn9J,IA5MT,EAAC4/J,wBAAyBC,sBAAuBS,2BAA6Bh1F,uBAC9Fi1F,mBAAqBnD,aAAa9xF,eAAgB,WAClDk1F,YAAcnC,cAAcwB,sBAAuBU,oBACnDrlK,WAAai3J,QAAQyN,wBAAyB1B,gBAAgB5yF,iBAC9Dm1F,0BAA4B9B,sBAAsBrzF,uBACjDk1F,YAAYxgK,KAAI0sE,UACd,CACLqwF,YAAa5K,QAAQmO,yBAA0BG,2BAC/CvlK,WAAYi3J,QAAQj3J,WAAYwxE,cAoMDg0F,CAAgB5iK,MAAO+hK,sBAAuBS,6BAuC7EK,iBAAmB,CAACC,cAAeC,cAAgB,CAAC1iC,OAAQrtI,eAC1D4uK,eAAiBrB,cAAcwC,YAAazD,aAAaj/B,OAAOr8H,KAAM,YACtE29J,iBAAmBtN,QAAQyO,cAAe,CAC9ClN,YAAav1B,OAAOjjI,WAAWsd,QAES,iBAA/B2lH,OAAOjjI,WAAW+e,WAC3BwlJ,iBAAiBrM,eAAiBj1B,OAAOjjI,WAAW+e,gBAEhD6mJ,eAAiB1D,aAAaj/B,OAAOr8H,KAAM,iBAC3C69J,kBAAoBhB,sBAAsBxgC,OAAOr8H,aAChDuwJ,QAAQyO,eAAe9gK,IAAIw/J,kBAAkBC,iBAAkBC,eAAgBC,sBAiBlFoB,mCAAqC,CAACC,qBAAsBC,mBAE5DD,qBAAqBxvK,OAAS,GAChCyvK,aAAa,CACXvwK,KAAM,OACN0pB,QAAS,0EAIR4mJ,qBAAqBxvK,cACjB,WAEH0vK,2BAA6B/O,QAAQ,CACzCgP,UAAW7D,WAAW0D,qBAAqB,KAC1C9C,gBAAgB8C,qBAAqB,YAGxCE,2BAA2BE,iBAAmE,SAAhDF,2BAA2BE,iBAClEF,4BAiBHG,eAAiBC,aAACpmK,WACtBA,WADsBqmK,sBAEtBA,sBAFsBC,QAGtBA,sBAgBgC,iBAArBtmK,WAAWsd,MACbtd,WAAWsd,MAGhB+oJ,uBAAgE,iBAAhCA,sBAAsB/oJ,OAAgE,iBAAnC+oJ,sBAAsBtnJ,SACpGsnJ,sBAAsB/oJ,MAAQ+oJ,sBAAsBtnJ,SAGxDsnJ,uBAAqC,WAAZC,QAUvB,KATE,GA6BLC,kBAAoB,SAACl4H,SAAK7yC,+DAAU,SAClCgrK,YACJA,YAAc,GADVnO,IAEJA,IAAMpkF,KAAKxlE,MAFP6pJ,aAGJA,aAAe,EAHXyN,aAUJA,aAAe,cACbvqK,QACEirK,YAAcvE,aAAa7zH,IAAK,cACjCo4H,YAAYnwK,aACT,IAAI6C,MAAM05B,uCAEZurI,UAAY8D,aAAa7zH,IAAK,YAC9Bq3H,cAAgB1C,gBAAgB30H,KAChCs3H,YAAcxC,cAAc,CAAC,CACjC3xF,QAASg1F,cACPtE,aAAa7zH,IAAK,YAChBy3H,qBAAuB5D,aAAa7zH,IAAK,mBAE/Cq3H,cAAclwK,KAAOkwK,cAAclwK,MAAQ,SAC3CkwK,cAAczN,eAAiByN,cAAc7C,2BAA6B,EAC1E6C,cAAcrN,IAAMA,IACpBqN,cAAcpN,aAAeA,aACzB8F,UAAU9nK,SACZovK,cAActH,UAAYA,UAAUt5J,IAAIs9J,mBAEpCsE,QAAU,UAKhBD,YAAYvsK,SAAQ,CAAC0M,KAAMhR,eACnBoK,WAAagjK,gBAAgBp8J,MAG7B+/J,YAAcD,QAAQ9wK,MAAQ,GACpCoK,WAAWsd,MAAQ6oJ,eAAe,CAChCnmK,WAAAA,WACAqmK,sBAAuBM,YAAcA,YAAY3mK,WAAa,KAC9DsmK,QAASZ,cAAclwK,OAEzBkxK,QAAQpvK,KAAK,CACXsP,KAAAA,KACA5G,WAAAA,gBAGG,CACLo+J,UAAWsH,cAActH,UACzBwI,oBAAqBf,mCAAmCC,qBAAsBC,cAQ9Ec,mBAAoB1P,QAAQuP,QAAQ5hK,IAAI2gK,iBAAiBC,cAAeC,eACxErH,YAAanH,QAAQuP,QAAQ5hK,IAAIm/J,kBAG/B6C,eAAiBC,oBACE,KAAnBA,qBACI,IAAI5tK,MAAM05B,kCAEZL,OAAS,IAAIqrC,cACfy4F,IACAjoH,QAEFioH,IAAM9jI,OAAOsrC,gBAAgBipG,eAAgB,mBAC7C14H,IAAMioH,KAAuC,QAAhCA,IAAIrqJ,gBAAgBnM,QAAoBw2J,IAAIrqJ,gBAAkB,KAC3E,MAAO5E,QAEJgnC,KAAOA,KAAOA,IAAIzlC,qBAAqB,eAAetS,OAAS,QAC5D,IAAI6C,MAAM05B,gCAEXwb,KA6EH24H,eAAiBD,gBAjEM14H,CAAAA,YACrB44H,cAAgB/E,aAAa7zH,IAAK,aAAa,OAChD44H,qBACI,WAEHjnK,WAAagjK,gBAAgBiE,sBAC3BjnK,WAAW83E,iBACZ,uCACA,mCACH93E,WAAWR,OAAS,iBAEjB,yCACA,sCACA,yCACA,kCACHQ,WAAWR,OAAS,gBAEjB,oCACA,gCACHQ,WAAWR,OAAS,SACpBQ,WAAWzF,MAAQ05E,KAAKlkD,MAAM/vB,WAAWzF,2BAMnC,IAAIpB,MAAM05B,6CAEb7yB,YAqCgCknK,CAAqBJ,eAAeC,qBAEzEI,WAAa/gK,KAAKghK,IAAI,EAAG,IAkBzBC,UAjBc,SAAUC,WAEtB/sK,MADAgtK,GAAK,IAAIC,SAASF,MAAMnmI,OAAQmmI,MAAMppF,WAAYopF,MAAMnpF,mBAExDopF,GAAGE,cACLltK,MAAQgtK,GAAGE,aAAa,IACZ1iK,OAAO4yJ,iBACV5yJ,OAAOxK,OAETA,MAEFgtK,GAAGG,UAAU,GAAKP,WAAaI,GAAGG,UAAU,IA6CjDC,YArCY,SAAUv9J,UACpBq1E,KAAO,IAAI+nF,SAASp9J,KAAK+2B,OAAQ/2B,KAAK8zE,WAAY9zE,KAAK+zE,YACzDvjF,OAAS,CACPwD,QAASgM,KAAK,GACd06J,MAAO,IAAIv2I,WAAWnkB,KAAKw9J,SAAS,EAAG,IACvC9N,WAAY,GACZ+N,YAAapoF,KAAKioF,UAAU,GAC5B1P,UAAWv4E,KAAKioF,UAAU,IAE5BrxK,EAAI,GACiB,IAAnBuE,OAAOwD,SACTxD,OAAOktK,yBAA2BroF,KAAKioF,UAAUrxK,GACjDuE,OAAOo/J,YAAcv6E,KAAKioF,UAAUrxK,EAAI,GACxCA,GAAK,IAGLuE,OAAOktK,yBAA2BT,UAAUj9J,KAAKw9J,SAASvxK,IAC1DuE,OAAOo/J,YAAcqN,UAAUj9J,KAAKw9J,SAASvxK,EAAI,IACjDA,GAAK,IAEPA,GAAK,MAED0xK,eAAiBtoF,KAAKuoF,UAAU3xK,OACpCA,GAAK,EAEE0xK,eAAiB,EAAG1xK,GAAK,GAAI0xK,iBAClCntK,OAAOk/J,WAAWxiK,KAAK,CACrByiK,eAA0B,IAAV3vJ,KAAK/T,MAAe,EACpC4jK,eAAoC,WAApBx6E,KAAKioF,UAAUrxK,GAC/B6jK,mBAAoBz6E,KAAKioF,UAAUrxK,EAAI,GACvC4xK,iBAAgC,IAAd79J,KAAK/T,EAAI,IAC3B6xK,SAAwB,IAAd99J,KAAK/T,EAAI,MAAe,EAClC8xK,aAAsC,UAAxB1oF,KAAKioF,UAAUrxK,EAAI,YAG9BuE,QAILwtK,IAAMpqF,QAAQ,CAAC,GAAM,GAAM,KAc3BqqF,aAAe,SAASA,aAAapqF,MAAOpL,oBAC/B,IAAXA,SACFA,OAAS,IAEXoL,MAAQD,QAAQC,QACN3nF,OAASu8E,OAAS,KAAO6M,WAAWzB,MAAOmqF,IAAK,CACxDv1F,OAAQA,SAEDA,QAETA,QAvBe,SAAoBoL,MAAOpL,aAC3B,IAAXA,SACFA,OAAS,OAGPiyF,OADJ7mF,MAAQD,QAAQC,QACEpL,OAAS,GACvBy1F,WAAarqF,MAAMpL,OAAS,IAAM,GAAKoL,MAAMpL,OAAS,IAAM,GAAKoL,MAAMpL,OAAS,IAAM,EAAIoL,MAAMpL,OAAS,UAChF,GAARiyF,QAAe,EAE3BwD,WAAa,GAEfA,WAAa,GAYVC,CAAWtqF,MAAOpL,QAIrBw1F,aAAapqF,MAAOpL,UAGzB21F,gBAAkB,SAAuBvgJ,YACvB,iBAATA,KACFq3D,cAAcr3D,MAGdA,MAiCPwgJ,QAAU,SAASA,QAAQxqF,MAAOyqF,MAAOC,eAC1B,IAAbA,WACFA,UAAW,GAEbD,MAjCqB,SAAwBA,cACxC/wK,MAAMC,QAAQ8wK,OAGZA,MAAM5jK,KAAI,SAAU26B,UAClB+oI,gBAAgB/oI,MAHhB,CAAC+oI,gBAAgBE,QA+BlBE,CAAiBF,OACzBzqF,MAAQD,QAAQC,WACZ4qF,QAAU,OACTH,MAAMpyK,cAEFuyK,gBAELxyK,EAAI,EACDA,EAAI4nF,MAAM3nF,QAAQ,KACnBqZ,MAAQsuE,MAAM5nF,IAAM,GAAK4nF,MAAM5nF,EAAI,IAAM,GAAK4nF,MAAM5nF,EAAI,IAAM,EAAI4nF,MAAM5nF,EAAI,MAAQ,EACpFb,KAAOyoF,MAAM2pF,SAASvxK,EAAI,EAAGA,EAAI,MAExB,IAATsZ,eAGA4N,IAAMlnB,EAAIsZ,QACV4N,IAAM0gE,MAAM3nF,OAAQ,IAGlBqyK,eAGJprJ,IAAM0gE,MAAM3nF,WAEV8T,KAAO6zE,MAAM2pF,SAASvxK,EAAI,EAAGknB,KAC7BmiE,WAAWlqF,KAAMkzK,MAAM,MACJ,IAAjBA,MAAMpyK,OAGRuyK,QAAQvxK,KAAK8S,MAGby+J,QAAQvxK,KAAKwW,MAAM+6J,QAASJ,QAAQr+J,KAAMs+J,MAAM5yK,MAAM,GAAI6yK,YAG9DtyK,EAAIknB,WAGCsrJ,SAOLC,UAAY,CACdC,KAAM/qF,QAAQ,CAAC,GAAM,GAAM,IAAM,MACjCgrF,QAAShrF,QAAQ,CAAC,GAAM,MACxBirF,QAASjrF,QAAQ,CAAC,GAAM,GAAM,IAAM,MACpCkrF,YAAalrF,QAAQ,CAAC,GAAM,GAAM,IAAM,MACxCmrF,OAAQnrF,QAAQ,CAAC,GAAM,GAAM,IAAM,MACnCx2D,MAAOw2D,QAAQ,CAAC,MAChBorF,YAAaprF,QAAQ,CAAC,MACtBqrF,gBAAiBrrF,QAAQ,CAAC,GAAM,IAAM,MACtCsrF,WAAYtrF,QAAQ,CAAC,MACrBurF,UAAWvrF,QAAQ,CAAC,MACpBwrF,YAAaxrF,QAAQ,CAAC,MACtByrF,QAASzrF,QAAQ,CAAC,MAClB0rF,aAAc1rF,QAAQ,CAAC,GAAM,MAC7B5oD,WAAY4oD,QAAQ,CAAC,MACrB9oD,WAAY8oD,QAAQ,CAAC,MAIrB2rF,QAAS3rF,QAAQ,CAAC,GAAM,GAAM,IAAM,MACpC4rF,UAAW5rF,QAAQ,CAAC,MACpB6rF,eAAgB7rF,QAAQ,CAAC,GAAM,IAAM,MACrC8rF,WAAY9rF,QAAQ,CAAC,MACrB+rF,cAAe/rF,QAAQ,CAAC,MACxBgsF,MAAOhsF,QAAQ,CAAC,MAChBisF,YAAajsF,QAAQ,CAAC,OAUpBksF,aAAe,CAAC,IAAK,GAAI,GAAI,GAAI,EAAG,EAAG,EAAG,GAgB1CC,QAAU,SAAiBlsF,MAAOpL,OAAQu3F,aAAc3rF,aACrC,IAAjB2rF,eACFA,cAAe,QAEF,IAAX3rF,SACFA,QAAS,OAEPnoF,OAtBU,SAAmBuoF,cAC7B70D,IAAM,EACD3zB,EAAI,EAAGA,EAAI6zK,aAAa5zK,UAC3BuoF,KAAOqrF,aAAa7zK,IADeA,IAIvC2zB,aAEKA,IAcMqgJ,CAAUpsF,MAAMpL,SACzBy3F,WAAarsF,MAAM2pF,SAAS/0F,OAAQA,OAASv8E,eAK7C8zK,gBACFE,WAAa3yK,MAAMiC,UAAU9D,MAAM2E,KAAKwjF,MAAOpL,OAAQA,OAASv8E,SACrD,IAAM4zK,aAAa5zK,OAAS,IAElC,CACLA,OAAQA,OACRiE,MAAOgkF,cAAc+rF,WAAY,CAC/B7rF,OAAQA,SAEVR,MAAOqsF,aAGPC,cAAgB,SAASA,cAActiJ,YACrB,iBAATA,KACFA,KAAK1pB,MAAM,WAAWuG,KAAI,SAAU26B,UAClC8qI,cAAc9qI,MAGL,iBAATxX,KACF82D,cAAc92D,MAEhBA,MAULuiJ,oBAAsB,SAASA,oBAAoBn3J,GAAI4qE,MAAOpL,WAC5DA,QAAUoL,MAAM3nF,cACX2nF,MAAM3nF,WAEXm0K,QAAUN,QAAQlsF,MAAOpL,QAAQ,MACjC6M,WAAWrsE,GAAG4qE,MAAOwsF,QAAQxsF,cACxBpL,WAEL63F,WAAaP,QAAQlsF,MAAOpL,OAAS43F,QAAQn0K,eAC1Ck0K,oBAAoBn3J,GAAI4qE,MAAOpL,OAAS63F,WAAWp0K,OAASo0K,WAAWnwK,MAAQkwK,QAAQn0K,SAsB5Fq0K,SAAW,SAASA,SAAS1sF,MAAOyqF,OACtCA,MAxCmB,SAAwBA,cACtC/wK,MAAMC,QAAQ8wK,OAGZA,MAAM5jK,KAAI,SAAU26B,UAClB8qI,cAAc9qI,MAHd,CAAC8qI,cAAc7B,QAsChBkC,CAAelC,OACvBzqF,MAAQD,QAAQC,WACZ4qF,QAAU,OACTH,MAAMpyK,cACFuyK,gBAELxyK,EAAI,EACDA,EAAI4nF,MAAM3nF,QAAQ,KACnB+c,GAAK82J,QAAQlsF,MAAO5nF,GAAG,GACvBq0K,WAAaP,QAAQlsF,MAAO5nF,EAAIgd,GAAG/c,QACnCu0K,UAAYx0K,EAAIgd,GAAG/c,OAASo0K,WAAWp0K,OAElB,MAArBo0K,WAAWnwK,QACbmwK,WAAWnwK,MAAQiwK,oBAAoBn3J,GAAI4qE,MAAO4sF,WAC9CH,WAAWnwK,QAAU0jF,MAAM3nF,SAC7Bo0K,WAAWnwK,OAASswK,gBAGpBC,QAAUD,UAAYH,WAAWnwK,MAAQ0jF,MAAM3nF,OAAS2nF,MAAM3nF,OAASu0K,UAAYH,WAAWnwK,MAC9F6P,KAAO6zE,MAAM2pF,SAASiD,UAAWC,SACjCprF,WAAWgpF,MAAM,GAAIr1J,GAAG4qE,SACL,IAAjByqF,MAAMpyK,OAGRuyK,QAAQvxK,KAAK8S,MAIby+J,QAAUA,QAAQnzK,OAAOi1K,SAASvgK,KAAMs+J,MAAM5yK,MAAM,MAKxDO,GAFkBgd,GAAG/c,OAASo0K,WAAWp0K,OAAS8T,KAAK9T,cAIlDuyK,SAGLkC,aAAe/sF,QAAQ,CAAC,EAAM,EAAM,EAAM,IAC1CgtF,aAAehtF,QAAQ,CAAC,EAAM,EAAM,IACpCitF,qBAAuBjtF,QAAQ,CAAC,EAAM,EAAM,IAW5CktF,gCAAkC,SAAyCjtF,eACzEktF,UAAY,GACZ90K,EAAI,EAEDA,EAAI4nF,MAAM3nF,OAAS,GACpBopF,WAAWzB,MAAM2pF,SAASvxK,EAAGA,EAAI,GAAI40K,wBACvCE,UAAU7zK,KAAKjB,EAAI,GACnBA,KAEFA,OAIuB,IAArB80K,UAAU70K,cACL2nF,UAGLmtF,UAAYntF,MAAM3nF,OAAS60K,UAAU70K,OACrC+0K,QAAU,IAAI98I,WAAW68I,WACzBE,YAAc,MACbj1K,EAAI,EAAGA,EAAI+0K,UAAWE,cAAej1K,IACpCi1K,cAAgBH,UAAU,KAE5BG,cAEAH,UAAUz6J,SAEZ26J,QAAQh1K,GAAK4nF,MAAMqtF,oBAEdD,SAELE,QAAU,SAAiBttF,MAAOutF,SAAU7gK,MAAO8gK,eACpC,IAAbA,WACFA,SAAWrtJ,EAAAA,GAEb6/D,MAAQD,QAAQC,OAChBtzE,MAAQ,GAAGjV,OAAOiV,eAEd+gK,SADAr1K,EAAI,EAEJs1K,UAAY,EAMTt1K,EAAI4nF,MAAM3nF,SAAWq1K,UAAYF,UAAYC,WAAW,KACzDE,eAAY,KACZlsF,WAAWzB,MAAM2pF,SAASvxK,GAAI00K,cAChCa,UAAY,EACHlsF,WAAWzB,MAAM2pF,SAASvxK,GAAI20K,gBACvCY,UAAY,GAITA,cAILD,YACID,gBACKR,gCAAgCjtF,MAAM2pF,SAAS8D,SAAUr1K,QAE9Dw1K,aAAU,EACG,SAAbL,SACFK,QAAiC,GAAvB5tF,MAAM5nF,EAAIu1K,WACE,SAAbJ,WACTK,QAAU5tF,MAAM5nF,EAAIu1K,YAAc,EAAI,KAER,IAA5BjhK,MAAM9U,QAAQg2K,WAChBH,SAAWr1K,EAAIu1K,WAGjBv1K,GAAKu1K,WAA0B,SAAbJ,SAAsB,EAAI,QAjB1Cn1K,WAmBG4nF,MAAM2pF,SAAS,EAAG,IASvBkE,UAAY,MAEN9tF,QAAQ,CAAC,IAAM,IAAM,GAAM,eAEvBA,QAAQ,CAAC,IAAM,GAAM,IAAM,IAAM,IAAM,IAAM,IAAM,UAEvDA,QAAQ,CAAC,IAAM,GAAM,GAAM,SAE5BA,QAAQ,CAAC,GAAM,IAAM,IAAM,SAG3BA,QAAQ,CAAC,GAAM,WAEdA,QAAQ,CAAC,GAAM,GAAM,GAAM,SAE5BA,QAAQ,CAAC,GAAM,GAAM,SAErBA,QAAQ,CAAC,GAAM,GAAM,GAAM,WAE3BA,QAAQ,CAAC,IAAM,IAAM,IAAM,IAAM,GAAM,UAEvCA,QAAQ,CAAC,IAAM,IAAM,IAAM,WAE1BA,QAAQ,CAAC,IAAM,IAAM,IAAM,UAE5BA,QAAQ,CAAC,IAAM,IAAM,IAAM,IAAM,IAAM,WAEtCA,QAAQ,CAAC,IAAM,IAAM,IAAM,WAE3BA,QAAQ,CAAC,IAAM,IAAM,IAAM,OAEjC+tF,UAAY,CACdh+H,IAAK,SAAakwC,WACZpL,OAASw1F,aAAapqF,cACnByB,WAAWzB,MAAO,CAAC,IAAM,IAAO,CACrCpL,OAAQA,OACRkN,KAAM,CAAC,IAAM,OAGjBjyC,IAAK,SAAamwC,WACZpL,OAASw1F,aAAapqF,cACnByB,WAAWzB,MAAO,CAAC,IAAM,GAAO,CACrCpL,OAAQA,OACRkN,KAAM,CAAC,IAAM,MAGjB/D,KAAM,SAAciC,WACd+tF,QAAUrB,SAAS1sF,MAAO,CAAC6qF,UAAUC,KAAMD,UAAUE,UAAU,UAE5DtpF,WAAWssF,QAASF,UAAU9vF,OAEvCpuC,IAAK,SAAaqwC,WACZ+tF,QAAUrB,SAAS1sF,MAAO,CAAC6qF,UAAUC,KAAMD,UAAUE,UAAU,UAE5DtpF,WAAWssF,QAASF,UAAUG,WAEvCx+H,IAAK,SAAawwC,cAEZ8tF,UAAU,OAAO9tF,SAAU8tF,UAAUr+H,IAAIuwC,YAIzCyB,WAAWzB,MAAO6tF,UAAUr+H,IAAK,CACnColC,OAAQ,MACJ6M,WAAWzB,MAAO6tF,UAAUI,KAAM,CACtCr5F,OAAQ,UAKN6M,WAAWzB,MAAO6tF,UAAUK,KAAM,CACpCt5F,OAAQ,MACJ6M,WAAWzB,MAAO6tF,UAAUM,KAAM,CACtCv5F,OAAQ,gBAKZnlC,IAAK,SAAauwC,cACTyB,WAAWzB,MAAO6tF,UAAUp+H,IAAK,CACtCmlC,OAAQ,WAGL,SAAYoL,cACVyB,WAAWzB,MAAO6tF,UAAU,OAAQ,CACzCj5F,OAAQ,KAGZw5F,IAAK,SAAapuF,WACZpL,OAASw1F,aAAapqF,cACnByB,WAAWzB,MAAO6tF,UAAUO,IAAK,CACtCx5F,OAAQA,UAGZr6C,GAAI,SAAYylD,UACVA,MAAM3nF,OAAS,KAAO2nF,MAAM3nF,QAAU,SACpB,KAAb2nF,MAAM,WAEX5nF,EAAI,EAEDA,EAAI,IAAM4nF,MAAM3nF,QAAUD,EAAI,KAAK,IACvB,KAAb4nF,MAAM5nF,IAAkC,KAAnB4nF,MAAM5nF,EAAI,YAC1B,EAETA,GAAK,SAEA,GAET43C,KAAM,SAAcgwC,WACdpL,OAASw1F,aAAapqF,cACnByB,WAAWzB,MAAO6tF,UAAU79H,KAAM,CACvC4kC,OAAQA,UAGZoJ,IAAK,SAAagC,cACTyB,WAAWzB,MAAO6tF,UAAU7vF,MAErCqwF,IAAK,SAAaruF,cACTyB,WAAWzB,MAAO6tF,UAAUS,OAAS7sF,WAAWzB,MAAO6tF,UAAUQ,IAAK,CAC3Ez5F,OAAQ,KAGZ1kC,IAAK,SAAa8vC,cACTyB,WAAWzB,MAAO6tF,UAAUS,OAAS7sF,WAAWzB,MAAO6tF,UAAU39H,IAAK,CAC3E0kC,OAAQ,UAGJ,SAAcoL,cAtIN,SAAqBA,MAAOzoF,KAAMi2K,iBAC3CF,QAAQttF,MAAO,OAAQzoF,KAAMi2K,UAuI3Be,CAAYvuF,MAAO,EAAG,GAAG3nF,aAE1B,SAAc2nF,cAvIN,SAAqBA,MAAOzoF,KAAMi2K,iBAC3CF,QAAQttF,MAAO,OAAQzoF,KAAMi2K,UAwI3BgB,CAAYxuF,MAAO,CAAC,GAAI,IAAK,GAAG3nF,SAMvCo2K,cAAgB/yK,OAAOG,KAAKiyK,WAC/B3yK,QAAO,SAAUkU,SACH,OAANA,GAAoB,SAANA,GAAsB,SAANA,KAEtC5X,OAAO,CAAC,KAAM,OAAQ,SAEvBg3K,cAAcxyK,SAAQ,SAAU1E,UAC1Bm3K,WAAaZ,UAAUv2K,MAC3Bu2K,UAAUv2K,MAAQ,SAAUyoF,cACnB0uF,WAAW3uF,QAAQC,gBA8B5B2uF,iBACAC,iBACAC,iBACAC,iBA7BEC,SAAWjB,UAGXkB,wBAA0B,SAAiChvF,OAC7DA,MAAQD,QAAQC,WACX,IAAI5nF,EAAI,EAAGA,EAAIq2K,cAAcp2K,OAAQD,IAAK,KACzCb,KAAOk3K,cAAcr2K,MACrB22K,SAASx3K,MAAMyoF,cACVzoF,WAGJ,IAsBTo3K,iBAAmB,SAAU/uJ,gBATN,IAUdA,SAETgvJ,iBAAmB,SAAUhvJ,QAASqvJ,mBAC7BrvJ,QAAUqvJ,YAEnBJ,iBAAmB,SAAUK,kBACpBA,UAhBc,KAkBvBJ,iBAAmB,SAAUI,UAAWD,mBAC/BC,UAAYD,gBA0BjBE,QA7CmB;;MAoDjBC,WAAa97F,aAab+7F,wBAA0B,CAAC1lJ,IAAK2lJ,MAIhCA,KAAOA,IAAI/8I,aAAe5I,MAAQ2lJ,IAAI/8I,YACjC+8I,IAAI/8I,YAEN5I,IAEH4lJ,OAAS1yK,QACT1F,QAAQuB,IAAImC,MACP1D,QAAQuB,IAAImC,MAAMuV,KAAKjZ,QAAS,iBAAW0F,cAE7C,sBAWAiB,cACD2D,QAAUtK,QAAQ6F,KAAO7F,QACzBK,GAAKiK,QAAQ3D,OAAS2D,QAAQkvE,6CAFpB93E,uDAAAA,sCAGTrB,GAAGqY,MAAMpO,QAAS5I,eAOlB6nB,yBACDjf,QAAUtK,QAAQqlD,MAAQrlD,QAC1BK,GAAKiK,QAAQif,kBAAoBjf,QAAQif,iDAFpB7nB,uDAAAA,sCAGpBrB,GAAGqY,MAAMpO,QAAS5I,YAqCrB22K,aAAe,SAAUC,WAAYvrK,iBACnC0mK,QAAU,OACZxyK,KACAq3K,YAAcA,WAAWp3K,WAEtBD,EAAI,EAAGA,EAAIq3K,WAAWp3K,OAAQD,IAC7B8L,UAAUurK,WAAWpwJ,MAAMjnB,GAAIq3K,WAAWnwJ,IAAIlnB,KAChDwyK,QAAQvxK,KAAK,CAACo2K,WAAWpwJ,MAAMjnB,GAAIq3K,WAAWnwJ,IAAIlnB,YAIjDsoB,iBAAiBkqJ,UAWpB8E,UAAY,SAAU7uJ,SAAU27B,aAC7BgzH,aAAa3uJ,UAAU,SAAUxB,MAAOC,YACtCD,MAzBaswJ,IAyBcnzH,MAAQl9B,IAzBtBqwJ,IAyB+CnzH,SAWjEozH,cAAgB,SAAUH,WAAYjzH,aACnCgzH,aAAaC,YAAY,SAAUpwJ,cACjCA,MA5Ce,oBA4Ccm9B,SAsGlCqzH,eAAiB9kC,cACf+kC,OAAS,OACV/kC,QAAUA,MAAM1yI,aACZ,OAEJ,IAAID,EAAI,EAAGA,EAAI2yI,MAAM1yI,OAAQD,IAChC03K,OAAOz2K,KAAK0xI,MAAM1rH,MAAMjnB,GAAK,OAAS2yI,MAAMzrH,IAAIlnB,WAE3C03K,OAAOjmK,KAAK,OA4BfkmK,kBAAoBN,mBAClBO,eAAiB,OAClB,IAAI53K,EAAI,EAAGA,EAAIq3K,WAAWp3K,OAAQD,IACrC43K,eAAe32K,KAAK,CAClBgmB,MAAOowJ,WAAWpwJ,MAAMjnB,GACxBknB,IAAKmwJ,WAAWnwJ,IAAIlnB,YAGjB43K,gBAsCHC,gBAAkB,SAAUn0I,MAC3BA,GAAMA,EAAEzjC,QAAWyjC,EAAExc,WAGnBwc,EAAExc,IAAIwc,EAAEzjC,OAAS,IAiBpB63K,YAAc,SAAUnlC,MAAO5oH,eAC/Bq6B,KAAO,MACNuuF,QAAUA,MAAM1yI,cACZmkD,SAEJ,IAAIpkD,EAAI,EAAGA,EAAI2yI,MAAM1yI,OAAQD,IAAK,OAC/BinB,MAAQ0rH,MAAM1rH,MAAMjnB,GACpBknB,IAAMyrH,MAAMzrH,IAAIlnB,GAElB+pB,UAAY7C,MAKdk9B,MADEr6B,UAAY9C,OAAS8C,WAAa7C,IAC5BA,IAAM6C,UAIR7C,IAAMD,cAETm9B,MAqBH2zH,yBAA2B,CAACl2F,SAAUrD,eAGrCA,QAAQre,eACJqe,QAAQ91D,aAIbnkB,OAAS,SACZi6E,QAAQ+B,OAAS,IAAI18E,SAAQ,SAAUulC,GACtC7kC,QAAU6kC,EAAE1gB,aAIb81D,QAAQgC,cAAgB,IAAI38E,SAAQ,SAAUulC,GAC9B,SAAXA,EAAEjqC,OACJoF,QAAUs9E,SAAS9C,uBAGhBx6E,QAWHyzK,oBAAsBn2F,WAAaA,SAAS1B,UAAY,IAAIp8E,QAAO,CAACsb,IAAKm/D,QAASy5F,MAClFz5F,QAAQ+B,MACV/B,QAAQ+B,MAAM18E,SAAQ,SAAU0jD,KAAMimF,IACpCnuH,IAAIpe,KAAK,CACPynB,SAAU6+B,KAAK7+B,SACf46D,aAAc20F,GACd10F,UAAWiqD,GACXjmF,KAAAA,KACAi3B,QAAAA,aAIJn/D,IAAIpe,KAAK,CACPynB,SAAU81D,QAAQ91D,SAClB46D,aAAc20F,GACd10F,UAAW,KACX/E,QAAAA,QACAj3B,KAAM,OAGHloC,MACN,IACG64J,aAAepmK,cACbqmK,YAAcrmK,MAAMquE,UAAYruE,MAAMquE,SAASlgF,QAAU6R,MAAMquE,SAASruE,MAAMquE,SAASlgF,OAAS,UAC/Fk4K,aAAeA,YAAY53F,OAAS,IAEvC63F,kBAAoBC,aAAC33F,eACzBA,2BAEKA,4BAGCH,MACJA,MADIC,aAEJA,cACEE,mBACA43F,WAAa93F,cAAgB,IAAIz8E,QAAO,CAACokC,MAAOw7C,OAASx7C,OAAuB,SAAdw7C,KAAKxkF,KAAkB,EAAI,IAAI,UACrGm5K,WAAa/3F,OAASA,MAAMtgF,OAASsgF,MAAMtgF,OAAS,EAC7Cq4K,WAWHC,cAAgB,CAAC/nJ,KAAM1e,YACvBA,MAAMmvE,eACD,KAGLzwD,MAAQA,KAAK03I,kCACR13I,KAAK03I,iCAERtoF,SAAWs4F,aAAapmK,OAAO7R,OAAS,SAE1C2/E,UAAY9tE,MAAM+sE,eAAiB/sE,MAAM+sE,cAAc25F,aAClD1mK,MAAM+sE,cAAc25F,aAClB54F,UAAY9tE,MAAMitE,mBACO,EAA3BjtE,MAAMitE,mBACJjtE,MAAM+sE,eAAiB/sE,MAAM+sE,cAAc45F,SAC7C3mK,MAAM+sE,cAAc45F,SAClB3mK,MAAMgtE,eACe,EAAvBhtE,MAAMgtE,eAER,GAuGH45F,iBAAmB,SAAU72F,SAAU82F,YAAaC,iBAC7B,IAAhBD,cACTA,YAAc92F,SAASV,cAAgBU,SAAS1B,SAASlgF,QAEvD04K,YAAc92F,SAASV,qBAClB,QAGHxyB,SArGiB,SAAUkzB,SAAU82F,iBACvCp0K,OAAS,EACTvE,EAAI24K,YAAc92F,SAASV,cAG3B3C,QAAUqD,SAAS1B,SAASngF,MAG5Bw+E,QAAS,SACkB,IAAlBA,QAAQv3D,YACV,CACL1iB,OAAQi6E,QAAQv3D,MAChB+7D,SAAS,WAGc,IAAhBxE,QAAQt3D,UACV,CACL3iB,OAAQi6E,QAAQt3D,IAAMs3D,QAAQ91D,SAC9Bs6D,SAAS,QAIRhjF,KAAK,IACVw+E,QAAUqD,SAAS1B,SAASngF,QACD,IAAhBw+E,QAAQt3D,UACV,CACL3iB,OAAQA,OAASi6E,QAAQt3D,IACzB87D,SAAS,MAGbz+E,QAAUwzK,yBAAyBl2F,SAAUrD,cAChB,IAAlBA,QAAQv3D,YACV,CACL1iB,OAAQA,OAASi6E,QAAQv3D,MACzB+7D,SAAS,SAIR,CACLz+E,OAAAA,OACAy+E,SAAS,GA6DM61F,CAAiBh3F,SAAU82F,gBACxChqH,SAASq0B,eAIJr0B,SAASpqD,aAIZgqD,QA3DgB,SAAUszB,SAAU82F,iBAEtCn6F,QADAj6E,OAAS,EAETvE,EAAI24K,YAAc92F,SAASV,mBAGxBnhF,EAAI6hF,SAAS1B,SAASlgF,OAAQD,IAAK,IACxCw+E,QAAUqD,SAAS1B,SAASngF,QACC,IAAlBw+E,QAAQv3D,YACV,CACL1iB,OAAQi6E,QAAQv3D,MAAQ1iB,OACxBy+E,SAAS,MAGbz+E,QAAUwzK,yBAAyBl2F,SAAUrD,cAClB,IAAhBA,QAAQt3D,UACV,CACL3iB,OAAQi6E,QAAQt3D,IAAM3iB,OACtBy+E,SAAS,SAKR,CACLz+E,QAAS,EACTy+E,SAAS,GAkCK81F,CAAgBj3F,SAAU82F,oBACtCpqH,QAAQy0B,QAGHz0B,QAAQhqD,OAGVoqD,SAASpqD,OAASq0K,SAkBrBlwJ,SAAW,SAAUm5D,SAAU82F,YAAaC,aAC3C/2F,gBACI,KAEc,iBAAZ+2F,UACTA,QAAU,QAIe,IAAhBD,YAA6B,IAElC92F,SAASk3F,qBACJl3F,SAASk3F,kBAGbl3F,SAASZ,eACL//E,OAAO6mB,gBAIX2wJ,iBAAiB72F,SAAU82F,YAAaC,UAe3CI,aAAe,qBAAUC,gBAC7BA,gBAD6BC,aAE7BA,aAF6B/d,WAG7BA,WAH6B2I,SAI7BA,iBAEIqV,UAAY,KACZhe,WAAa2I,YACd3I,WAAY2I,UAAY,CAACA,SAAU3I,aAElCA,WAAa,EAAG,KACb,IAAIn7J,EAAIm7J,WAAYn7J,EAAI+P,KAAKE,IAAI,EAAG6zJ,UAAW9jK,IAClDm5K,WAAaF,gBAEf9d,WAAa,MAEV,IAAIn7J,EAAIm7J,WAAYn7J,EAAI8jK,SAAU9jK,IACrCm5K,WAAaD,aAAal5K,GAAG0oB,gBAExBywJ,WAsBHC,YAAc,SAAUv3F,SAAU+2F,QAASS,eAAgBC,qBAC1Dz3F,WAAaA,SAAS1B,gBAClB,QAEL0B,SAASZ,eACJv4D,SAASm5D,aAEF,OAAZ+2F,eACK,KAETA,QAAUA,SAAW,MACjBW,mBAAqBb,iBAAiB72F,SAAUA,SAASV,cAAgBU,SAAS1B,SAASlgF,OAAQ24K,gBACnGS,iBAEFE,oBADAD,gBAA6C,iBAApBA,gBAA+BA,gBAAkBf,cAAc,KAAM12F,WAIzF9xE,KAAKC,IAAI,EAAGupK,qBAkLfC,WAAa,SAAU33F,iBACpBA,SAAS43F,cAAgB53F,SAAS43F,aAAe77F,KAAKxlE,OAWzDshK,eAAiB,SAAU73F,iBACxBA,SAAS43F,cAAgB53F,SAAS43F,eAAiB1xJ,EAAAA,GAUtD4xJ,UAAY,SAAU93F,gBACpB+3F,SAAWJ,WAAW33F,iBACpBA,SAAS1tE,WAAaylK,UAuC1B7rJ,aAAe,SAAUsyC,KAAMwhB,iBAC5BA,SAASl4E,YAAck4E,SAASl4E,WAAW02D,OAgC9Cw5G,yBAA2B,CAACrpJ,KAAM1e,YACR,IAA1B0e,KAAKsxD,UAAU7hF,cACV,QAEH65K,iBAAmBhoK,MAAMnI,WAAW8zE,WAAa/uE,OAAOqrK,iBAMhD,IALPvpJ,KAAKsxD,UAAU/+E,QAAO8+E,YACtB83F,UAAU93F,YAGPA,SAASl4E,WAAW8zE,WAAa,GAAKq8F,mBAC7C75K,QAEC+5K,cAAgB,CAACt2I,EAAG77B,OAInB67B,IAAM77B,IAAM67B,GAAK77B,GAAK67B,IAAM77B,KAI7B67B,IAAM77B,OAKN67B,EAAE1mB,KAAMnV,EAAEmV,IAAM0mB,EAAE1mB,KAAOnV,EAAEmV,SAK3B0mB,EAAEy9H,cAAet5J,EAAEs5J,aAAez9H,EAAEy9H,cAAgBt5J,EAAEs5J,iBAKtDz9H,EAAEhL,MAAO7wB,EAAE6wB,KAAOgL,EAAEhL,MAAQ7wB,EAAE6wB,QAK9BuhJ,iBAAmB,SAAUzpJ,KAAMjc,gBACjCoyJ,MAAQn2I,MAAQA,KAAKuxD,aAAevxD,KAAKuxD,YAAY4kF,OAAS,OAChE9mG,OAAQ,MACP,MAAMq6G,aAAavT,MAAO,KACxB,MAAMl7I,SAASk7I,MAAMuT,cACxBr6G,MAAQtrD,SAASoyJ,MAAMuT,WAAWzuJ,QAC9Bo0C,eAIFA,oBAIGA,OAEL2mG,YAAch2I,WAGbA,OAASA,KAAKsxD,YAActxD,KAAKsxD,UAAU7hF,OAAQ,QAGxCg6K,iBAAiBzpJ,MAAM2pJ,SAAWA,QAAQr4F,WAAaq4F,QAAQr4F,UAAU7hF,QAAUk6K,QAAQzhJ,UAItG,IAAI14B,EAAI,EAAGA,EAAIwwB,KAAKsxD,UAAU7hF,OAAQD,IAAK,OACxC6hF,SAAWrxD,KAAKsxD,UAAU9hF,GAC1BymK,OAAS5kF,SAASl4E,YAAck4E,SAASl4E,WAAW88J,UAEtDA,QAAUA,OAAOj7J,MAAM,KAAKoO,OAAMqD,GAAK4pE,aAAa5pE,kBAI1Cg9J,iBAAiBzpJ,MAAM2pJ,SAAWH,cAAcn4F,SAAUs4F,kBAMjE,SAIF,OAGLC,SAAW,CACb7B,cAAAA,cACA7vJ,SAAAA,SACAutB,SAzVe,SAAU4rC,SAAU+2F,QAASU,uBAEtC9vH,cAAgBovH,SAAW,MAC7BxxH,YAAcgyH,YAAYv3F,SAAU+2F,SAFjB,EAE0CU,wBAC7C,OAAhBlyH,YACK9+B,oBAGL8+B,YAAcoC,gBAChBpC,YAAcoC,eAETlhC,iBAAiBkhC,cAAepC,eA+UvCizH,oBA/T0B,qBAAUx4F,SACpCA,SADoCxjD,YAEpCA,YAFoCi8I,qBAGpCA,qBAHoCC,kBAIpCA,kBAJoCxwJ,UAKpCA,UALoCywJ,qBAMpCA,6BAEIp2H,KAAO/lB,YAActU,gBACnB0wJ,iBAAmBzC,oBAAoBn2F,cACzCs5E,WAAa,MACZ,IAAIn7J,EAAI,EAAGA,EAAIy6K,iBAAiBx6K,OAAQD,IAAK,OAC1C06K,eAAiBD,iBAAiBz6K,MACpCs6K,uBAAyBI,eAAep3F,eAIX,iBAAtBi3F,mBAAsE,iBAA7BG,eAAen3F,WAA0Bg3F,oBAAsBG,eAAen3F,YAGlI43E,WAAan7J,YAGXokD,KAAO,EAAG,IAGR+2G,WAAa,MACV,IAAIn7J,EAAIm7J,WAAa,EAAGn7J,GAAK,EAAGA,IAAK,OAClC06K,eAAiBD,iBAAiBz6K,MACxCokD,MAAQs2H,eAAehyJ,SACnB8xJ,yBACEp2H,KAAO,gBAGN,GAAIA,KAnsBO,oBAmsBqB,iBAGhC,CACLm/B,UAAWm3F,eAAen3F,UAC1BD,aAAco3F,eAAep3F,aAC7Bv5D,UAAWA,UAAYivJ,aAAa,CAClCC,gBAAiBp3F,SAAS/C,eAC1Bo6F,aAAcuB,iBACdtf,WAAAA,WACA2I,SAAU9jK,WAOX,CACLujF,UAAWk3F,iBAAiB,IAAMA,iBAAiB,GAAGl3F,WAAa,KACnED,aAAcm3F,iBAAiB,IAAMA,iBAAiB,GAAGn3F,cAAgB,EACzEv5D,UAAWsU,gBAMX88H,WAAa,EAAG,KACb,IAAIn7J,EAAIm7J,WAAYn7J,EAAI,EAAGA,OAC9BokD,MAAQy9B,SAAS/C,eACb16B,KAAO,QACF,CACLm/B,UAAWk3F,iBAAiB,IAAMA,iBAAiB,GAAGl3F,WAAa,KACnED,aAAcm3F,iBAAiB,IAAMA,iBAAiB,GAAGn3F,cAAgB,EACzEv5D,UAAWsU,aAIjB88H,WAAa,MAIV,IAAIn7J,EAAIm7J,WAAYn7J,EAAIy6K,iBAAiBx6K,OAAQD,IAAK,OACnD06K,eAAiBD,iBAAiBz6K,GACxCokD,MAAQs2H,eAAehyJ,eAGjBiyJ,yBAFoBD,eAAehyJ,SA/uBnB,oBAivBgC07B,KAjvBhC,oBAivB4D,OAD/C,IAATA,QAEDu2H,0BAanB36K,IAAMy6K,iBAAiBx6K,OAAS,MAIlCu6K,yBACEp2H,KAAO,gBAGN,GAAIA,KAvwBW,oBAuwBiB,iBAGhC,CACLm/B,UAAWm3F,eAAen3F,UAC1BD,aAAco3F,eAAep3F,aAC7Bv5D,UAAWA,UAAYivJ,aAAa,CAClCC,gBAAiBp3F,SAAS/C,eAC1Bo6F,aAAcuB,iBACdtf,WAAAA,WACA2I,SAAU9jK,YAKT,CACLsjF,aAAcm3F,iBAAiBA,iBAAiBx6K,OAAS,GAAGqjF,aAC5DC,UAAWk3F,iBAAiBA,iBAAiBx6K,OAAS,GAAGsjF,UACzDx5D,UAAWsU,cAwMbs7I,UAAAA,UACAiB,WA3JiB,SAAU/4F,iBACpBA,SAAS1tE,UA2JhBqlK,WAAAA,WACAE,eAAAA,eACAN,YAAAA,YACAyB,MAtJY,SAAU/oK,WACjB,IAAI9R,EAAI,EAAGA,EAAI8R,MAAMquE,SAASlgF,OAAQD,OACrC8R,MAAMquE,SAASngF,GAAG8D,WACb,SAGJ,GAiJPiqB,aAAAA,aACA+sJ,2BAhHiC,SAAUhZ,gBAAiB7nF,UAAW4H,cAAUk5F,qEAAgB,MAC5FhtJ,aAAa,YAAa8zD,iBACtB/gB,UAEHxnD,KAAOwoJ,gBAAkBjgF,SAASl4E,WAAW8zE,iBAC3CnkE,KAAuB,EAAhByhK,eAAqB9gG,WA4GpC4/F,yBAAAA,yBACArT,YAAAA,YACAwT,cAAAA,cACAjC,yBAAAA,gCAEIz3K,IACJA,KACEvB,QACEi8K,iBAAmB,CAACz7K,MAAOm5B,gBACrBn5B,kBAASm5B,KAGfuiJ,QAAU,CAAC97K,KAAMolK,MAAO94I,kCACFtsB,iBAAQolK,kBAAS94I,OA8FvCyvJ,kBAAoB,CAAC1qJ,KAAMjc,YAC1Bic,KAAKuxD,cAGT,QAAS,aAAal+E,SAAQ+iF,eACxBp2D,KAAKuxD,YAAY6E,eAGjB,MAAM49E,YAAYh0I,KAAKuxD,YAAY6E,eACjC,MAAM69E,YAAYj0I,KAAKuxD,YAAY6E,WAAW49E,UAAW,OACtDE,gBAAkBl0I,KAAKuxD,YAAY6E,WAAW49E,UAAUC,UAC9DlwJ,SAASmwJ,gBAAiB99E,UAAW49E,SAAUC,eAoBjD0W,mBAAqBC,aAACv5F,SAC1BA,SAD0BnpD,IAE1BA,IAF0B1b,GAG1BA,WAEA6kE,SAAS7kE,GAAKA,GACd6kE,SAASw5F,gBAAkB,EACvB3iJ,MAIFmpD,SAASnpD,IAAMA,KASjBmpD,SAASl4E,WAAak4E,SAASl4E,YAAc,IAWzC2xK,oBAAsB9qJ,WACtBxwB,EAAIwwB,KAAKsxD,UAAU7hF,YAChBD,KAAK,OACJ6hF,SAAWrxD,KAAKsxD,UAAU9hF,GAChCm7K,mBAAmB,CACjBt5F,SAAAA,SACA7kE,GAAIg+J,iBAAiBh7K,EAAG6hF,SAASnpD,OAEnCmpD,SAASs/E,YAAc6V,WAAWxmJ,KAAKkI,IAAKmpD,SAASnpD,KACrDlI,KAAKsxD,UAAUD,SAAS7kE,IAAM6kE,SAE9BrxD,KAAKsxD,UAAUD,SAASnpD,KAAOmpD,SAK1BA,SAASl4E,WAAW8zE,WACvBn9E,IAAIoC,KAAK,wEAWT64K,sBAAwB/qJ,OAC5B0qJ,kBAAkB1qJ,MAAM9mB,aAClBA,WAAWgvB,MACbhvB,WAAWy3J,YAAc6V,WAAWxmJ,KAAKkI,IAAKhvB,WAAWgvB,UAsDzD8iJ,oBAAsB,SAAChrJ,KAAMkI,SAAK+iJ,qEAAgBR,QACtDzqJ,KAAKkI,IAAMA,QACN,IAAI14B,EAAI,EAAGA,EAAIwwB,KAAKsxD,UAAU7hF,OAAQD,QACpCwwB,KAAKsxD,UAAU9hF,GAAG04B,IAAK,OAIpBgjJ,mCAA8B17K,GACpCwwB,KAAKsxD,UAAU9hF,GAAG04B,IAAMgjJ,eAGtBC,cAAgBnV,YAAYh2I,MAClC0qJ,kBAAkB1qJ,MAAM,CAAC9mB,WAAYk9E,UAAW49E,SAAUC,gBAEnD/6J,WAAWo4E,YAAcp4E,WAAWo4E,UAAU7hF,OAAQ,IAIrD07K,eAA+B,UAAd/0F,YAA0Bl9E,WAAWgvB,QACnD,IAAI14B,EAAI,EAAGA,EAAIwwB,KAAKsxD,UAAU7hF,OAAQD,IAAK,OACxCopC,EAAI5Y,KAAKsxD,UAAU9hF,MACrBopC,EAAEz/B,YAAcy/B,EAAEz/B,WAAWg9J,OAASv9H,EAAEz/B,WAAWg9J,QAAUnC,gBAKrE96J,WAAWo4E,UAAY,CAACnvD,WAAW,GAAIjpB,aAEzCA,WAAWo4E,UAAUj+E,SAAQ,SAAUulC,EAAGppC,SAClC47K,QAAUH,cAAc70F,UAAW49E,SAAUC,SAAUr7H,GACvDpsB,GAAKg+J,iBAAiBh7K,EAAG47K,SAC3BxyI,EAAE1Q,IACJ0Q,EAAE+3H,YAAc/3H,EAAE+3H,aAAe6V,WAAWxmJ,KAAKkI,IAAK0Q,EAAE1Q,MAMxD0Q,EAAE1Q,IAAY,IAAN14B,EAAU47K,QAAU5+J,GAG5BosB,EAAE+3H,YAAc/3H,EAAE1Q,KAEpB0Q,EAAEpsB,GAAKosB,EAAEpsB,IAAMA,GAGfosB,EAAEz/B,WAAay/B,EAAEz/B,YAAc,GAE/B6mB,KAAKsxD,UAAU14C,EAAEpsB,IAAMosB,EACvB5Y,KAAKsxD,UAAU14C,EAAE1Q,KAAO0Q,QAG5BkyI,oBAAoB9qJ,MACpB+qJ,sBAAsB/qJ,aAElBqrJ,kBACJx3K,mBACOy3K,QAAU,UACVC,mBAAqB,IAAI3iK,SACzB4iK,qBAAuB,IAAI5iK,IAElC6iK,gBAAU97F,gEAAW,MAEE,OAAjBnhF,KAAK88K,mBAIJ37F,SAASlgF,oBAGPi8K,cAAgB/7F,cAEcl+E,IAAjCi6K,aAAar5F,uBAIZi5F,QAAUI,aAAar5F,gBAAkB,KAEhDs5F,2BAAqBl8F,kEAAa,OAC3BA,WAAWhgF,oBAGTgkF,WAAahE,WACdl2D,UAAYk6D,UAAUE,UAAUvB,eACjCw5F,yBAAyBryJ,gBACzBgyJ,mBAAqB97F,WAAWl8E,QAAO,CAAC0K,IAAK4tK,oBAChD5tK,IAAI1J,IAAIs3K,iBAAiBr/J,GAAIq/J,kBACtB5tK,MACN,IAAI2K,KAETkjK,iBAAiBr4F,gBACV83F,mBAAmB3nK,OAAO6vE,UAAUjnE,SACpCg/J,qBAAqBj3K,IAAIk/E,UAAUjnE,GAAIinE,WAE9Cs4F,4BACuB,OAAjBv9K,KAAK88K,cACA,SAEHU,iBAAmB,GACnBC,oBAAsB,QACvBV,mBAAmBl4K,SAAQ,CAACogF,UAAWjnE,UACtChe,KAAKg9K,qBAAqBloK,IAAIkJ,MAGlCinE,UAAUl6D,UAAYk6D,UAAUE,UAAUvB,UAAY,IAAO5jF,KAAK88K,QAClE73F,UAAUq4F,iBAAmB,IAAMt9K,KAAKs9K,iBAAiBr4F,WACzDw4F,oBAAoBx7K,KAAKgjF,WACpBA,UAAUjoB,UAGXwgH,iBAAiBv4F,UAAUjoB,OAAQ,OAC/B/7D,OAASu8K,iBAAiBv4F,UAAUjoB,OAAO/6D,KAAKgjF,WACtDA,UAAUy4F,eAAiBz8K,OAAS,OAEpCu8K,iBAAiBv4F,UAAUjoB,OAAS,CAACioB,WACrCA,UAAUy4F,eAAiB,SAG1B,MAAMz4F,aAAaw4F,oBAAqB,OACrCxxK,UAAYuxK,iBAAiBv4F,UAAUjoB,QAAU,GACnDioB,UAAUC,QACZD,UAAUj6D,QAAUi6D,UAAUC,QAAQtB,UAAY,IAAO5jF,KAAK88K,QACrD73F,UAAUK,WAAar5E,UAAUg5E,UAAUy4F,eAAiB,GACrEz4F,UAAUj6D,QAAU/e,UAAUg5E,UAAUy4F,eAAiB,GAAG3yJ,UACnDk6D,UAAUv7D,SACnBu7D,UAAUj6D,QAAUi6D,UAAUl6D,UAAYk6D,UAAUv7D,SAC3Cu7D,UAAUG,gBACnBH,UAAUj6D,QAAUi6D,UAAUl6D,UAAYk6D,UAAUG,gBAEpDH,UAAUj6D,QAAUi6D,UAAUl6D,iBAG3B0yJ,oBAETL,yBAAyBryJ,WACV,IAAI3Q,IAAIpa,KAAKg9K,sBACrBn4K,SAAQ,CAACogF,UAAWjnE,MACnBinE,UAAUE,UAAUvB,UAAY74D,gBAC7BiyJ,qBAAqB5nK,OAAO4I,cAMnC2/J,iCAAmCC,aAAC/jJ,YACxCA,YADwC+zC,QAExCA,QAFwCjqE,MAGxCA,MAHwCk6K,aAIxCA,2BAEMC,YAAclwG,QAAQ1jD,OAAS,KAAO0jD,QAAQ1jD,OAAS,IACvD6zJ,UAAYnwG,QAAQ1jD,QAAU,KAAO0jD,QAAQ1jD,QAAU,IACvD8zJ,cAAgB,CACpBtkJ,IAAKk0C,QAAQl0C,IACbG,YAAAA,aAEIokJ,0BAA4BH,cAAgBC,WAAaF,gBAC3Dl6K,OAASo6K,UAEXC,cAAcr6K,MAAQgwB,WAAW,GAAIhwB,OACrCq6K,cAAcE,UAAYn+K,QAAQ+D,MAAMi2E,0BACnC,GAAInM,QAAQ7yC,QACjBijJ,cAAcE,UAAYn+K,QAAQ+D,MAAMk2E,2BACnC,GAAIpM,QAAQuwG,SACjBH,cAAcI,SAAWr+K,QAAQ+D,MAAMm2E,2BAClC,GAAIgkG,0BAA2B,OAC9BC,UAAYL,aAAe99K,QAAQ+D,MAAMo2E,wBAA0Bn6E,QAAQ+D,MAAMg2E,iBACvFkkG,cAAcE,UAAYA,UAC1BF,cAAc9zJ,OAAS0jD,QAAQ1jD,OAC/B8zJ,cAAcllJ,QAAU80C,QAAQ90C,eAE3BklJ,gBAGPpkG,YAAaykG,eACXt+K,QAuEEu+K,cAAgB,CAAC55I,EAAG77B,SACnB67B,SACI77B,QAEHtD,OAASmB,MAAMg+B,EAAG77B,MAGpB67B,EAAE88C,eAAiB34E,EAAE24E,qBAChBj8E,OAAOi8E,aAIZ98C,EAAE68C,QAAU14E,EAAE04E,aACTh8E,OAAOg8E,WAGT,GAAI78C,EAAE68C,OAAS14E,EAAE04E,UACjB,IAAIvgF,EAAI,EAAGA,EAAI6H,EAAE04E,MAAMtgF,OAAQD,IAC9B0jC,EAAE68C,OAAS78C,EAAE68C,MAAMvgF,KACrBuE,OAAOg8E,MAAMvgF,GAAK0F,MAAMg+B,EAAE68C,MAAMvgF,GAAI6H,EAAE04E,MAAMvgF,YAM7C0jC,EAAE65I,SAAW11K,EAAE01K,UAClBh5K,OAAOg5K,SAAU,GAIf75I,EAAEy8B,UAAYt4D,EAAEs4D,UAClB57D,OAAO47D,SAAU,GAEZ57D,QAkBHi5K,eAAiB,CAACxlG,SAAU35B,OAAQm+B,gBAClCihG,YAAczlG,SAASv4E,QACvBi+K,YAAcr/H,OAAO5+C,QAC3B+8E,OAASA,QAAU,QACbj4E,OAAS,OACXm7E,eACC,IAAIi+F,SAAW,EAAGA,SAAWD,YAAYz9K,OAAQ09K,WAAY,OAC1DnY,WAAaiY,YAAYE,SAAWnhG,QACpCohG,WAAaF,YAAYC,UAC3BnY,YACF9lF,WAAa8lF,WAAW/2J,KAAOixE,WAC/Bn7E,OAAOtD,KAAKq8K,cAAc9X,WAAYoY,eAGlCl+F,aAAek+F,WAAWnvK,MAC5BmvK,WAAWnvK,IAAMixE,YAEnBn7E,OAAOtD,KAAK28K,oBAGTr5K,QAEHs5K,mBAAqB,CAACr/F,QAASs/F,YAG9Bt/F,QAAQ2iF,aAAe3iF,QAAQ9lD,MAClC8lD,QAAQ2iF,YAAc6V,WAAW8G,QAASt/F,QAAQ9lD,MAEhD8lD,QAAQ16E,MAAQ06E,QAAQ16E,IAAIq9J,cAC9B3iF,QAAQ16E,IAAIq9J,YAAc6V,WAAW8G,QAASt/F,QAAQ16E,IAAI40B,MAExD8lD,QAAQ/vE,MAAQ+vE,QAAQ/vE,IAAI0yJ,cAC9B3iF,QAAQ/vE,IAAI0yJ,YAAc6V,WAAW8G,QAASt/F,QAAQ/vE,IAAIiqB,MAExD8lD,QAAQ/vE,KAAO+vE,QAAQ/vE,IAAI3K,MAAQ06E,QAAQ/vE,IAAI3K,IAAIq9J,cACrD3iF,QAAQ/vE,IAAI3K,IAAIq9J,YAAc6V,WAAW8G,QAASt/F,QAAQ/vE,IAAI3K,IAAI40B,MAEhE8lD,QAAQ+B,OAAS/B,QAAQ+B,MAAMtgF,QACjCu+E,QAAQ+B,MAAM18E,SAAQulC,IAChBA,EAAE+3H,cAGN/3H,EAAE+3H,YAAc6V,WAAW8G,QAAS10I,EAAE1Q,SAGtC8lD,QAAQgC,cAAgBhC,QAAQgC,aAAavgF,QAC/Cu+E,QAAQgC,aAAa38E,SAAQulC,IACvBA,EAAE+3H,cAGN/3H,EAAE+3H,YAAc6V,WAAW8G,QAAS10I,EAAE1Q,UAItCqlJ,eAAiB,SAAUjsK,aACzBquE,SAAWruE,MAAMquE,UAAY,GAC7BO,eAAiB5uE,MAAM4uE,kBAIzBA,gBAAkBA,eAAeH,OAASG,eAAeH,MAAMtgF,OAAQ,IAIrEygF,eAAeF,iBACZ,IAAIxgF,EAAI,EAAGA,EAAI0gF,eAAeF,aAAavgF,OAAQD,OACV,QAAxC0gF,eAAeF,aAAaxgF,GAAGb,YAC1BghF,SAKbO,eAAeh4D,SAAW5W,MAAMgtE,eAChC4B,eAAevgB,SAAU,EACzBggB,SAASl/E,KAAKy/E,uBAETP,UAKH69F,oBAAsB,CAACt6I,EAAG77B,IAAM67B,IAAM77B,GAAK67B,EAAEy8C,UAAYt4E,EAAEs4E,UAAYz8C,EAAEy8C,SAASlgF,SAAW4H,EAAEs4E,SAASlgF,QAAUyjC,EAAEu9C,UAAYp5E,EAAEo5E,SAAWv9C,EAAEy9C,gBAAkBt5E,EAAEs5E,eAAiBz9C,EAAEg9C,iBAAmB74E,EAAE64E,eAc3Mu9F,aAAe,SAACztJ,KAAM0tJ,cAAUC,sEAAiBH,0BAC/Cz5K,OAASmB,MAAM8qB,KAAM,IACrB4tJ,SAAW75K,OAAOu9E,UAAUo8F,SAASlhK,QACtCohK,gBACI,QAELD,eAAeC,SAAUF,iBACpB,KAETA,SAAS/9F,SAAW49F,eAAeG,gBAC7BG,eAAiB34K,MAAM04K,SAAUF,aAEnCG,eAAe39F,iBAAmBw9F,SAASx9F,uBACtC29F,eAAe39F,eAGpB09F,SAASj+F,SAAU,IACjB+9F,SAAS96F,KAAM,CACjB86F,SAAS/9F,SAAW+9F,SAAS/9F,UAAY,OAGpC,IAAIngF,EAAI,EAAGA,EAAIk+K,SAAS96F,KAAKk7F,gBAAiBt+K,IACjDk+K,SAAS/9F,SAASp/E,QAAQ,CACxBw8K,SAAS,IAIfc,eAAel+F,SAAWq9F,eAAeY,SAASj+F,SAAU+9F,SAAS/9F,SAAU+9F,SAAS/8F,cAAgBi9F,SAASj9F,eAGnHk9F,eAAel+F,SAASt8E,SAAQ26E,UAC9Bq/F,mBAAmBr/F,QAAS6/F,eAAeld,oBAKxC,IAAInhK,EAAI,EAAGA,EAAIuE,OAAOu9E,UAAU7hF,OAAQD,IACvCuE,OAAOu9E,UAAU9hF,GAAGgd,KAAOkhK,SAASlhK,KACtCzY,OAAOu9E,UAAU9hF,GAAKq+K,uBAG1B95K,OAAOu9E,UAAUo8F,SAASlhK,IAAMqhK,eAEhC95K,OAAOu9E,UAAUo8F,SAASxlJ,KAAO2lJ,eAEjCnD,kBAAkB1qJ,MAAM,CAAC9mB,WAAYk9E,UAAW49E,SAAUC,eACnD/6J,WAAWo4E,cAGX,IAAI9hF,EAAI,EAAGA,EAAI0J,WAAWo4E,UAAU7hF,OAAQD,IAC3Ck+K,SAASlhK,KAAOtT,WAAWo4E,UAAU9hF,GAAGgd,KAC1CtT,WAAWo4E,UAAU9hF,GAAKq+K,mBAIzB95K,QAaHg6K,aAAe,CAACzsK,MAAOusC,gBACrB8hC,SAAWruE,MAAMquE,UAAY,GAC7Bg4F,YAAch4F,SAASA,SAASlgF,OAAS,GACzCu+K,SAAWrG,aAAeA,YAAY53F,OAAS43F,YAAY53F,MAAM43F,YAAY53F,MAAMtgF,OAAS,GAC5Fw+K,aAAeD,UAAYA,SAAS91J,UAAYyvJ,aAAeA,YAAYzvJ,gBAC7E21B,QAAUogI,aACU,IAAfA,aAIyD,KAA1D3sK,MAAMitE,oBAAsBjtE,MAAMgtE,gBAAkB,KAExD4/F,wBAA0B,CAAC58F,UAAW3iF,KAAMs7C,cAC3CqnC,uBAGC68F,WAAa,UACnB78F,UAAUj+E,SAAQg+E,eAEXA,SAASl4E,wBAGR8zE,UACJA,UADID,WAEJA,WAFIipF,OAGJA,QACE5kF,SAASl4E,WACbg1K,WAAW19K,KAAK,CACd+b,GAAI6kE,SAAS7kE,GACbi9D,UAAWwD,UACXd,WAAYa,WACZiJ,OAAQggF,YAGL,CACLtnK,KAAAA,KACAs7C,OAAAA,OACAkkI,WAAAA,mBAaEC,uBAAuBvB,cAC3Bh5K,YAAYkmB,IAAKgoD,SAAKptE,+DAAU,eAEzBolB,UACG,IAAIznB,MAAM,uDAEb+7K,QAAU1H,OAAO,wBAChB37I,gBACJA,iBAAkB,GAChBr2B,aACColB,IAAMA,SACNu0J,KAAOvsG,SACP/2C,gBAAkBA,qBAClBujJ,0BAA4B55K,QAAQ65K,+BACnCC,WAAa1sG,IAAIz1D,cAClBoiK,iBAAmBD,YAAcA,WAAWC,kBAAoB,QAChEC,iBAAmBF,YAAcA,WAAWE,kBAAoB,QAChEC,MAAQH,YAAcA,WAAWG,WACjCC,mBAAqB,IAAIxD,uBAEzBvgK,MAAQ,oBAERgkK,0BAA4BtgL,KAAKsgL,0BAA0BtnK,KAAKhZ,WAChEsX,GAAG,qBAAsBtX,KAAKsgL,gCAC9BhpK,GAAG,iBAAkBtX,KAAKugL,sBAAsBvnK,KAAKhZ,OAE5DugL,8BACQC,cAAgBxgL,KAAK8S,YACtB0tK,0BAGAH,mBAAmBpD,UAAUuD,cAAcr/F,eAC3Ck/F,mBAAmBlD,qBAAqBqD,cAAcv/F,kBACrDw/F,oBAAsBzgL,KAAKqgL,mBAAmB9C,yBAC/CkD,oBAAoBx/K,QAAWjB,KAAK+/K,gCAGpCA,0BAA0BU,qBAEjCH,+BACqB,kBAAftgL,KAAKsc,mBAIHxJ,MAAQ9S,KAAK8S,YACf4mB,IAAMs+I,WAAWh4K,KAAKwxB,KAAKkI,IAAK5mB,MAAM4mB,KACtC15B,KAAKogL,QACP1mJ,IA7X0B,EAACA,IAAK5mB,YAChCA,MAAMmvE,UAAYnvE,MAAM+sE,qBACnBnmD,UAEHgnJ,WAAa,MACf5tK,MAAM+sE,cAAc4E,eAAgB,OAChC/C,eACJA,gBACE5uE,UAEA6tK,QAAU7tK,MAAMqvE,cAAgBrvE,MAAMquE,SAASlgF,UAI/CygF,eAAgB,OACZH,MAAQG,eAAeH,OAAS,GAEhCq/F,SAAWxH,kBAAkBtmK,OAAS,EAIxC8tK,UAAY,GAAKA,WAAar/F,MAAMtgF,OAAS,IAG/Cy/K,WAAWG,UAAYD,WAWrBA,UAAY,GAAKr/F,MAAMtgF,SACzB0/K,UAKJD,WAAWI,SAAWH,WAEpB7tK,MAAM+sE,eAAiB/sE,MAAM+sE,cAAckhG,eAG7CL,WAAWM,UAAYluK,MAAM+sE,cAAc6E,kBAAoB,KAAO,OAEpEpgF,OAAOG,KAAKi8K,YAAYz/K,OAAQ,OAC5BggL,UAAY,IAAI/+K,OAAOswB,IAAIkH,MAChC,YAAa,WAAY,aAAa70B,SAAQ,SAAUxD,MAClDq/K,WAAW78K,eAAexC,OAG/B4/K,UAAU1gG,aAAax6E,IAAI1E,KAAMq/K,WAAWr/K,UAE9Cq4B,IAAMunJ,UAAUz8K,kBAEXk1B,KAmUGwnJ,CAAwBxnJ,IAAK5mB,aAEhCwJ,MAAQ,6BACRsxD,QAAU5tE,KAAK8/K,KAAK5lJ,IAAI,CAC3BR,IAAAA,IACA8C,gBAAiBx8B,KAAKw8B,gBACtB3C,YAAa,iBACZ,CAACl2B,MAAOu0K,UAEJl4K,KAAK4tE,eAGNjqE,MACK3D,KAAKmhL,qBAAqBnhL,KAAK4tE,QAAS5tE,KAAK8S,QAAS,2BAE1DsuK,aAAa,CAChBC,eAAgBrhL,KAAK4tE,QAAQzzC,aAC7B5H,IAAKvyB,KAAK8S,QAAQ4mB,IAClB1b,GAAIhe,KAAK8S,QAAQkL,QAIvBmjK,qBAAqBjnJ,IAAK2oD,SAAUy+F,qBAC5B5nJ,IACJA,IADI1b,GAEJA,IACE6kE,cAECjV,QAAU,KACX0zG,qBACGhlK,MAAQglK,oBAEV39K,MAAQ,CACXk/E,SAAU7iF,KAAKwxB,KAAKsxD,UAAU9kE,IAC9BkM,OAAQgQ,IAAIhQ,OACZL,qDAA+C6P,SAC/CS,aAAcD,IAAIC,aAClB5a,KAAM2a,IAAIhQ,QAAU,IAAM,EAAI,EAC9BC,SAAUwzJ,iCAAiC,CACzC9jJ,YAAaK,IAAIL,YACjB+zC,QAAS1zC,IACTv2B,MAAOu2B,IAAIv2B,cAGVuU,QAAQ,SAEfqpK,2BAAehvJ,IACbA,IADam/I,eAEbA,iCAzzBkB8P,CAAAA,aAACC,OACrBA,OADqBC,OAErBA,OAFqBhQ,eAGrBA,eAHqBwO,iBAIrBA,iBAAmB,GAJEC,iBAKrBA,iBAAmB,GALEC,MAMrBA,oBAEMjjJ,OAAS,IAAIE,OACfokJ,QACFtkJ,OAAO7lB,GAAG,OAAQmqK,QAEhBC,QACFvkJ,OAAO7lB,GAAG,OAAQoqK,QAEpBxB,iBAAiBr7K,SAAQ88K,cAAgBxkJ,OAAOiiD,UAAUuiG,gBAC1DxB,iBAAiBt7K,SAAQk5E,QAAU5gD,OAAOsiD,aAAa1B,UACvD5gD,OAAOl7B,KAAKyvK,gBACZv0I,OAAOjV,YACD03D,SAAWziD,OAAOyiD,YAGnBwgG,SACF,iBAAkB,OAAQ,gBAAiB,mBAAoB,UAAW,sBAAsBv7K,SAAQ,SAAUuJ,GAC7GwxE,SAAS/7E,eAAeuK,WACnBwxE,SAASxxE,MAGhBwxE,SAASuB,UACXvB,SAASuB,SAASt8E,SAAQ,SAAU26E,UACjC,QAAS,gBAAgB36E,SAAQ,SAAUuJ,GACtCoxE,QAAQ37E,eAAeuK,WAClBoxE,QAAQpxE,WAMpBwxE,SAASE,eAAgB,KACxBA,eAAiB,GACjBF,SAASuB,UAAYvB,SAASuB,SAASlgF,SACzC6+E,eAAiBF,SAASuB,SAASp8E,QAAO,CAACsb,IAAKqI,IAAM3X,KAAKC,IAAIqP,IAAKqI,EAAEgB,WAAW,IAE/E+3J,QACFA,OAAO,CACL53J,+DAAyDi2D,kBAG7DF,SAASE,eAAiBA,qBAEtByB,MAAQ23F,aAAat5F,aACvB2B,MAAMtgF,SAAW2+E,SAASG,mBAAoB,OAC1CA,mBAAqBwB,MAAMx8E,QAAO,CAACsb,IAAK+pB,IAAMr5B,KAAKC,IAAIqP,IAAK+pB,EAAE1gB,WAAW,GAC3E+3J,SACFA,OAAO,CACL53J,mEAA6Dk2D,sBAE/Dz+E,IAAIqC,MAAM,0MAEZi8E,SAASG,mBAAqBA,0BAEzBH,UA+vBIgiG,CAAc,CACnBH,OAAQI,aAACh4J,QACPA,uBACI7pB,KAAK6/K,uCAAgCttJ,iBAAQ1I,WACnD63J,OAAQI,aAACj4J,QACPA,uBACI7pB,KAAK6/K,uCAAgCttJ,iBAAQ1I,WACnD6nJ,eAAAA,eACAwO,iBAAkBlgL,KAAKkgL,iBACvBC,iBAAkBngL,KAAKmgL,iBACvBC,MAAOpgL,KAAKogL,QAEd,MAAOz8K,YACFA,MAAQA,WACRA,MAAMwmB,SAAW,CACpB+zJ,UAAWn+K,QAAQ+D,MAAMq2E,gCACzBx2E,MAAAA,QAiBNy9K,yBAAaC,eACXA,eADWU,eAEXA,eAFWxvJ,IAGXA,IAHWvU,GAIXA,gBAGK4vD,QAAU,UACVtxD,MAAQ,sBACP6N,SAAW,CACf63J,aAAc,CACZ7hL,KAAM,QACNu5B,IAAKnH,WAGJra,QAAQ,CACX/X,KAAM,qBACNgqB,SAAAA,iBAEI04D,SAAWk/F,gBAAkB/hL,KAAKuhL,eAAe,CACrDhvJ,IAAAA,IACAm/I,eAAgB2P,iBAElBx+F,SAASo/F,YAAcrjG,KAAKxlE,MAC5B+iK,mBAAmB,CACjBt5F,SAAAA,SACAnpD,IAAKnH,IACLvU,GAAAA,WAGIqhC,OAAS4/H,aAAaj/K,KAAKwxB,KAAMqxD,eAClC/C,eAAiB+C,SAAS9C,oBAAsB8C,SAAS/C,oBACzDoiG,cAAgB,KACjB7iI,aACG7tB,KAAO6tB,YACP8iI,OAASniL,KAAKwxB,KAAKsxD,UAAU9kE,UAE7B9F,QAAQ,0BAEVkqK,0BAA0B7C,aAAav/K,KAAK8S,UAAWusC,SAC5Dl1B,SAASk4J,eAAiB3C,wBAAwB1/K,KAAKwxB,KAAKsxD,UAAW34D,SAAS63J,aAAa7hL,MAAOH,KAAKmiL,OAAOlgG,cAC3G/pE,QAAQ,CACX/X,KAAM,wBACNgqB,SAAAA,gBAEGjS,QAAQ,kBAMf6G,eACO7G,QAAQ,gBACRoqK,cACLpgL,OAAOuX,aAAazZ,KAAKuiL,oBACzBrgL,OAAOuX,aAAazZ,KAAKwiL,4BACpBnC,mBAAqB,IAAIxD,uBACzBr5K,MAEP8+K,iBACMtiL,KAAK4tE,QAAS,OACV60G,WAAaziL,KAAK4tE,aACnBA,QAAU,KACf60G,WAAWzmJ,mBAAqB,KAChCymJ,WAAWhmJ,SAkBf3pB,MAAM+vE,SAAU6/F,iBAET7/F,gBACI7iF,KAAKmiL,UAGK,iBAAfniL,KAAKsc,YACD,IAAIxY,MAAM,qCAAuC9D,KAAKsc,UAItC,iBAAbumE,SAAuB,KAC3B7iF,KAAKwxB,KAAKsxD,UAAUD,gBACjB,IAAI/+E,MAAM,yBAA2B++E,UAE7CA,SAAW7iF,KAAKwxB,KAAKsxD,UAAUD,aAEjC3gF,OAAOuX,aAAazZ,KAAKwiL,uBACrBE,YAAa,OACTC,OAAS9/F,SAAS9C,oBAAsB8C,SAAS/C,gBAAkB,EAAI,KAAQ,qBAChF0iG,sBAAwBtgL,OAAO8R,WAAWhU,KAAK8S,MAAMkG,KAAKhZ,KAAM6iF,UAAU,GAAQ8/F,cAGnFrB,cAAgBthL,KAAKsc,MACrBsmK,aAAe5iL,KAAKmiL,QAAUt/F,SAAS7kE,KAAOhe,KAAKmiL,OAAOnkK,GAC1D6kK,gBAAkB7iL,KAAKwxB,KAAKsxD,UAAUD,SAAS7kE,OAEjD6kK,iBAAmBA,gBAAgB5gG,SAGvCY,SAASZ,SAAWY,SAAS1B,SAASlgF,cAEhCjB,KAAK4tE,eACFA,QAAQ5xC,mBAAqB,UAC7B4xC,QAAQnxC,aACRmxC,QAAU,WAEZtxD,MAAQ,qBACR6lK,OAASt/F,cAEV+/F,mBACG1qK,QAAQ,iBACS,uBAAlBopK,mBAMGppK,QAAQ,uBAERA,QAAQ,yBAUdkqK,0BAA0B7C,aAAa18F,UAAU,KAEjD+/F,2BAGAtmK,MAAQ,kBAETtc,KAAK4tE,QAAS,IACZiV,SAASs/E,cAAgBniK,KAAK4tE,QAAQr7C,gBAKrCq7C,QAAQ5xC,mBAAqB,UAC7B4xC,QAAQnxC,aACRmxC,QAAU,KAGb5tE,KAAKmiL,aACFjqK,QAAQ,sBAEVgqK,cAAgBr/F,eACf14D,SAAW,CACf63J,aAAc,CACZ7hL,KAAM,QACNu5B,IAAKmpD,SAASnpD,WAGbxhB,QAAQ,CACX/X,KAAM,uBACNgqB,SAAAA,gBAEGyjD,QAAU5tE,KAAK8/K,KAAK5lJ,IAAI,CAC3BR,IAAKmpD,SAASs/E,YACd3lI,gBAAiBx8B,KAAKw8B,gBACtB3C,YAAa,iBACZ,CAACl2B,MAAOu0K,UAEJl4K,KAAK4tE,YAGViV,SAASo/F,YAAcrjG,KAAKxlE,MAC5BypE,SAASs/E,YAAc8V,wBAAwBp1F,SAASs/E,YAAa+V,KACjEv0K,aACK3D,KAAKmhL,qBAAqBnhL,KAAK4tE,QAASiV,SAAUy+F,oBAEtDppK,QAAQ,CACX/X,KAAM,0BACNgqB,SAAAA,gBAEGi3J,aAAa,CAChBC,eAAgBnJ,IAAI/9I,aACpB5H,IAAKswD,SAASnpD,IACd1b,GAAI6kE,SAAS7kE,KAGO,uBAAlBsjK,mBACGppK,QAAQ,uBAERA,QAAQ,mBAQnBgV,QACMltB,KAAKuiL,qBACPrgL,OAAOuX,aAAazZ,KAAKuiL,yBACpBA,mBAAqB,WAEvBD,cACc,iBAAftiL,KAAKsc,aAGFwmK,SAAU,GAGE,oBAAf9iL,KAAKsc,MAIHtc,KAAKmiL,YACF7lK,MAAQ,qBAERA,MAAQ,qBAES,0BAAftc,KAAKsc,aACTA,MAAQ,iBAOjB8jB,KAAKsiJ,aACC1iL,KAAKuiL,qBACPrgL,OAAOuX,aAAazZ,KAAKuiL,yBACpBA,mBAAqB,YAEtBzvK,MAAQ9S,KAAK8S,WACf4vK,mBACIC,MAAQ7vK,OAASA,MAAMitE,oBAAsBjtE,MAAMgtE,gBAAkB,EAAI,IAAO,SACjFyiG,mBAAqBrgL,OAAO8R,YAAW,UACrCuuK,mBAAqB,UACrBniJ,SACJuiJ,YAGA3iL,KAAK8iL,QAINhwK,QAAUA,MAAMmvE,aACb/pE,QAAQ,2BAERA,QAAQ,uBANR+P,QASTm6J,0BAA0BO,OACpB3iL,KAAKuiL,qBACPrgL,OAAOuX,aAAazZ,KAAKuiL,yBACpBA,mBAAqB,MAGvBviL,KAAK8S,UAAW9S,KAAK8S,QAAQmvE,eAG7BsgG,mBAAqBrgL,OAAO8R,YAAW,UACrCuuK,mBAAqB,UACrBrqK,QAAQ,2BACRkqK,0BAA0BO,SAC9BA,QAML16J,gBACO66J,SAAU,EACS,iBAAb9iL,KAAKurB,WAGTvrB,KAAKurB,IAAImO,WACPnO,IAAImO,IAAMx3B,OAAO+wB,SAASjgB,WAI5BuY,IAAI42I,YAAcniK,KAAKurB,IAAImO,SAUhC1lB,YAAW,UACJ+uK,qBAAqB/iL,KAAKurB,OAC9B,SAGCpB,SAAW,CACf63J,aAAc,CACZ7hL,KAAM,eACNu5B,IAAK15B,KAAKurB,WAGTrT,QAAQ,CACX/X,KAAM,uBACNgqB,SAAAA,gBAGGyjD,QAAU5tE,KAAK8/K,KAAK5lJ,IAAI,CAC3BR,IAAK15B,KAAKurB,IACViR,gBAAiBx8B,KAAKw8B,gBACtB3C,YAAa,iBACZ,CAACl2B,MAAOu0K,WAEJl4K,KAAK4tE,uBAILA,QAAU,KACXjqE,kBACGA,MAAQ,CACXumB,OAAQguJ,IAAIhuJ,OACZL,qDAA+C7pB,KAAKurB,SACpD4O,aAAc+9I,IAAI/9I,aAElB5a,KAAM,EACN4K,SAAUwzJ,iCAAiC,CACzC9jJ,YAAaq+I,IAAIr+I,YACjB+zC,QAASsqG,IACTv0K,MAAAA,SAGe,iBAAf3D,KAAKsc,aACFwmK,SAAU,GAEV9iL,KAAKkY,QAAQ,cAEjBA,QAAQ,CACX/X,KAAM,0BACNgqB,SAAAA,gBAEGoB,IAAM0sJ,wBAAwBj4K,KAAKurB,IAAK2sJ,UACxChgK,QAAQ,CACX/X,KAAM,qBACNgqB,SAAAA,iBAEIy1D,SAAW5/E,KAAKuhL,eAAe,CACnC7P,eAAgBwG,IAAI/9I,aACpB5H,IAAKvyB,KAAKurB,MAGZpB,SAASk4J,eAAiB3C,wBAAwB9/F,SAASkD,UAAW34D,SAAS63J,aAAa7hL,MAAM,QAC7F+X,QAAQ,CACX/X,KAAM,wBACNgqB,SAAAA,gBAEG44J,qBAAqBnjG,aAG9BojG,eAC6B,iBAAbhjL,KAAKurB,IAAmBvrB,KAAKurB,IAAMvrB,KAAKurB,IAAImO,IAqB5DqpJ,qBAAqBnjG,kBACdtjE,MAAQ,qBACTsjE,SAASkD,sBACNtxD,KAAOouD,SACZ48F,oBAAoBx8K,KAAKwxB,KAAMxxB,KAAKgjL,UAIpCpjG,SAASkD,UAAUj+E,SAAQg+E,WACzBA,SAAS1B,SAAW49F,eAAel8F,UACnCA,SAAS1B,SAASt8E,SAAQ26E,UACxBq/F,mBAAmBr/F,QAASqD,SAASs/E,wBAGpCjqJ,QAAQ,uBACRlY,KAAK4tE,cAGH96D,MAAM9S,KAAKwxB,KAAKsxD,UAAU,WAO7BppD,IAAM15B,KAAKgjL,UAAY9gL,OAAO+wB,SAASjgB,UACxCwe,KAvkCY,EAAC1e,MAAO4mB,aACrB1b,GAAKg+J,iBAAiB,EAAGtiJ,KACzBlI,KAAO,CACXuxD,YAAa,OACF,SACA,qBACU,aACN,IAEfrpD,IAAKx3B,OAAO+wB,SAASjgB,KACrBmvJ,YAAajgK,OAAO+wB,SAASjgB,KAC7B8vE,UAAW,CAAC,CACVppD,IAAAA,IACA1b,GAAAA,GACAmkJ,YAAazoI,IAGb/uB,WAAY,aAIhB6mB,KAAKsxD,UAAU9kE,IAAMwT,KAAKsxD,UAAU,GAEpCtxD,KAAKsxD,UAAUppD,KAAOlI,KAAKsxD,UAAU,GAC9BtxD,MA+iCOyxJ,CAAarjG,EAAUlmD,UAC9B0nJ,aAAa,CAChBW,eAAgBniG,SAChBrtD,IAAKmH,IACL1b,GAAIhe,KAAKwxB,KAAKsxD,UAAU,GAAG9kE,UAExB9F,QAAQ,kBAafgrK,oBAAoBliH,MAAOmiH,gBACnB3xJ,KAAOxxB,KAAKwxB,KACZ4xJ,QAAUpiH,MAAMqiH,OAClBriL,EAAIwwB,KAAKsxD,UAAU7hF,YAEhBD,KAAK,OACJopC,EAAI5Y,KAAKsxD,UAAU9hF,MACrBopC,EAAEz/B,WAAW,gBAAkBy4K,QAAS,OACpCE,eAAiBl5I,EAAE+3H,YACnBohB,cAAgBn5I,EAAEpsB,MAEpBmlK,SAAU,OACNK,eAAiBxjL,KAAKyjL,gBAAgBr5I,EAAE+3H,YAAanhG,OACrD0iH,cAAgB1H,iBAAiBoH,QAASI,gBAC1C74K,WAAa3K,KAAK2jL,uBAAuBP,QAASh5I,EAAEz/B,YACpDi5K,gBAAkB5jL,KAAK6jL,qBAAqBz5I,EAAGs5I,cAAe1iH,MAAOr2D,YAC3E6mB,KAAKsxD,UAAU9hF,GAAK4iL,gBACpBpyJ,KAAKsxD,UAAU4gG,eAAiBE,gBAChCpyJ,KAAKsxD,UAAU0gG,gBAAkBI,qBAGjCpyJ,KAAKsxD,UAAUpiF,OAAOM,EAAG,UAGpBwwB,KAAKsxD,UAAUygG,sBACf/xJ,KAAKsxD,UAAUwgG,sBAGrBQ,yBAAyB9iH,MAAOmiH,UAcvCW,yBAAyB9iH,MAAOmiH,gBACxB3xJ,KAAOxxB,KAAKwxB,KACZxT,GAAKgjD,MAAMqiH,IAChB,QAAS,YAAa,mBAAmBx+K,SAAQ+iF,eAC3Cp2D,KAAKuxD,YAAY6E,YAAep2D,KAAKuxD,YAAY6E,WAAW5pE,QAG5D,MAAMwnJ,YAAYh0I,KAAKuxD,YAAY6E,cAElC49E,WAAaxnJ,GAAI,KACd,MAAMynJ,YAAYj0I,KAAKuxD,YAAY6E,WAAW49E,UAAW,CAC3Ch0I,KAAKuxD,YAAY6E,WAAW49E,UAAUC,UAC9C3iF,UAAUj+E,SAAQ,CAACulC,EAAGppC,WACvB+iL,iBAAmBvyJ,KAAKsxD,UAAU14C,EAAEpsB,IACpCulK,cAAgBQ,iBAAiB/lK,GACjCslK,eAAiBS,iBAAiB5hB,mBACjC3wI,KAAKsxD,UAAUygG,sBACf/xJ,KAAKsxD,UAAUwgG,0BAInB9xJ,KAAKuxD,YAAY6E,WAAW49E,cAKrC2d,eACGa,yBAAyBhjH,OAUlCijH,gBAAgBjjH,WAAOkjH,oEAAe,SAC9B1yJ,KAAOxxB,KAAKwxB,KACZjxB,MAAQixB,KAAKsxD,UAAU7hF,OACvBy4B,IAAM15B,KAAKyjL,gBAAgBS,aAAa/hB,YAAanhG,OACrDmjH,WAAanI,iBAAiBh7G,MAAMqiH,GAAI3pJ,KACxC/uB,WAAa3K,KAAK2jL,uBAAuB3iH,MAAMqiH,GAAIa,aAAav5K,YAChEk4E,SAAW7iF,KAAK6jL,qBAAqBK,aAAcC,WAAYnjH,MAAOr2D,YAC5E6mB,KAAKsxD,UAAUviF,OAASsiF,SAExBrxD,KAAKsxD,UAAUqhG,YAActhG,SAC7BrxD,KAAKsxD,UAAUppD,KAAOmpD,cACjBmhG,yBAAyBhjH,OAYhCgjH,yBAAyBhjH,aACjBhjD,GAAKgjD,MAAMqiH,GACXe,OAASpjH,MAAM,WACfxvC,KAAOxxB,KAAKwxB,MACjB,QAAS,YAAa,mBAAmB3sB,SAAQ+iF,eAG3Cp2D,KAAKuxD,YAAY6E,aAAcp2D,KAAKuxD,YAAY6E,WAAW5pE,QAG3D,MAAMwnJ,YAAYh0I,KAAKuxD,YAAY6E,cAClC49E,WAAa4e,QAEf5yJ,KAAKuxD,YAAY6E,WAAW5pE,IAAM,OAK/B,MAAMynJ,YAAYj0I,KAAKuxD,YAAY6E,WAAW49E,UAAW,OACtD4Z,SAAW5tJ,KAAKuxD,YAAY6E,WAAW49E,UAAUC,UACvDj0I,KAAKuxD,YAAY6E,WAAW5pE,IAAIynJ,UAAY9xI,WAAW,GAAIyrJ,gBACrDF,SAAW1tJ,KAAKuxD,YAAY6E,WAAW5pE,IAAIynJ,UAE3C4e,OAASrkL,KAAKyjL,gBAAgBrE,SAASjd,YAAanhG,OAC1Dk+G,SAAS/c,YAAckiB,OACvBnF,SAASxlJ,IAAM2qJ,OAEfnF,SAASp8F,UAAY,GAErBs8F,SAASt8F,UAAUj+E,SAAQ,CAACulC,EAAGppC,WACvB+iL,iBAAmBvyJ,KAAKsxD,UAAU14C,EAAEpsB,IACpCunJ,MAAQ0W,QAAQr0F,UAAW5pE,GAAIynJ,UAC/B6e,cAAgBtI,iBAAiBh+J,GAAIunJ,UAEvCwe,mBAAqBvyJ,KAAKsxD,UAAUwhG,eAAgB,OAChDC,iBAAmBvkL,KAAK6jL,qBAAqBE,iBAAkBO,cAAetjH,OAC9EwiH,eAAiBe,iBAAiBpiB,YACxC3wI,KAAKsxD,UAAUwhG,eAAiBC,iBAChC/yJ,KAAKsxD,UAAU0gG,gBAAkBe,iBAEnCrF,SAASp8F,UAAU9hF,GAAKhB,KAAK6jL,qBAAqBz5I,EAAGk6I,cAAetjH,eAkB9E6iH,qBAAqBK,aAAclmK,GAAIgjD,MAAOr2D,kBACtC+uB,IAAM15B,KAAKyjL,gBAAgBS,aAAa/hB,YAAanhG,OACrDwjH,SAAW,CACfriB,YAAazoI,IACbA,IAAAA,IACA1b,GAAAA,WAGEkmK,aAAa/iG,WACfqjG,SAASrjG,SAAW,IAElBx2E,aACF65K,SAAS75K,WAAaA,YAEjBjE,MAAMw9K,aAAcM,UAa7Bf,gBAAgBhxJ,QAASuuC,aACjBtnC,IAAM,IAAIlH,IAAIC,SACpBiH,IAAI+qJ,SAAWzjH,MAAM,mBAAmB0jH,WAClC/qJ,OAASqnC,MAAM,mBAAmB2jH,WAEnC,MAAM7/K,OAAOR,OAAOG,KAAKk1B,QAC5BD,IAAI6mD,aAAax6E,IAAIjB,IAAK60B,OAAO70B,aAE5B40B,IAAI1mB,KAWb2wK,uBAAuB3lK,GAAI4mK,qBACnBj6K,WAAa,cACDqT,WAEjB,QAAS,YAAa,mBAAmBnZ,SAAQ+iF,YAC5Cg9F,cAAch9F,aAChBj9E,WAAWi9E,WAAa5pE,OAGrBrT,WASTk6K,YAAYhiG,aACNA,SAASN,kBAAmB,OACxBuiG,OAAS,IAAIvmK,QACd,MAAMwmK,aAAaliG,SAASN,kBAAmB,OAC5CG,MAAQG,SAASN,kBAAkBwiG,WAAWp6K,WAAW+3E,MAC3DA,OACFoiG,OAAOz4K,IAAIq2E,MAAMnzE,sBAGdu1K,eASPE,gBAAkB,SAAUp3G,QAASjqE,MAAOy0B,SAAU7iB,gBACpD0vK,YAAuC,gBAAzBr3G,QAAQxzC,aAAiCwzC,QAAQx1C,SAAWw1C,QAAQzzC,cACnFx2B,OAASshL,cACZr3G,QAAQs3G,aAAetmG,KAAKxlE,MAC5Bw0D,QAAQu3G,cAAgBv3G,QAAQs3G,aAAet3G,QAAQw3G,YACvDx3G,QAAQmuG,cAAgBkJ,YAAYn8F,YAAcm8F,YAAYhkL,OACzD2sE,QAAQqN,YACXrN,QAAQqN,UAAYlqE,KAAK4X,MAAMilD,QAAQmuG,cAAgBnuG,QAAQu3G,cAAgB,EAAI,OAGnF/sJ,SAASU,UACX80C,QAAQy3G,gBAAkBjtJ,SAASU,SAKjCn1B,OAAwB,cAAfA,MAAM4b,OACjBquD,QAAQuwG,UAAW,GAKhBx6K,OAAUiqE,QAAQ7yC,SAAmC,MAAxB3C,SAASE,YAA8C,MAAxBF,SAASE,YAA8C,IAAxBF,SAASE,aACvG30B,MAAQ,IAAIG,MAAM,mCAAqC8pE,UAAYq3G,aAAer3G,QAAQzzC,iBAE5F5kB,SAAS5R,MAAOiqE,UAqCZ03G,WAAa,iBACXprJ,IAAM,SAASqrJ,YAAYp/K,QAASoP,UAExCpP,QAAUO,MAAM,CACd6S,QAAS,MACRpT,eAIGq/K,cAAgBD,YAAYC,eAAiBzlL,QAAQ0lL,IAAIvrJ,IAAIsrJ,cAG7DE,oBAAsBH,YAAYG,qBAAuB3lL,QAAQ0lL,IAAIvrJ,IAAIwrJ,qBAAuB,IAAInnK,IACpGonK,qBAAuBJ,YAAYI,sBAAwB5lL,QAAQ0lL,IAAIvrJ,IAAIyrJ,qBAC7EH,eAA0C,mBAAlBA,gBAC1BzlL,QAAQuB,IAAIoC,KAAK,uDACjBgiL,oBAAoBr5K,IAAIm5K,sBAIpBI,WAAyC,IAA7B7lL,QAAQ0lL,IAAIvrJ,IAAI8+C,SAAoBj5E,QAAQm6B,IAAMn6B,QAAQ0lL,IAAIvrJ,IAE1E2rJ,qBAjDkB,EAACC,WAAY3/K,eAClC2/K,aAAeA,WAAWxrK,gBAG3ByrK,WAAa5/K,eACjB2/K,WAAWjhL,SAAQmhL,kBACjBD,WAAaC,gBAAgBD,eAExBA,YAyCwBE,CAAoBP,oBAAqBv/K,SAEtEu/K,oBAAoBtwK,OAAOowK,qBAErB53G,QAAUg4G,UAAUC,sBAAwB1/K,SAAS,SAAUxC,MAAOy0B,gBAlCnD,EAAC8tJ,YAAat4G,QAASjqE,MAAOy0B,YACpD8tJ,aAAgBA,YAAY5rK,MAGjC4rK,YAAYrhL,SAAQshL,mBAClBA,iBAAiBv4G,QAASjqE,MAAOy0B,cA+B/BguJ,CAAqBT,qBAAsB/3G,QAASjqE,MAAOy0B,UACpD4sJ,gBAAgBp3G,QAASjqE,MAAOy0B,SAAU7iB,aAE7C8wK,cAAgBz4G,QAAQnxC,aAC9BmxC,QAAQnxC,MAAQ,kBACdmxC,QAAQ7yC,SAAU,EACXsrJ,cAAc5tK,MAAMm1D,QAASl1D,YAEtCk1D,QAAQl0C,IAAMvzB,QAAQuzB,IACtBk0C,QAAQ/zC,YAAc1zB,QAAQ0zB,YAC9B+zC,QAAQw3G,YAAcxmG,KAAKxlE,MACpBw0D,gBAET1zC,IAAI8+C,UAAW,EACR9+C,KA6BHosJ,kBAAoB,SAAU9mG,eAC5B1mD,QAAU,UACZ0mD,QAAQjB,YACVzlD,QAAQytJ,MAtBS,SAAUhoG,eAGzBioG,mBACEC,eAAiBloG,UAAUf,cAE/BgpG,aAD8B,iBAArBjoG,UAAUf,QAAmD,iBAArBe,UAAUt9E,OAC5CiB,OAAO6mF,OAAOxK,UAAUf,QAAUt7E,OAAO6mF,OAAOxK,UAAUt9E,QAAUiB,OAAO6mF,OAAO,GAElFxK,UAAUf,OAASe,UAAUt9E,OAAS,EAEhD,SAAWwlL,eAAiB,IAAMD,aAYvBE,CAAalnG,QAAQjB,YAEhCzlD,SAeH6tJ,UAAY,SAAUhzC,MAAO3yI,UAC1B2yI,MAAM1rH,MAAMjnB,GAAK,IAAM2yI,MAAMzrH,IAAIlnB,IAUpC4lL,gBAAkB,SAAU50K,EAAGhR,SAC7BkE,MAAQ8M,EAAExN,SAAS,UAClB,KAAK42C,UAAU,EAAG,EAAIl2C,MAAMjE,QAAUiE,OAASlE,EAAI,EAAI,IAAM,KAEhE6lL,kBAAoB,SAAU70K,UAC9BA,GAAK,IAAQA,EAAI,IACZgnB,OAAOC,aAAajnB,GAEtB,KAaH80K,0BAA4B,SAAUj9J,eACpCk9J,aAAe,UACrBziL,OAAOG,KAAKolB,SAAShlB,SAAQC,YACrBI,MAAQ2kB,QAAQ/kB,KAClB0jF,kBAAkBtjF,OACpB6hL,aAAajiL,KAAO,CAClB8jF,MAAO1jF,MAAM4mC,OACb+8C,WAAY3jF,MAAM2jF,WAClBC,WAAY5jF,MAAM4jF,YAGpBi+F,aAAajiL,KAAOI,SAGjB6hL,cAYHC,cAAgB,SAAU/iB,mBACxB1lF,UAAY0lF,YAAY1lF,WAAa,CACzCt9E,OAAQ8nB,EAAAA,EACRy0D,OAAQ,SAEH,CAACe,UAAUt9E,OAAQs9E,UAAUf,OAAQymF,YAAY9B,aAAa1vJ,KAAK,MAStEw0K,aAAe,SAAUniL,YACtBA,IAAIq9J,aAWP+kB,QAAUnyK,aACR6zE,MAAQtmF,MAAMiC,UAAU9D,MAAM2E,KAAK2P,UAGrCurC,IACA6mI,MAFA5hL,OAAS,OAGR,IAAIw4C,EAAI,EAAGA,EAAI6qC,MAAM3nF,OAJb,GAI4B88C,IACvCuC,IAAMsoC,MAAMnoF,MALD,GAKOs9C,EALP,GAKiBA,EALjB,IAKkCtuC,IAAIm3K,iBAAiBn0K,KAAK,IACvE00K,MAAQv+F,MAAMnoF,MANH,GAMSs9C,EANT,GAMmBA,EANnB,IAMoCtuC,IAAIo3K,mBAAmBp0K,KAAK,IAC3ElN,QAAU+6C,IAAM,IAAM6mI,MAAQ,YAEzB5hL,YAaL6hL,MAAqB9iL,OAAOiC,OAAO,CACrCC,UAAW,KACXsgL,0BAA2BA,0BAC3BE,cAAeA,cACfC,aAAcA,aACdC,QAASA,QACTG,QAjBcC,aAAC1+F,MACfA,qBACIs+F,QAAQt+F,QAgBZ2+F,WAfiB5/J,aAEb3mB,EADAuE,OAAS,OAERvE,EAAI,EAAGA,EAAI2mB,OAAO1mB,OAAQD,IAC7BuE,QAAUohL,UAAUh/J,OAAQ3mB,GAAK,WAE5BuE,gBAsNHiiL,eAAiBC,aAAC5kG,SACtBA,SADsBz9B,KAEtBA,KAFsB7vC,SAGtBA,qBAEKA,eACG,IAAIzR,MAAM,iDAEb++E,eAAqB5/E,IAATmiD,YACR7vC,SAAS,CACdsU,QAAS,6DAGP69J,eAtHyB,EAACtiI,KAAMy9B,gBAKjCA,WAAaA,SAAS1B,UAAyC,IAA7B0B,SAAS1B,SAASlgF,cAChD,SAGLu+E,QADAmoG,WAAa,MAEZ,IAAI3mL,EAAI,EAAGA,EAAI6hF,SAAS1B,SAASlgF,SACpCu+E,QAAUqD,SAAS1B,SAASngF,GAO5B2mL,WAAanoG,QAAQooG,gBAAkBpoG,QAAQooG,gBAAgBC,0BAA4BF,WAAanoG,QAAQ91D,WAC5G07B,MAAQuiI,aATgC3mL,WAaxCm4K,YAAct2F,SAAS1B,SAAS0B,SAAS1B,SAASlgF,OAAS,MAC7Dk4K,YAAYyO,iBAAmBzO,YAAYyO,gBAAgBC,0BAA4BziI,YAElF,QAELA,KAAOuiI,WAAY,IAIjBviI,KAAOuiI,WA9HmB,IA8HNxO,YAAYzvJ,gBAI3B,KAET81D,QAAU25F,kBAEL,CACL35F,QAAAA,QACAsoG,eAAgBtoG,QAAQooG,gBAAkBpoG,QAAQooG,gBAAgBG,4BAA8BJ,WAAanoG,QAAQ91D,SAGrHvpB,KAAMq/E,QAAQooG,gBAAkB,WAAa,aAyExBI,CAAyB5iI,KAAMy9B,cACjD6kG,sBACInyK,SAAS,CACdsU,QAAS,uCAGe,aAAxB69J,eAAevnL,YACVoV,SAAS,CACdsU,QAAS,wFACTo+J,SAAUP,eAAeI,uBAGvBI,kBAAoB,CACxBC,aAAc/iI,MAEVgjI,YAlNwB,EAACC,WAAY7oG,eACtCA,QAAQb,sBAGJ,WAEH2pG,2BAA6B9oG,QAAQooG,gBAAgBU,2BAIrDC,uBAAyBF,YAHP7oG,QAAQooG,gBAAgBG,4BAEPO,mCAElC,IAAI1pG,KAAKY,QAAQb,eAAeiF,UAAqC,IAAzB2kG,yBAuM/BC,CAAwBpjI,KAAMsiI,eAAeloG,gBAC7D4oG,cACFF,kBAAkBrkG,gBAAkBukG,YAAYK,eAE3ClzK,SAAS,KAAM2yK,oBAiBlBQ,kBAAoBC,aAACP,YACzBA,YADyBvlG,SAEzBA,SAFyB+lG,WAGzBA,WAAa,EAHYC,OAIzBA,OAJyBC,eAKzBA,gBAAiB,EALQ59J,KAMzBA,KANyB3V,SAOzBA,qBAEKA,eACG,IAAIzR,MAAM,wDAES,IAAhBskL,cAAgCvlG,WAAagmG,cAC/CtzK,SAAS,CACdsU,QAAS,6EAGRg5D,SAASZ,UAAY/2D,KAAKqlB,mBACtBh7B,SAAS,CACdsU,QAAS,gEAhGmBg5D,CAAAA,eAC3BA,SAAS1B,UAAyC,IAA7B0B,SAAS1B,SAASlgF,cACnC,MAEJ,IAAID,EAAI,EAAGA,EAAI6hF,SAAS1B,SAASlgF,OAAQD,QAC5B6hF,SAAS1B,SAASngF,GACrB29E,sBACJ,SAGJ,GAyFFoqG,CAA0BlmG,iBACtBttE,SAAS,CACdsU,QAAS,yDAA2Dg5D,SAASs/E,oBAG3EulB,eA1O0B,EAACU,YAAavlG,gBAI1ClE,mBAEFA,eAAiB,IAAIC,KAAKwpG,aAC1B,MAAOp2K,UACA,SAEJ6wE,WAAaA,SAAS1B,UAAyC,IAA7B0B,SAAS1B,SAASlgF,cAChD,SAELu+E,QAAUqD,SAAS1B,SAAS,MAC5BxC,eAAiB,IAAIC,KAAKY,QAAQb,uBAE7B,SAEJ,IAAI39E,EAAI,EAAGA,EAAI6hF,SAAS1B,SAASlgF,OAAS,IAC7Cu+E,QAAUqD,SAAS1B,SAASngF,KAExB29E,eADqB,IAAIC,KAAKiE,SAAS1B,SAASngF,EAAI,GAAG29E,kBAFX39E,WAO5Cm4K,YAAct2F,SAAS1B,SAAS0B,SAAS1B,SAASlgF,OAAS,GAC3D+nL,iBAAmB7P,YAAYx6F,eAC/BsqG,oBAAsB9P,YAAYyO,iBAtCLA,gBAsCoDzO,YAAYyO,iBArC5EC,0BAA4BD,gBAAgBG,4BAA8BH,gBAAgBU,2BAqCKnP,YAAYzvJ,SApElG,IAoE6GyvJ,YAAYzvJ,SAtCtHk+J,IAAAA,uBAwC/BjpG,eADmB,IAAIC,KAAKoqG,iBAAiBplG,UAAkC,IAAtBqlG,qBAGpD,MAELtqG,eAAiB,IAAIC,KAAKoqG,oBAC5BxpG,QAAU25F,aAEL,CACL35F,QAAAA,QACAsoG,eAAgBtoG,QAAQooG,gBAAkBpoG,QAAQooG,gBAAgBG,4BAA8B3M,SAAS1xJ,SAASm5D,SAAUA,SAASV,cAAgBU,SAAS1B,SAAS3gF,QAAQg/E,UAK/Kr/E,KAAMq/E,QAAQooG,gBAAkB,WAAa,cA+LxBsB,CAA0Bd,YAAavlG,cAEzD6kG,sBACInyK,SAAS,CACdsU,kBAAYu+J,oDAGV5oG,QAAUkoG,eAAeloG,QACzB2pG,YAlIuB,EAACC,oBAAqBhB,mBAC/CiB,gBACAxlG,oBAEFwlG,gBAAkB,IAAIzqG,KAAKwqG,qBAC3BvlG,gBAAkB,IAAIjF,KAAKwpG,aAC3B,MAAOp2K,UAEHs3K,iBAAmBD,gBAAgBzlG,iBAChBC,gBAAgBD,UACd0lG,kBAAoB,KAwH3BC,CAAuB/pG,QAAQb,eAAgBypG,gBACvC,aAAxBV,eAAevnL,YAEE,IAAfyoL,WACKrzK,SAAS,CACdsU,kBAAYu+J,kDAGhBS,OAAOnB,eAAeI,eAAiBqB,kBACvCj+J,KAAK3S,IAAI,UAAU,KACjBmwK,kBAAkB,CAChBN,YAAAA,YACAvlG,SAAAA,SACA+lG,WAAYA,WAAa,EACzBC,OAAAA,OACAC,eAAAA,eACA59J,KAAAA,KACA3V,SAAAA,qBAQAi0K,WAAahqG,QAAQv3D,MAAQkhK,YAKnCj+J,KAAK3S,IAAI,UAJc,IACdhD,SAAS,KAAM2V,KAAKmU,iBAKzBypJ,gBACF59J,KAAKgC,QAEP27J,OAAOW,aAKHC,oBAAsB,CAAC77G,QAAS55B,SACT,IAAvB45B,QAAQz5D,kBACH6/B,MAIL01I,iBAAmB,CAAChwJ,IAAKQ,IAAK8Z,GAAIna,mBAElC8vJ,UADA/gG,MAAQ,GAERghG,UAAW,QACTC,sBAAwB,SAAU1xJ,IAAK+/I,IAAK/3K,KAAM2pL,eACtD5R,IAAIz7I,QACJmtJ,UAAW,EACJ51I,GAAG7b,IAAK+/I,IAAK/3K,KAAM2pL,SAEtBC,iBAAmB,SAAUpmL,MAAOiqE,YACpCg8G,mBAGAjmL,aACFA,MAAMwmB,SAAWwzJ,iCAAiC,CAChD9jJ,YAAAA,YACA+zC,QAAAA,QACAjqE,MAAAA,QAEKkmL,sBAAsBlmL,MAAOiqE,QAAS,GAAIgb,aAG7CohG,QAAUp8G,QAAQzzC,aAAaihB,UAAUwtC,OAASA,MAAME,YAAc,EAAGlb,QAAQzzC,aAAal5B,WAEpG2nF,MA/4WoB,eACjB,IAAIqhG,KAAOvxK,UAAUzX,OAAQipL,QAAU,IAAI5nL,MAAM2nL,MAAOE,KAAO,EAAGA,KAAOF,KAAME,OAClFD,QAAQC,MAAQzxK,UAAUyxK,SAE5BD,QAAUA,QAAQnmL,QAAO,SAAU8E,UAC1BA,IAAMA,EAAEigF,YAAcjgF,EAAE5H,SAAwB,iBAAN4H,KAE/CqhL,QAAQjpL,QAAU,SAGb0nF,QAAQuhG,QAAQ,QAErBE,SAAWF,QAAQnlL,QAAO,SAAUwkF,MAAOgJ,IAAKvxF,UAC3CuoF,OAASgJ,IAAIzJ,YAAcyJ,IAAItxF,UACrC,GACCopL,WAAa,IAAInxJ,WAAWkxJ,UAC5B5sG,OAAS,SACb0sG,QAAQrlL,SAAQ,SAAU0tF,KACxBA,IAAM5J,QAAQ4J,KACd83F,WAAWtkL,IAAIwsF,IAAK/U,QACpBA,QAAU+U,IAAIzJ,cAETuhG,WAy3WGC,CAAkB1hG,MAAOqB,cAAc+/F,SAAS,IACxDL,UAAYA,WAAa3W,aAAapqF,OAGlCA,MAAM3nF,OAAS,IAAM0oL,WAAa/gG,MAAM3nF,OAAS0oL,UAAY,SACxDF,oBAAoB77G,SAAS,IAAMi8G,sBAAsBlmL,MAAOiqE,QAAS,GAAIgb,eAEhFzoF,KAAOy3K,wBAAwBhvF,aAIxB,OAATzoF,MAAiByoF,MAAM3nF,OAAS,MAK/Bd,MAAQyoF,MAAM3nF,OAAS,IAJnBwoL,oBAAoB77G,SAAS,IAAMi8G,sBAAsBlmL,MAAOiqE,QAAS,GAAIgb,SAO/EihG,sBAAsB,KAAMj8G,QAASztE,KAAMyoF,QAE9CziF,QAAU,CACduzB,IAAAA,IACAkD,WAAWgxC,SAETA,QAAQ28G,iBAAiB,sCACzB38G,QAAQx5D,iBAAiB,YAAY,qBAAUm1E,MAC7CA,MAD6CihG,OAE7CA,sBAEOxF,gBAAgBp3G,QAAS,KAAM,CACpCt1C,WAAYs1C,QAAQ1jD,QACnB6/J,uBAIHn8G,QAAU1zC,IAAI/zB,SAAS,SAAUxC,MAAOy0B,iBACrC4sJ,gBAAgBp3G,QAASjqE,MAAOy0B,SAAU2xJ,4BAE5Cn8G,UAEHgM,YACJA,aACE75E,QACE0qL,sBAAwB,SAAU/lJ,EAAG77B,OACpCm2K,oBAAoBt6I,EAAG77B,UACnB,KAQL67B,EAAE2/H,MAAQx7J,EAAEw7J,OAAS3/H,EAAE2/H,KAAK7mF,SAAW30E,EAAEw7J,KAAK7mF,QAAU94C,EAAE2/H,KAAKpjK,SAAW4H,EAAEw7J,KAAKpjK,eAC5E,EACF,IAAKyjC,EAAE2/H,MAAQx7J,EAAEw7J,MAAQ3/H,EAAE2/H,OAASx7J,EAAEw7J,YACpC,KAIL3/H,EAAEy8C,WAAat4E,EAAEs4E,WAAaz8C,EAAEy8C,UAAYt4E,EAAEs4E,gBACzC,MAGJz8C,EAAEy8C,WAAat4E,EAAEs4E,gBACb,MAGJ,IAAIngF,EAAI,EAAGA,EAAI0jC,EAAEy8C,SAASlgF,OAAQD,IAAK,OACpC0pL,SAAWhmJ,EAAEy8C,SAASngF,GACtB2pL,SAAW9hL,EAAEs4E,SAASngF,MAExB0pL,SAAShxJ,MAAQixJ,SAASjxJ,WACrB,MAGJgxJ,SAASnsG,YAAcosG,SAASpsG,yBAG/BqsG,WAAaF,SAASnsG,UACtBssG,WAAaF,SAASpsG,aAExBqsG,aAAeC,aAAeD,YAAcC,kBACvC,KAGLD,WAAWptG,SAAWqtG,WAAWrtG,QAAUotG,WAAW3pL,SAAW4pL,WAAW5pL,cACvE,SAIJ,GASH6pL,YAAc,CAAC3qL,KAAMolK,MAAO94I,MAAOo2D,kBAEjCshG,WAAathG,SAASl4E,WAAWs4E,MAAQx2D,sCACrBtsB,iBAAQolK,kBAAS4e,aAmBvC4G,aAAeC,aAACC,QACpBA,QADoBroH,OAEpBA,OAFoBqgG,aAGpBA,aAHoBkE,YAIpBA,YAJoB6B,iBAKpBA,+BAEMppF,SAlgIM,SAAC8xF,oBAAgBvrK,+DAAU,SACjC+kL,mBAAqBha,kBAAkBO,eAAeC,gBAAiBvrK,SACvE28E,UAAY6pF,YAAYue,mBAAmB1Z,2BAC1C5I,OAAO,CACZE,cAAehmF,UACfimF,UAAWmiB,mBAAmBniB,UAC9BjjF,gBAAiBolG,mBAAmB3Z,oBACpCpK,YAAahhK,QAAQghK,YACrB6B,iBAAkB7iK,QAAQ6iK,iBAC1BC,YAAaiiB,mBAAmBjiB,cAy/HjBvuI,CAAMuwJ,QAAS,CAC9B9Z,YAAavuG,OACbqgG,aAAAA,aACAkE,YAAAA,YACA6B,iBAAAA,0BAEFwT,oBAAoB58F,SAAUhd,OAAQkoH,aAC/BlrG,UA+BHurG,WAAa,CAACC,QAASC,QAASlkB,mBAChCmkB,WAAY,EACZjsI,OAAS34C,MAAM0kL,QAAS,CAE1B1hK,SAAU2hK,QAAQ3hK,SAClB05I,oBAAqBioB,QAAQjoB,oBAC7B6B,eAAgBomB,QAAQpmB,qBAGrB,IAAIjkK,EAAI,EAAGA,EAAIqqL,QAAQvoG,UAAU7hF,OAAQD,IAAK,OAC3C6hF,SAAWwoG,QAAQvoG,UAAU9hF,MAC/B6hF,SAASwhF,KAAM,OACX+C,QAAUV,gBAAgB7jF,SAASwhF,MAErC8C,aAAeA,YAAYC,UAAYD,YAAYC,SAAS/C,MAC9DD,4BAA4BvhF,SAAUskF,YAAYC,SAAS/C,KAAMxhF,SAASwhF,KAAKlC,mBAG7EopB,eAAiBtM,aAAa5/H,OAAQwjC,SAAU4nG,uBAClDc,iBACFlsI,OAASksI,eACTD,WAAY,UAIhBpP,kBAAkBmP,SAAS,CAAC3gL,WAAYvK,KAAMolK,MAAO94I,YAC/C/hB,WAAWo4E,WAAap4E,WAAWo4E,UAAU7hF,OAAQ,OACjD+c,GAAKtT,WAAWo4E,UAAU,GAAG9kE,GAC7ButK,eAAiBtM,aAAa5/H,OAAQ30C,WAAWo4E,UAAU,GAAI2nG,uBACjEc,iBACFlsI,OAASksI,eAEH9+J,SAAS4yB,OAAO0jC,YAAY5iF,MAAMolK,SACtClmH,OAAO0jC,YAAY5iF,MAAMolK,OAAO94I,OAAS/hB,YAG3C20C,OAAO0jC,YAAY5iF,MAAMolK,OAAO94I,OAAOq2D,UAAU,GAAKzjC,OAAOyjC,UAAU9kE,IACvEstK,WAAY,OAzDc,EAACjsI,OAAQgsI,WACzCnP,kBAAkB78H,QAAQ,CAAC30C,WAAYvK,KAAMolK,MAAO94I,SAC7C4+J,QAAQtoG,YAAY5iF,MAAMolK,QAAY94I,SAAS4+J,QAAQtoG,YAAY5iF,MAAMolK,eACrElmH,OAAO0jC,YAAY5iF,MAAMolK,OAAO94I,WA2D3C++J,CAA0BnsI,OAAQgsI,SAC9BA,QAAQjoB,sBAAwBgoB,QAAQhoB,sBAC1CkoB,WAAY,GAEVA,UACK,KAEFjsI,QAMHosI,eAAiB,CAAC/mJ,EAAG77B,KACNtB,SAASm9B,EAAEj1B,MAAQ5G,EAAE4G,MACJlI,QAAQm9B,EAAEj1B,KAAO5G,EAAE4G,KAAOi1B,EAAEj1B,IAAI8uE,UAAUf,SAAW30E,EAAE4G,IAAI8uE,UAAUf,QAAU94C,EAAEj1B,IAAI8uE,UAAUt9E,SAAW4H,EAAE4G,IAAI8uE,UAAUt9E,UACtIyjC,EAAEhL,MAAQ7wB,EAAE6wB,KAAOgL,EAAE65C,UAAUf,SAAW30E,EAAE01E,UAAUf,QAAU94C,EAAE65C,UAAUt9E,SAAW4H,EAAE01E,UAAUt9E,OAGvHyqL,iBAAmB,CAAC5oG,UAAW6oG,wBAC7BC,eAAiB,OAClB,MAAM5tK,MAAM8kE,UAAW,OAEpB+oG,gBADW/oG,UAAU9kE,IACMqmJ,QAC7BwnB,gBAAiB,OACb/mL,IAAM4hK,gBAAgBmlB,qBACvBF,eAAe7mL,iBAGdgnL,cAAgBH,eAAe7mL,KAAKinL,SACtCN,eAAeK,cAAeD,mBAChCD,eAAe9mL,KAAO6mL,eAAe7mL,cAIpC8mL,sBAsBHI,2BAA2BpyG,YAI/Bv0E,YAAY4mL,iBAAkB14G,SAAKptE,+DAAU,GAAI+lL,uEAE1CxxI,WAAY,OACZyxI,oBAAsBD,oBAAsBlsL,KAC5CksL,0BACEE,SAAU,SAEX5vJ,gBACJA,iBAAkB,GAChBr2B,gBACC25K,KAAOvsG,SACP/2C,gBAAkBA,qBAClB6vJ,uBAAyBlmL,QAAQkmL,wBACjCJ,uBACG,IAAInoL,MAAM,uDAGbwT,GAAG,uBAAuB,UACxBg1K,sBAGFh1K,GAAG,sBAAsB,UACvBi1K,cAAcvsL,KAAK8S,QAAQkL,YAE7B1B,MAAQ,oBACRkwK,iBAAmB,QACnB3M,QAAU1H,OAAO,sBAGlBn4K,KAAKosL,cACFD,oBAAoBvpH,OAASqpH,sBAG7BE,oBAAoBM,aAAe,SAEnCC,eAAiBT,iBAGtBU,sBACK3sL,KAAK06C,UAEdkyI,gBAAgBz0J,IAAKy1C,QAAS0zG,sBAEvBthL,KAAK4tE,eAILA,QAAU,KACXz1C,UAGGx0B,MAAuB,iBAARw0B,KAAsBA,eAAer0B,MAAe,CACtEomB,OAAQ0jD,QAAQ1jD,OAChBL,QAAS,8BAAgC+jD,QAAQl0C,IACjDtB,SAAUw1C,QAAQx1C,SAElB7Y,KAAM,EACN4K,SAAUgO,IAAIhO,UANkDgO,IAQ9DmpJ,qBACGhlK,MAAQglK,oBAEVppK,QAAQ,UACN,WAQX20K,iBAAiBhqG,SAAUy+F,cAAettI,UAClCozH,QAAUvkF,SAASwhF,MAAQqC,gBAAgB7jF,SAASwhF,UAErDxhF,SAASwhF,OAAS+C,SAAWpnK,KAAKmsL,oBAAoBM,aAAarlB,gBAEtEllK,OAAOuX,aAAazZ,KAAK8sL,yBACpBA,cAAgB5qL,OAAO8R,YAAW,IAAMggC,IAAG,IAAQ,UAIpDta,IAAMu+I,wBAAwBp1F,SAASwhF,KAAKlC,aAC5C4qB,IAAM,CAAC50J,IAAKy1C,cACZ5tE,KAAK4sL,gBAAgBz0J,IAAKy1C,QAAS0zG,4BAGjCna,YAAcnnK,KAAKmsL,oBAAoBM,cACvC5yJ,YACJA,aACE+zC,YACAy2F,SAEFA,KAAOiO,YAAY3pF,QAAQ/a,QAAQx1C,UAAUm6I,SAAS,IACtD,MAAOvgK,UACPA,EAAEmY,SAAWwzJ,iCAAiC,CAC5C9jJ,YAAAA,YACA+zC,QAAAA,QACAiwG,cAAc,cAGX+O,gBAAgB56K,EAAG47D,QAAS0zG,sBAGnCna,YAAYC,SAAW,CACrB2kB,SAAUlpG,SAASwhF,KACnBA,KAAAA,MAEFD,4BAA4BvhF,SAAUwhF,KAAMxhF,SAASwhF,KAAKlC,aACnDnuH,IAAG,SAGP45B,QAAU87G,iBAAiBhwJ,IAAK15B,KAAK8/K,KAAK5lJ,KAAK,CAAC/B,IAAKy1C,QAAS9iC,UAAW89C,YACxEzwD,WACK40J,IAAI50J,IAAKy1C,aAEb9iC,WAA2B,QAAdA,UAAqB,OAC/BkiJ,cAAgBliJ,WAAa,iBAC5BiiJ,IAAI,CACT7iK,OAAQ0jD,QAAQ1jD,OAChBL,8BAAwBmjK,kEAAyDtzJ,KAGjFtB,SAAU,GACVyqD,SAAAA,SACAoqG,UAAU,EACVC,0BAA2BnkK,EAAAA,EAE3BxJ,KAAM,GACLquD,eAGC4P,OACJA,OADIv8E,OAEJA,QACE4hF,SAASwhF,KAAK9lF,aACdqK,MAAM3nF,QAAUA,OAASu8E,cACpBuvG,IAAI50J,IAAK,CACdC,SAAUwwD,MAAM2pF,SAAS/0F,OAAQA,OAASv8E,QAC1CipB,OAAQ0jD,QAAQ1jD,OAChBwP,IAAKk0C,QAAQl0C,WAIZk0C,QAAU5tE,KAAK8/K,KAAK5lJ,IAAI,CAC3BR,IAAAA,IACAU,aAAc,cACdP,YAAa,YACbf,QAASwtJ,kBAAkB,CACzB/nG,UAAWsE,SAASwhF,KAAK9lF,aAE1BwuG,OAxCgB,aA2CvBhuK,eACO27B,WAAY,OACZxiC,QAAQ,gBACRoqK,mBACAkK,iBAAmB,GACxBtqL,OAAOuX,aAAazZ,KAAKmtL,6BACzBjrL,OAAOuX,aAAazZ,KAAK8sL,eACzB5qL,OAAOuX,aAAazZ,KAAKuiL,yBACpBA,mBAAqB,UACrBuK,cAAgB,UAChBK,4BAA8B,KAC/BntL,KAAKmsL,oBAAoBiB,yBACtB5pL,IAAI,iBAAkBxD,KAAKmsL,oBAAoBiB,wBAC/CjB,oBAAoBiB,kBAAoB,WAE1C5pL,MAEP6pL,2BACSrtL,KAAK4tE,SAAW5tE,KAAK8sL,cAE9BxK,iBACMtiL,KAAK4tE,QAAS,OACV60G,WAAaziL,KAAK4tE,aACnBA,QAAU,KACf60G,WAAWzmJ,mBAAqB,KAChCymJ,WAAWhmJ,SAGf3pB,MAAM+vE,cAECA,gBACI7iF,KAAKmiL,UAGK,iBAAfniL,KAAKsc,YACD,IAAIxY,MAAM,qCAAuC9D,KAAKsc,aAExDglK,cAAgBthL,KAAKsc,SAEH,iBAAbumE,SAAuB,KAC3B7iF,KAAKmsL,oBAAoB36J,KAAKsxD,UAAUD,gBACrC,IAAI/+E,MAAM,yBAA2B++E,UAE7CA,SAAW7iF,KAAKmsL,oBAAoB36J,KAAKsxD,UAAUD,gBAE/C+/F,aAAe5iL,KAAKmiL,QAAUt/F,SAAS7kE,KAAOhe,KAAKmiL,OAAOnkK,MAE5D4kK,aAAe5iL,KAAKwsL,iBAAiB3pG,SAAS7kE,KAAOhe,KAAKwsL,iBAAiB3pG,SAAS7kE,IAAIikE,oBACrF3lE,MAAQ,qBACR6lK,OAASt/F,cAEV+/F,mBACG1qK,QAAQ,sBACRA,QAAQ,iBAKZ0qK,cAID5iL,KAAKmiL,aACFjqK,QAAQ,sBAEV20K,iBAAiBhqG,SAAUy+F,eAAegM,mBAExClM,aAAa,CAChBE,cAAAA,cACAz+F,SAAAA,eAINu+F,yBAAaE,cACXA,cADWz+F,SAEXA,sBAEKvmE,MAAQ,qBACRkwK,iBAAiB3pG,SAAS7kE,IAAM6kE,SACrC3gF,OAAOuX,aAAazZ,KAAK8sL,oBACpBA,cAAgB,UAEhBP,cAAc1pG,SAAS7kE,IAGN,uBAAlBsjK,mBACGppK,QAAQ,uBAGRA,QAAQ,eAGjBgV,aACOwtB,WAAY,EACb16C,KAAKmsL,oBAAoBiB,yBACtB5pL,IAAI,iBAAkBxD,KAAKmsL,oBAAoBiB,wBAC/CjB,oBAAoBiB,kBAAoB,WAE1C9K,cACLpgL,OAAOuX,aAAazZ,KAAKuiL,yBACpBA,mBAAqB,KACtBviL,KAAKosL,UACPlqL,OAAOuX,aAAazZ,KAAKmsL,oBAAoBgB,kCACxChB,oBAAoBgB,4BAA8B,MAEtC,iBAAfntL,KAAKsc,aAGFwmK,SAAU,GAGnB1iJ,KAAKmtJ,uBACE7yI,WAAY,EACjBx4C,OAAOuX,aAAazZ,KAAKuiL,yBACpBA,mBAAqB,WACpBzvK,MAAQ9S,KAAK8S,WACfy6K,wBACI5K,MAAQ7vK,MAAQA,MAAMgtE,eAAiB,EAAI,IAAO,SACnDyiG,mBAAqBrgL,OAAO8R,YAAW,IAAMhU,KAAKogC,QAAQuiJ,YAK5D3iL,KAAK8iL,QAINhwK,QAAUA,MAAMmvE,SAIdjiF,KAAKosL,UAAYpsL,KAAKmtL,mCAEnBj1K,QAAQ,4BAERs1K,0CAEFt1K,QAAQ,4BAERA,QAAQ,uBAfR+P,QAkBTA,gBACO66J,SAAU,GAGV9iL,KAAKosL,eACRlqL,OAAOuX,aAAazZ,KAAK8sL,yBACpBA,cAAgB5qL,OAAO8R,YAAW,IAAMhU,KAAKytL,aAAa,SAG5DC,cAAa,CAACxV,IAAKyV,oBACjBF,YACAztL,KAAKqtL,qBAAwBrtL,KAAKmiL,aAChCrvK,MAAM9S,KAAKmsL,oBAAoB36J,KAAKsxD,UAAU,OAIzD4qG,aAAa15I,UACL7pB,SAAW,CACfyjK,aAAc,CACZl0J,IAAK15B,KAAKmsL,oBAAoBvpH,cAG7B1qD,QAAQ,CACX/X,KAAM,uBACNgqB,SAAAA,gBAEGyjD,QAAU5tE,KAAK8/K,KAAK5lJ,IAAI,CAC3BR,IAAK15B,KAAKmsL,oBAAoBvpH,OAC9BpmC,gBAAiBx8B,KAAKw8B,gBACtB3C,YAAa,kBACZ,CAACl2B,MAAOu0K,UACLv0K,MAAO,OACHk2B,YACJA,aACEq+I,IACJv0K,MAAMwmB,SAAWwzJ,iCAAiC,CAChD9jJ,YAAAA,YACA+zC,QAASsqG,IACTv0K,MAAAA,WAGA3D,KAAK4sL,gBAAgBjpL,MAAOu0K,iBACX,iBAAfl4K,KAAKsc,aACFwmK,SAAU,SAId5qK,QAAQ,CACX/X,KAAM,0BACNgqB,SAAAA,iBAEIwjK,YAAczV,IAAI/9I,eAAiBn6B,KAAKmsL,oBAAoB0B,qBAC7D1B,oBAAoB0B,SAAW3V,IAAI/9I,aACpC+9I,IAAImN,iBAAmBnN,IAAImN,gBAAgByI,UACxCC,YAAcnvG,KAAKlkD,MAAMw9I,IAAImN,gBAAgByI,WAE7CC,YAAcnvG,KAAKxlE,WAErB+yK,oBAAoBvpH,OAASq1G,wBAAwBj4K,KAAKmsL,oBAAoBvpH,OAAQs1G,KACvFyV,kBACGK,wBACAC,wBAAuB,IACnBj6I,GAAGkkI,IAAKyV,gBAIZ35I,GAAGkkI,IAAKyV,gBAWnBM,uBAAuBz5J,YACf05J,UAAYvc,eAAe3xK,KAAKmsL,oBAAoB0B,iBAGxC,OAAdK,gBACG/B,oBAAoBgC,cAAgBnuL,KAAK+tL,YAAcnvG,KAAKxlE,MAC1Dob,QAEgB,WAArB05J,UAAU/jL,aACPgiL,oBAAoBgC,cAAgBD,UAAUhpL,MAAQ05E,KAAKxlE,MACzDob,kBAEJo5C,QAAU5tE,KAAK8/K,KAAK5lJ,IAAI,CAC3BR,IAAKs+I,WAAWh4K,KAAKmsL,oBAAoBvpH,OAAQsrH,UAAUhpL,OAC3DiF,OAAQ+jL,UAAU/jL,OAClBqyB,gBAAiBx8B,KAAKw8B,gBACtB3C,YAAa,oBACZ,CAACl2B,MAAOu0K,WAEJl4K,KAAK4tE,kBAGNjqE,MAAO,OACHk2B,YACJA,aACEq+I,gBACCv0K,MAAMwmB,SAAWwzJ,iCAAiC,CACrD9jJ,YAAAA,YACA+zC,QAASsqG,IACTv0K,MAAAA,aAIGwoL,oBAAoBgC,cAAgBnuL,KAAK+tL,YAAcnvG,KAAKxlE,MAC1Dob,WAEL45J,WAOAA,WANqB,SAArBF,UAAU/jL,OACP+tK,IAAImN,iBAAoBnN,IAAImN,gBAAgByI,KAKlClvG,KAAKlkD,MAAMw9I,IAAImN,gBAAgByI,MAF/B9tL,KAAK+tL,YAKPnvG,KAAKlkD,MAAMw9I,IAAI/9I,mBAEzBgyJ,oBAAoBgC,cAAgBC,WAAaxvG,KAAKxlE,MAC3Dob,WAGJi5J,iBACOnxK,MAAQ,qBACTtc,KAAKosL,aAIFl0K,QAAQ,kBACHlY,KAAKmiL,aAGVrvK,MAAM9S,KAAK0sL,gBAGpBsB,cAEE9rL,OAAOuX,aAAazZ,KAAK8sL,oBACpBA,cAAgB,WACf1B,QAAUprL,KAAKmsL,oBAAoB36J,KACnCrH,SAAW,CACfyjK,aAAc,CACZl0J,IAAK15B,KAAKmsL,oBAAoBvpH,aAO9ByoH,aAJCnzK,QAAQ,CACX/X,KAAM,qBACNgqB,SAAAA,eAIAkhK,QAAUN,aAAa,CACrBE,QAASjrL,KAAKmsL,oBAAoB0B,SAClCjrH,OAAQ5iE,KAAKmsL,oBAAoBvpH,OACjCqgG,aAAcjjK,KAAKmsL,oBAAoBgC,cACvChnB,YAAannK,KAAKmsL,oBAAoBM,aACtCzjB,iBAAkBoiB,UAEpB,MAAOznL,YACFA,MAAQA,WACRA,MAAMwmB,SAAW,CACpB+zJ,UAAWn+K,QAAQ+D,MAAMs2E,iCACzBz2E,MAAAA,YAEGuU,QAAQ,SAGXkzK,UACFC,QAAUF,WAAWC,QAASC,QAASrrL,KAAKmsL,oBAAoBM,oBAG7DN,oBAAoB36J,KAAO65J,SAAoBD,cAC9Cn4J,SAAWjzB,KAAKmsL,oBAAoB36J,KAAKu3I,WAAa/oK,KAAKmsL,oBAAoB36J,KAAKu3I,UAAU,MAChG91I,UAAYA,WAAajzB,KAAKmsL,oBAAoBvpH,cAC/CupH,oBAAoBvpH,OAAS3vC,YAE/Bm4J,SAAWC,SAAWA,QAAQjoB,sBAAwBgoB,QAAQhoB,2BAC5DoqB,yCAEFa,+BAA+BhD,SAChCA,QAAS,OACL3hK,SACJA,SADIu4D,QAEJA,SACEopG,QACE1L,WAAa,GACnB0L,QAAQvoG,UAAUj+E,SAAQg+E,WACxB88F,WAAW19K,KAAK,CACd+b,GAAI6kE,SAAS7kE,GACbi9D,UAAW4H,SAASl4E,WAAW8zE,UAC/Bd,WAAYkF,SAASl4E,WAAW6zE,WAChCiJ,OAAQ5E,SAASl4E,WAAW88J,kBAG1B6mB,eAAiB,CACrB5kK,SAAAA,SACA+xB,QAASwmC,QACT09F,WAAAA,YAEFx1J,SAASmkK,eAAiBA,oBACrBp2K,QAAQ,CACX/X,KAAM,wBACNgqB,SAAAA,kBAGG5iB,QAAQ8jL,SAEjBmC,0CACQe,IAAMvuL,KAAKmsL,oBAGboC,IAAInB,oBACNmB,IAAI/qL,IAAI,iBAAkB+qL,IAAInB,mBAC9BmB,IAAInB,kBAAoB,MAGtBmB,IAAIpB,8BACNjrL,OAAOuX,aAAa80K,IAAIpB,6BACxBoB,IAAIpB,4BAA8B,UAEhCqB,IAAMD,IAAI/8J,MAAQ+8J,IAAI/8J,KAAK4xI,oBAKnB,IAARorB,MACED,IAAIz7K,QACN07K,IAAmC,IAA7BD,IAAIz7K,QAAQgtE,gBAElByuG,IAAInB,kBAAoBmB,IAAIf,kCAC5Be,IAAIh2K,IAAI,iBAAkBg2K,IAAInB,qBAMf,iBAARoB,KAAoBA,KAAO,EAChCA,IAAM,QACH3O,uDAAgD2O,qCAIpDC,kBAAkBD,KAEzBC,kBAAkBD,WACVD,IAAMvuL,KAAKmsL,oBACjBoC,IAAIpB,4BAA8BjrL,OAAO8R,YAAW,KAClDu6K,IAAIpB,4BAA8B,KAClCoB,IAAIr2K,QAAQ,uBACZq2K,IAAIE,kBAAkBD,OACrBA,KAMLlC,mBACOoB,cAAa,CAACxV,IAAKyV,eACjBA,cAGD3tL,KAAKmiL,cACFA,OAASniL,KAAKmsL,oBAAoB36J,KAAKsxD,UAAU9iF,KAAKmiL,OAAOnkK,UAG/DmuK,oBAAoBM,aAtkBG,EAACj7J,KAAMm6J,sBAEnC+C,eADchD,iBAAiBl6J,KAAKsxD,UAAW6oG,uBAEnDzP,kBAAkB1qJ,MAAM,CAAC9mB,WAAYk9E,UAAW49E,SAAUC,eACpD/6J,WAAWo4E,WAAap4E,WAAWo4E,UAAU7hF,OAAQ,OACjD6hF,UAAYp4E,WAAWo4E,UAC7B4rG,eAAiBhoL,MAAMgoL,eAAgBhD,iBAAiB5oG,UAAW6oG,qBAGhE+C,gBA6jBqCC,CAA0B3uL,KAAKmsL,oBAAoB36J,KAAMxxB,KAAKmsL,oBAAoBM,mBACrHI,iBAAiB7sL,KAAK8S,QAAS9S,KAAKsc,OAAOgxK,mBAEzCf,cAAcvsL,KAAK8S,QAAQkL,WAUtCuuK,cAAcqC,aACPA,cACG,IAAI9qL,MAAM,sCAOd9D,KAAKmiL,QAAUniL,KAAKosL,cACjB4B,oBAEDlrG,UAAY9iF,KAAKmsL,oBAAoB36J,KAAKsxD,UAC1C+rG,cAAgB7uL,KAAKmiL,QAAUniL,KAAKmiL,SAAWr/F,UAAU8rG,YAC3DC,kBACG1M,OAASr/F,UAAU8rG,cAEnB12K,QAAQ,sBAEVlY,KAAKuiL,mBAAoB,OACtBuM,yBAA2B,KAC3B9uL,KAAK8S,QAAQmvE,eAGZsgG,mBAAqBrgL,OAAO8R,YAAW,UACrCkE,QAAQ,sBACb42K,6BACCvP,aAAav/K,KAAK8S,QAASvL,QAAQsnL,kBAExCC,gCAEG52K,QAAQ,kBAQfm2K,+BAA+BhD,YAEzBA,SAAWrrL,KAAKmsL,oBAAoB36J,KAAKy3I,YAAa,OAElD8lB,cAAgB/uL,KAAKmsL,oBAAoB36J,KAAKy3I,YAAYx5J,KAAIu/K,kBAC3D,CACLC,QAASD,gBAAgB/mK,MACzBinK,OAAQ,CAAC,CACPn6K,KAAMi6K,gBAAgBjgB,uBAIvBsd,uBAAuB,cAAe0C,cAAe/uL,KAAKmsL,oBAAoB36J,KAAK9H,WAU5Fm7J,YAAYhiG,aACNA,SAASN,kBAAmB,OACxBuiG,OAAS,IAAIvmK,QACd,MAAMwmK,aAAaliG,SAASN,kBAAmB,OAC5C4sG,WAAatsG,SAASN,kBAAkBwiG,WAAWp6K,WAAW,oBAChEwkL,YAEFrK,OAAOz4K,IAAI8iL,WAAWnyK,QAAQ,KAAM,IAAIzN,sBAGrCu1K,aAITsK,OAAS,CACXC,mBAAoB,GACpBC,uBAAwB,GACxBC,mBAAoB,GACpBC,wBAAyB,EAEzBC,kBAAmB,QAGnBC,mBAAoB,IAEpBC,sBAAuB,EACvBC,0BAA2B,GAE3BC,uCAAwC,GACxCC,2BAA4B,EAE5BC,uBAAwB,UAYpBC,sBAAwB,SAAUC,kBAEtCA,UAAU34K,GAAK24K,UAAU77K,iBACzB67K,UAAUzsL,IAAMysL,UAAU/7K,oBACnB+7K,WAaHzwL,QAAU,SAAU+f,aACjB,iBACC2wK,UAbc,SAAUvmL,gBAEvB6oB,IAAI29J,gBAAgB,IAAIC,KAAK,CAACzmL,KAAM,CACzCxJ,KAAM,4BAER,MAAO6R,SACDq+K,KAAO,IAAIC,mBACjBD,KAAK5/H,OAAO9mD,KACL6oB,IAAI29J,gBAAgBE,KAAKE,YAKdJ,CAAgB5wK,MAC5BixK,OAASR,sBAAsB,IAAIS,OAAOP,YAChDM,OAAOE,OAASR,gBACVS,UAAYH,OAAOG,iBACzBH,OAAOl5K,GAAKk5K,OAAOp8K,iBACnBo8K,OAAOhtL,IAAMgtL,OAAOt8K,oBACpBs8K,OAAOG,UAAY,kBACjBn+J,IAAIo+J,gBAAgBV,WACbS,UAAUvrL,KAAKpF,OAEjBwwL,SAGLhhL,UAAY,SAAU+P,YACnB,sCAA+BywK,sBAAsBxrL,kBAAkB,iCAAmC+a,MAE7GsxK,gBAAkB,SAAUzwL,WACzBA,GAAGoE,WAAWwY,QAAQ,gBAAiB,IAAIvc,MAAM,GAAI,IAIxDqwL,aAAethL,UAAUqhL,iBAAgB,eACzCz9J,eAAuC,oBAAfvzB,WAA6BA,WAA+B,oBAAXqC,OAAyBA,OAA2B,oBAAX3C,OAAyBA,OAAyB,oBAATO,KAAuBA,KAAO,GAWzLixL,SAAW,gBACRC,KAAO,eACNtwH,UAAY,QAQXppD,GAAK,SAAUnX,KAAM+a,UACnBwlD,UAAUvgE,QACbugE,UAAUvgE,MAAQ,IAEpBugE,UAAUvgE,MAAQugE,UAAUvgE,MAAME,OAAO6a,gBAStC1X,IAAM,SAAUrD,KAAM+a,cACrB3a,cACCmgE,UAAUvgE,QAGfI,MAAQmgE,UAAUvgE,MAAMK,QAAQ0a,UAChCwlD,UAAUvgE,MAAQugE,UAAUvgE,MAAMM,QAClCigE,UAAUvgE,MAAMO,OAAOH,MAAO,GACvBA,OAAS,SAQb2X,QAAU,SAAU/X,UACnB4vE,UAAW/uE,EAAGC,OAAQQ,QAC1BsuE,UAAYrP,UAAUvgE,SAQG,IAArBuY,UAAUzX,WACZA,OAAS8uE,UAAU9uE,OACdD,EAAI,EAAGA,EAAIC,SAAUD,EACxB+uE,UAAU/uE,GAAGoE,KAAKpF,KAAM0Y,UAAU,QAE/B,KACLjX,KAAO,GACPT,EAAI0X,UAAUzX,OACTD,EAAI,EAAGA,EAAI0X,UAAUzX,SAAUD,EAClCS,KAAKQ,KAAKyW,UAAU1X,QAEtBC,OAAS8uE,UAAU9uE,OACdD,EAAI,EAAGA,EAAIC,SAAUD,EACxB+uE,UAAU/uE,GAAGyX,MAAMzY,KAAMyB,aAQ1Bsd,QAAU,WACb2hD,UAAY,MAclBqwH,SAASxsL,UAAUq4E,KAAO,SAAUC,yBAC7BvlE,GAAG,QAAQ,SAAUvC,MACxB8nE,YAAY56E,KAAK8S,cAEduC,GAAG,QAAQ,SAAU25K,aACxBp0G,YAAY/+C,MAAMmzJ,qBAEf35K,GAAG,eAAe,SAAU25K,aAC/Bp0G,YAAYq0G,aAAaD,qBAEtB35K,GAAG,iBAAiB,SAAU25K,aACjCp0G,YAAYs0G,YAAYF,qBAErB35K,GAAG,SAAS,SAAU25K,aACzBp0G,YAAY1nD,MAAM87J,gBAEbp0G,aAMTk0G,SAASxsL,UAAUtC,KAAO,SAAU8S,WAC7BmD,QAAQ,OAAQnD,OAEvBg8K,SAASxsL,UAAUu5B,MAAQ,SAAUmzJ,kBAC9B/4K,QAAQ,OAAQ+4K,cAEvBF,SAASxsL,UAAU2sL,aAAe,SAAUD,kBACrC/4K,QAAQ,cAAe+4K,cAE9BF,SAASxsL,UAAU4sL,YAAc,SAAUF,kBACpC/4K,QAAQ,gBAAiB+4K,cAEhCF,SAASxsL,UAAU4wB,MAAQ,SAAU87J,kBAC9B/4K,QAAQ,QAAS+4K,kBA+BpB1gL,IAAK6gL,KAAMC,KAAMC,KAAYC,KAAMC,KAAM1a,KAAMC,KAAM0a,KAAMC,KAAMC,KAAMC,KAAMC,KAAMC,KAAMC,KAAMC,KAAMC,KAAMC,KAAMC,KAAMC,KAAMC,OAAQ/8K,MAAOg9K,YAAaC,cAAeC,WAAYC,WAAYC,WAAYC,WAAYC,KAAMC,KAAMC,KAAMC,KAAMC,KAAMC,KAAMC,KA8U1PC,YAAaC,YAyObC,UAAWC,UAAWC,WAplBxBvmJ,OAAS+jJ,SACTyC,aAAeziL,KAAKghK,IAAI,EAAG,IAa3B0hB,QAAU,CACZzhB,UAbgB,SAAUC,WAEtB/sK,MADAgtK,GAAK,IAAIC,SAASF,MAAMnmI,OAAQmmI,MAAMppF,WAAYopF,MAAMnpF,mBAExDopF,GAAGE,cACLltK,MAAQgtK,GAAGE,aAAa,IACZ1iK,OAAO4yJ,iBACV5yJ,OAAOxK,OAETA,MAEFgtK,GAAGG,UAAU,GAAKmhB,aAAethB,GAAGG,UAAU,IAIrDP,WAAY0hB,cAYV1hB,WAAa2hB,QAAQ3hB,2BAInB9wK,KACJsU,MAAQ,CACNo+K,KAAM,GAENC,KAAM,GACNC,KAAM,GACNxC,KAAM,GACNyC,KAAM,GACNxC,KAAM,GACNC,KAAM,GACNS,KAAM,GACN+B,KAAM,GACNhC,KAAM,GACND,KAAM,GACNN,KAAM,GACNC,KAAM,GACN1a,KAAM,GACNC,KAAM,GACNgd,KAAM,GAENtC,KAAM,GACNC,KAAM,GACNsC,KAAM,GACNhC,KAAM,GACNiC,KAAM,GACNhC,KAAM,GACNiC,KAAM,GACNC,KAAM,GACNjC,KAAM,GACNkC,KAAM,GACNC,KAAM,GACNC,KAAM,GACNC,KAAM,GACNC,KAAM,GACNrC,KAAM,GACNR,KAAM,GACN8C,KAAM,GACNrC,KAAM,GACNR,KAAM,GACN8C,KAAM,IAIkB,oBAAfx7J,gBAGNl4B,KAAKsU,MACJA,MAAMzR,eAAe7C,KACvBsU,MAAMtU,GAAK,CAACA,EAAEmmC,WAAW,GAAInmC,EAAEmmC,WAAW,GAAInmC,EAAEmmC,WAAW,GAAInmC,EAAEmmC,WAAW,KAGhFmrJ,YAAc,IAAIp5J,WAAW,CAAC,IAAIiO,WAAW,GAAI,IAAIA,WAAW,GAAI,IAAIA,WAAW,GAAI,IAAIA,WAAW,KACtGqrJ,WAAa,IAAIt5J,WAAW,CAAC,IAAIiO,WAAW,GAAI,IAAIA,WAAW,GAAI,IAAIA,WAAW,GAAI,IAAIA,WAAW,KACrGorJ,cAAgB,IAAIr5J,WAAW,CAAC,EAAG,EAAG,EAAG,IACzCu5J,WAAa,IAAIv5J,WAAW,CAAC,EAE7B,EAAM,EAAM,EAEZ,EAAM,EAAM,EAAM,EAElB,IAAM,IAAM,IAAM,IAElB,EAAM,EAAM,EAAM,EAElB,EAAM,EAAM,EAAM,EAElB,EAAM,EAAM,EAAM,EAElB,GAAM,IAAM,IAAM,IAAM,IAAM,GAAM,GAAM,IAAM,IAAM,IAAM,IAAM,IAAM,IAExEw5J,WAAa,IAAIx5J,WAAW,CAAC,EAE7B,EAAM,EAAM,EAEZ,EAAM,EAAM,EAAM,EAElB,IAAM,IAAM,IAAM,IAElB,EAAM,EAAM,EAAM,EAElB,EAAM,EAAM,EAAM,EAElB,EAAM,EAAM,EAAM,EAElB,GAAM,IAAM,IAAM,IAAM,IAAM,GAAM,GAAM,IAAM,IAAM,IAAM,IAAM,IAAM,IAExEy5J,WAAa,CACX7xJ,MAAO2xJ,WACPjyJ,MAAOkyJ,YAETI,KAAO,IAAI55J,WAAW,CAAC,EAEvB,EAAM,EAAM,EAEZ,EAAM,EAAM,EAAM,EAElB,EAAM,EAAM,EAAM,GAElB,IAAM,IAAM,IAAM,GAElB,EAEA,EAAM,EAAM,IAEZ25J,KAAO,IAAI35J,WAAW,CAAC,EAEvB,EAAM,EAAM,EAEZ,EAAM,EAEN,EAAM,IAEN65J,KAAO,IAAI75J,WAAW,CAAC,EAEvB,EAAM,EAAM,EAEZ,EAAM,EAAM,EAAM,IAElB85J,KAAOD,KACPE,KAAO,IAAI/5J,WAAW,CAAC,EAEvB,EAAM,EAAM,EAEZ,EAAM,EAAM,EAAM,EAElB,EAAM,EAAM,EAAM,IAElBg6J,KAAOH,KACPH,KAAO,IAAI15J,WAAW,CAAC,EAEvB,EAAM,EAAM,EAEZ,EAAM,EAEN,EAAM,EAAM,EAAM,EAAM,EAAM,QAGhC3oB,IAAM,SAAUpQ,UAGZa,EACAuE,OAHEowB,QAAU,GACZrb,KAAO,MAIJtZ,EAAI,EAAGA,EAAI0X,UAAUzX,OAAQD,IAChC20B,QAAQ1zB,KAAKyW,UAAU1X,QAEzBA,EAAI20B,QAAQ10B,OAELD,KACLsZ,MAAQqb,QAAQ30B,GAAG8nF,eAErBvjF,OAAS,IAAI2zB,WAAW5e,KAAO,GACxB,IAAI63J,SAAS5sK,OAAOumC,OAAQvmC,OAAOsjF,WAAYtjF,OAAOujF,YACxD6rG,UAAU,EAAGpvL,OAAOujF,YACzBvjF,OAAOQ,IAAI5F,KAAM,GAEZa,EAAI,EAAGsZ,KAAO,EAAGtZ,EAAI20B,QAAQ10B,OAAQD,IACxCuE,OAAOQ,IAAI4vB,QAAQ30B,GAAIsZ,MACvBA,MAAQqb,QAAQ30B,GAAG8nF,kBAEdvjF,QAET6rL,KAAO,kBACE7gL,IAAI+E,MAAM87K,KAAM7gL,IAAI+E,MAAMu+K,KAAMf,QAEzCzB,KAAO,SAAUzmK,cACRra,IAAI+E,MAAM+7K,KAAM,IAAIn4J,WAAW,CAAC,EAEvC,EAAM,EAAM,EAGZ,EAEA,GAEA,EAAM,EAEN,EAGA,EAEA,GAEA,GAEA,GAEA,EAAM,EAAM,EAEZ,EAAM,EAAM,IAAM,IAElB,EAAM,EAAM,IAAM,IAGlB,EAEA,EAIAtO,MAAMgqK,iBAAmB,EAAIhqK,MAAMiqK,yBAA2B,EAAGjqK,MAAMiqK,wBAA0B,EAAIjqK,MAAMkqK,cAAgB,EAAG,EAAM,EAAM,MAM5I/C,KAAO,SAAU5xL,aACRoQ,IAAI+E,MAAMy8K,KAAMY,WAAWxyL,QAKpC2xL,KAAO,SAAUlnK,WACXrlB,OAAS,IAAI2zB,WAAW,CAAC,EAE7B,EAAM,EAAM,EAEZ,EAAM,EAAM,EAAM,EAElB,EAAM,EAAM,EAAM,EAElB,EAAM,EAAM,GAAM,IAElBtO,MAAMlB,WAAa,GAAK,IAAMkB,MAAMlB,WAAa,GAAK,IAAMkB,MAAMlB,WAAa,EAAI,IAAuB,IAAjBkB,MAAMlB,SAE/F,GAAM,IAEN,EAAM,WAIFkB,MAAMmqK,aACRxvL,OAAO,IAAMqlB,MAAMmqK,aAAe,GAAK,IACvCxvL,OAAO,IAAMqlB,MAAMmqK,aAAe,GAAK,IACvCxvL,OAAO,IAAMqlB,MAAMmqK,aAAe,EAAI,IACtCxvL,OAAO,IAAyB,IAAnBqlB,MAAMmqK,YAEdxkL,IAAI+E,MAAMw8K,KAAMvsL,SAEzBssL,KAAO,SAAUjnK,cACRra,IAAI+E,MAAMu8K,KAAMC,KAAKlnK,OAAQmnK,KAAKnnK,MAAMzqB,MAAOqxL,KAAK5mK,SAE7D2mK,KAAO,SAAUyD,uBACRzkL,IAAI+E,MAAMi8K,KAAM,IAAIr4J,WAAW,CAAC,EAAM,EAAM,EAAM,GAEvC,WAAjB87J,iBAAgC,IAAsB,SAAjBA,iBAA8B,IAAsB,MAAjBA,iBAA4B,EAAoB,IAAjBA,mBAG1GxD,KAAO,SAAU5mK,cACRra,IAAI+E,MAAMk8K,KAAqB,UAAf5mK,MAAMzqB,KAAmBoQ,IAAI+E,MAAMo/K,KAAM9B,MAAQriL,IAAI+E,MAAM2+K,KAAMpB,MAAOzB,OAAQa,KAAKrnK,SAE9GksJ,KAAO,SAAUke,eAAgBxlK,gBAC3BylK,eAAiB,GACnBj0L,EAAIwuB,OAAOvuB,OAEND,KACLi0L,eAAej0L,GAAKmxL,KAAK3iK,OAAOxuB,WAE3BuP,IAAIkI,MAAM,KAAM,CAACnD,MAAMwhK,KAAMya,KAAKyD,iBAAiB30L,OAAO40L,kBAQnEle,KAAO,SAAUvnJ,gBACXxuB,EAAIwuB,OAAOvuB,OACb4pC,MAAQ,GACH7pC,KACL6pC,MAAM7pC,GAAK2wL,KAAKniK,OAAOxuB,WAElBuP,IAAIkI,MAAM,KAAM,CAACnD,MAAMyhK,KAAM2a,KAAK,aAAarxL,OAAOwqC,OAAOxqC,OAAOoxL,KAAKjiK,WAElFiiK,KAAO,SAAUjiK,gBACXxuB,EAAIwuB,OAAOvuB,OACb4pC,MAAQ,GACH7pC,KACL6pC,MAAM7pC,GAAKoxL,KAAK5iK,OAAOxuB,WAElBuP,IAAIkI,MAAM,KAAM,CAACnD,MAAMm8K,MAAMpxL,OAAOwqC,SAE7C6mJ,KAAO,SAAUhoK,cACXk/D,MAAQ,IAAI1vD,WAAW,CAAC,EAE5B,EAAM,EAAM,EAEZ,EAAM,EAAM,EAAM,EAElB,EAAM,EAAM,EAAM,EAElB,EAAM,EAAM,GAAM,KAEN,WAAXxP,WAA0B,IAAgB,SAAXA,WAAwB,IAAgB,MAAXA,WAAsB,EAAc,IAAXA,SAEtF,EAAM,EAAM,EAAM,EAElB,EAAM,EAEN,EAAM,EAEN,EAAM,EAAM,EAAM,EAElB,EAAM,EAAM,EAAM,EAElB,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,GAAM,EAAM,EAAM,EAElN,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAE1I,IAAM,IAAM,IAAM,aAEXnZ,IAAI+E,MAAMo8K,KAAM9oG,QAEzBopG,KAAO,SAAUpnK,WAGb6kJ,MACAzuK,EAHEk0L,QAAUtqK,MAAMsqK,SAAW,GAC7BtsG,MAAQ,IAAI1vD,WAAW,EAAIg8J,QAAQj0L,YAKhCD,EAAI,EAAGA,EAAIk0L,QAAQj0L,OAAQD,IAC9ByuK,MAAQylB,QAAQl0L,GAAGyuK,MACnB7mF,MAAM5nF,EAAI,GAAKyuK,MAAM0lB,WAAa,EAAI1lB,MAAM2lB,cAAgB,EAAI3lB,MAAM4lB,qBAEjE9kL,IAAI+E,MAAM08K,KAAMppG,QAEzBqpG,KAAO,SAAUrnK,cACRra,IAAI+E,MAAM28K,KAAMC,KAAKtnK,OAAQra,IAAI+E,MAAM++K,KAAMnB,MAAO3iL,IAAI+E,MAAM6+K,KAAMnB,MAAOziL,IAAI+E,MAAM8+K,KAAMnB,MAAO1iL,IAAI+E,MAAM4+K,KAAMnB,QAIzHb,KAAO,SAAUtnK,cACRra,IAAI+E,MAAM48K,KAAM,IAAIh5J,WAAW,CAAC,EAEvC,EAAM,EAAM,EAEZ,EAAM,EAAM,EAAM,IAAuB,UAAftO,MAAMzqB,KAAmBgzL,YAAYvoK,OAASwoK,YAAYxoK,SAEtFuoK,YAAc,SAAUvoK,WAKpB5pB,EACAs0L,QALEC,IAAM3qK,MAAM2qK,KAAO,GACrBC,IAAM5qK,MAAM4qK,KAAO,GACnBC,sBAAwB,GACxBC,qBAAuB,OAIpB10L,EAAI,EAAGA,EAAIu0L,IAAIt0L,OAAQD,IAC1By0L,sBAAsBxzL,MAA0B,MAApBszL,IAAIv0L,GAAG8nF,cAAyB,GAC5D2sG,sBAAsBxzL,KAAyB,IAApBszL,IAAIv0L,GAAG8nF,YAElC2sG,sBAAwBA,sBAAsBp1L,OAAOiC,MAAMiC,UAAU9D,MAAM2E,KAAKmwL,IAAIv0L,SAGjFA,EAAI,EAAGA,EAAIw0L,IAAIv0L,OAAQD,IAC1B00L,qBAAqBzzL,MAA0B,MAApBuzL,IAAIx0L,GAAG8nF,cAAyB,GAC3D4sG,qBAAqBzzL,KAAyB,IAApBuzL,IAAIx0L,GAAG8nF,YACjC4sG,qBAAuBA,qBAAqBr1L,OAAOiC,MAAMiC,UAAU9D,MAAM2E,KAAKowL,IAAIx0L,QAEpFs0L,QAAU,CAAChgL,MAAMo+K,KAAM,IAAIx6J,WAAW,CAAC,EAAM,EAAM,EAAM,EAAM,EAAM,EAErE,EAAM,EAEN,EAAM,EAEN,EAAM,EAEN,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,GAEnD,MAAdtO,MAAMrc,QAAmB,EAAiB,IAAdqc,MAAMrc,OAEnB,MAAfqc,MAAMvc,SAAoB,EAAkB,IAAfuc,MAAMvc,OAEpC,EAAM,GAAM,EAAM,EAElB,EAAM,GAAM,EAAM,EAElB,EAAM,EAAM,EAAM,EAElB,EAAM,EAEN,GAAM,IAAM,IAAM,IAAM,IAAM,IAAM,IAAM,IAAM,GAAM,GAAM,IAAM,IAAM,IAAM,IAAM,IAAM,GAAM,GAAM,IAAM,IAAM,IAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAE1L,EAAM,GAEN,GAAM,KACFkC,IAAI+E,MAAMq+K,KAAM,IAAIz6J,WAAW,CAAC,EAEpCtO,MAAM+qK,WAEN/qK,MAAMgrK,qBAENhrK,MAAMirK,SAEN,KACEx1L,OAAO,CAACk1L,IAAIt0L,QAEdw0L,sBAEA,CAACD,IAAIv0L,QAELy0L,wBACKnlL,IAAI+E,MAAMs+K,KAAM,IAAI16J,WAAW,CAAC,EAAM,GAAM,IAAM,IAEvD,EAAM,GAAM,IAAM,IAElB,EAAM,GAAM,IAAM,QAEdtO,MAAMkrK,SAAU,KACdC,SAAWnrK,MAAMkrK,SAAS,GAC5BE,SAAWprK,MAAMkrK,SAAS,GAC5BR,QAAQrzL,KAAKsO,IAAI+E,MAAM0+K,KAAM,IAAI96J,WAAW,EAAa,WAAX68J,WAA0B,IAAgB,SAAXA,WAAwB,IAAgB,MAAXA,WAAsB,EAAc,IAAXA,UAA6B,WAAXC,WAA0B,IAAgB,SAAXA,WAAwB,IAAgB,MAAXA,WAAsB,EAAc,IAAXA,oBAErOzlL,IAAIkI,MAAM,KAAM68K,UAEzBlC,YAAc,SAAUxoK,cACfra,IAAI+E,MAAMy+K,KAAM,IAAI76J,WAAW,CAEtC,EAAM,EAAM,EAAM,EAAM,EAAM,EAE9B,EAAM,EAGN,EAAM,EAAM,EAAM,EAElB,EAAM,EAAM,EAAM,GAEI,MAArBtO,MAAMkqK,eAA0B,EAAwB,IAArBlqK,MAAMkqK,cAEtB,MAAnBlqK,MAAMqrK,aAAwB,EAAsB,IAAnBrrK,MAAMqrK,WAExC,EAAM,EAEN,EAAM,GAEc,MAAnBrrK,MAAMmqK,aAAwB,EAAsB,IAAnBnqK,MAAMmqK,WAAmB,EAAM,IAE7D1D,KAAKzmK,SAGbgnK,KAAO,SAAUhnK,WACXrlB,OAAS,IAAI2zB,WAAW,CAAC,EAE7B,EAAM,EAAM,EAEZ,EAAM,EAAM,EAAM,EAElB,EAAM,EAAM,EAAM,GAEN,WAAXtO,MAAM5M,KAAoB,IAAgB,SAAX4M,MAAM5M,KAAkB,IAAgB,MAAX4M,MAAM5M,KAAgB,EAAc,IAAX4M,MAAM5M,GAE5F,EAAM,EAAM,EAAM,GAEA,WAAjB4M,MAAMlB,WAA0B,IAAsB,SAAjBkB,MAAMlB,WAAwB,IAAsB,MAAjBkB,MAAMlB,WAAsB,EAAoB,IAAjBkB,MAAMlB,SAE9G,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAE1C,EAAM,EAEN,EAAM,EAEN,EAAM,EAEN,EAAM,EAEN,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,EAAM,GAAM,EAAM,EAAM,GAEnM,MAAdkB,MAAMrc,QAAmB,EAAiB,IAAdqc,MAAMrc,MAAc,EAAM,GAEvC,MAAfqc,MAAMvc,SAAoB,EAAkB,IAAfuc,MAAMvc,OAAe,EAAM,WAElDkC,IAAI+E,MAAMs8K,KAAMrsL,SAOzB4sL,KAAO,SAAUvnK,WACXsrK,oBAAqBC,wBAAyBC,iBAAkBC,sBAAmCC,6BAA8BC,oCACrIL,oBAAsB3lL,IAAI+E,MAAMk/K,KAAM,IAAIt7J,WAAW,CAAC,EAEtD,EAAM,EAAM,IAEA,WAAXtO,MAAM5M,KAAoB,IAAgB,SAAX4M,MAAM5M,KAAkB,IAAgB,MAAX4M,MAAM5M,KAAgB,EAAc,IAAX4M,MAAM5M,GAE5F,EAAM,EAAM,EAAM,EAElB,EAAM,EAAM,EAAM,EAElB,EAAM,EAAM,EAAM,EAElB,EAAM,EAAM,EAAM,KAElBs4K,6BAA+BvlL,KAAK4X,MAAMiC,MAAM4rK,oBAAsB1kB,YACtEykB,6BAA+BxlL,KAAK4X,MAAMiC,MAAM4rK,oBAAsB1kB,YACtEqkB,wBAA0B5lL,IAAI+E,MAAMi/K,KAAM,IAAIr7J,WAAW,CAAC,EAE1D,EAAM,EAAM,EAGZo9J,+BAAiC,GAAK,IAAMA,+BAAiC,GAAK,IAAMA,+BAAiC,EAAI,IAAqC,IAA/BA,6BAAqCC,+BAAiC,GAAK,IAAMA,+BAAiC,GAAK,IAAMA,+BAAiC,EAAI,IAAqC,IAA/BA,gCAI9R,GAaM,UAAf3rK,MAAMzqB,MACRi2L,iBAAmB/D,OAAOznK,MAdf,IAeJra,IAAI+E,MAAM68K,KAAM+D,oBAAqBC,wBAAyBC,oBAKvEC,sBAAwBrE,KAAKpnK,OAC7BwrK,iBAAmB/D,OAAOznK,MAAOyrK,sBAAsBp1L,OArB1C,IAsBNsP,IAAI+E,MAAM68K,KAAM+D,oBAAqBC,wBAAyBC,iBAAkBC,yBAQzF1E,KAAO,SAAU/mK,cACfA,MAAMlB,SAAWkB,MAAMlB,UAAY,WAC5BnZ,IAAI+E,MAAMq8K,KAAMC,KAAKhnK,OAAQinK,KAAKjnK,SAE3CwnK,KAAO,SAAUxnK,WACXrlB,OAAS,IAAI2zB,WAAW,CAAC,EAE7B,EAAM,EAAM,GAEA,WAAXtO,MAAM5M,KAAoB,IAAgB,SAAX4M,MAAM5M,KAAkB,IAAgB,MAAX4M,MAAM5M,KAAgB,EAAc,IAAX4M,MAAM5M,GAE5F,EAAM,EAAM,EAAM,EAElB,EAAM,EAAM,EAAM,EAElB,EAAM,EAAM,EAAM,EAElB,EAAM,EAAM,EAAM,UAMC,UAAf4M,MAAMzqB,OACRoF,OAAOA,OAAOtE,OAAS,GAAK,GAEvBsP,IAAI+E,MAAM88K,KAAM7sL,SAQvBguL,WAAa,SAAU2B,QAAS13G,YAC1Bi5G,gBAAkB,EACpBC,YAAc,EACdC,aAAe,EACfC,sBAAwB,SAEtB1B,QAAQj0L,cACkBgC,IAAxBiyL,QAAQ,GAAGxrK,WACb+sK,gBAAkB,QAEIxzL,IAApBiyL,QAAQ,GAAG56K,OACbo8K,YAAc,QAESzzL,IAArBiyL,QAAQ,GAAGzlB,QACbknB,aAAe,QAEwB1zL,IAArCiyL,QAAQ,GAAG0B,wBACbA,sBAAwB,IAGrB,CAAC,EAER,EAAMH,gBAAkBC,YAAcC,aAAeC,sBAAuB,GAE1D,WAAjB1B,QAAQj0L,UAAyB,IAAsB,SAAjBi0L,QAAQj0L,UAAuB,IAAsB,MAAjBi0L,QAAQj0L,UAAqB,EAAoB,IAAjBi0L,QAAQj0L,QAEzG,WAATu8E,UAAyB,IAAc,SAATA,UAAuB,IAAc,MAATA,UAAqB,EAAY,IAATA,SAGrF81G,UAAY,SAAU1oK,MAAO4yD,YACvBq5G,YAAajuG,MAAOkuG,OAAQ5B,QAAS6B,OAAQ/1L,MAEjDw8E,QAAU,GAAS,IADnB03G,QAAUtqK,MAAMsqK,SAAW,IACKj0L,OAChC61L,OAASvD,WAAW2B,QAAS13G,SAC7BoL,MAAQ,IAAI1vD,WAAW49J,OAAO71L,OAA0B,GAAjBi0L,QAAQj0L,SACzC8E,IAAI+wL,QACVD,YAAcC,OAAO71L,OAChBD,EAAI,EAAGA,EAAIk0L,QAAQj0L,OAAQD,IAC9B+1L,OAAS7B,QAAQl0L,GACjB4nF,MAAMiuG,gBAAoC,WAAlBE,OAAOrtK,YAA2B,GAC1Dk/D,MAAMiuG,gBAAoC,SAAlBE,OAAOrtK,YAAyB,GACxDk/D,MAAMiuG,gBAAoC,MAAlBE,OAAOrtK,YAAuB,EACtDk/D,MAAMiuG,eAAmC,IAAlBE,OAAOrtK,SAE9Bk/D,MAAMiuG,gBAAgC,WAAdE,OAAOz8K,QAAuB,GACtDsuE,MAAMiuG,gBAAgC,SAAdE,OAAOz8K,QAAqB,GACpDsuE,MAAMiuG,gBAAgC,MAAdE,OAAOz8K,QAAmB,EAClDsuE,MAAMiuG,eAA+B,IAAdE,OAAOz8K,KAE9BsuE,MAAMiuG,eAAiBE,OAAOtnB,MAAMunB,WAAa,EAAID,OAAOtnB,MAAM0lB,UAClEvsG,MAAMiuG,eAAiBE,OAAOtnB,MAAM2lB,cAAgB,EAAI2B,OAAOtnB,MAAM4lB,eAAiB,EAAI0B,OAAOtnB,MAAMwnB,cAAgB,EAAIF,OAAOtnB,MAAMynB,gBACxItuG,MAAMiuG,eAAoD,MAAnCE,OAAOtnB,MAAM0nB,oBACpCvuG,MAAMiuG,eAAoD,GAAnCE,OAAOtnB,MAAM0nB,oBAEpCvuG,MAAMiuG,gBAAiD,WAA/BE,OAAOH,yBAAwC,GACvEhuG,MAAMiuG,gBAAiD,SAA/BE,OAAOH,yBAAsC,GACrEhuG,MAAMiuG,gBAAiD,MAA/BE,OAAOH,yBAAoC,EACnEhuG,MAAMiuG,eAAgD,IAA/BE,OAAOH,6BAEzBrmL,IAAI+E,MAAMm/K,KAAM7rG,QAEzByqG,UAAY,SAAUzoK,MAAO4yD,YACvBoL,MAAOiuG,YAAaC,OAAQ5B,QAAS6B,OAAQ/1L,MAEjDw8E,QAAU,GAAS,GADnB03G,QAAUtqK,MAAMsqK,SAAW,IACIj0L,OAC/B61L,OAASvD,WAAW2B,QAAS13G,SAC7BoL,MAAQ,IAAI1vD,WAAW49J,OAAO71L,OAA0B,EAAjBi0L,QAAQj0L,SACzC8E,IAAI+wL,QACVD,YAAcC,OAAO71L,OAChBD,EAAI,EAAGA,EAAIk0L,QAAQj0L,OAAQD,IAC9B+1L,OAAS7B,QAAQl0L,GACjB4nF,MAAMiuG,gBAAoC,WAAlBE,OAAOrtK,YAA2B,GAC1Dk/D,MAAMiuG,gBAAoC,SAAlBE,OAAOrtK,YAAyB,GACxDk/D,MAAMiuG,gBAAoC,MAAlBE,OAAOrtK,YAAuB,EACtDk/D,MAAMiuG,eAAmC,IAAlBE,OAAOrtK,SAE9Bk/D,MAAMiuG,gBAAgC,WAAdE,OAAOz8K,QAAuB,GACtDsuE,MAAMiuG,gBAAgC,SAAdE,OAAOz8K,QAAqB,GACpDsuE,MAAMiuG,gBAAgC,MAAdE,OAAOz8K,QAAmB,EAClDsuE,MAAMiuG,eAA+B,IAAdE,OAAOz8K,YAEzB/J,IAAI+E,MAAMm/K,KAAM7rG,QAEzBypG,OAAS,SAAUznK,MAAO4yD,cACL,UAAf5yD,MAAMzqB,KACDkzL,UAAUzoK,MAAO4yD,QAEnB81G,UAAU1oK,MAAO4yD,aA4TxB45G,QA8BF7f,iBACAC,iBACAC,iBACAC,iBACA2f,iBACAC,iBACAC,oBA7VEC,aAAe,CACjBlG,KAxcFA,KAAO,kBACE/gL,IAAI+E,MAAMg8K,KAAMgB,YAAaC,cAAeD,YAAaE,aAwchEsB,KAncK,SAAU/+K,aACRxE,IAAI+E,MAAMw+K,KAAM/+K,OAmcvB+hK,KAAMA,KACNC,KAAMA,KACN9S,YAAa,SAAUz0I,YAGnBjqB,OAFEkyL,SAAWnG,OACboG,MAAQ3gB,KAAKvnJ,eAEfjqB,OAAS,IAAI2zB,WAAWu+J,SAAS3uG,WAAa4uG,MAAM5uG,aAC7C/iF,IAAI0xL,UACXlyL,OAAOQ,IAAI2xL,MAAOD,SAAS3uG,YACpBvjF,SA6KPoyL,eAAiB,SAAUC,MAAOC,gBAChCd,OAtBG,CACLz8K,KAAM,EACNm1J,MAAO,CACLunB,UAAW,EACX7B,UAAW,EACXC,aAAc,EACdC,cAAe,EACf8B,oBAAqB,EACrBD,gBAAiB,WAerBH,OAAOc,WAAaA,WACpBd,OAAOH,sBAAwBgB,MAAME,IAAMF,MAAMG,IACjDhB,OAAOrtK,SAAWkuK,MAAMluK,SACxBqtK,OAAOz8K,KAAO,EAAIs9K,MAAM32L,OAExB81L,OAAOz8K,MAAQs9K,MAAM9uG,WACjB8uG,MAAMI,WACRjB,OAAOtnB,MAAM0lB,UAAY,EACzB4B,OAAOtnB,MAAMynB,gBAAkB,GAE1BH,QAmFLkB,aAAe,CACjBC,oBAhQwB,SAAUC,cAC9Bn3L,EACFo3L,WACAC,aAAe,GACfnJ,OAAS,OAEXA,OAAOpmG,WAAa,EACpBomG,OAAOoJ,SAAW,EAClBpJ,OAAOxlK,SAAW,EAClB2uK,aAAavvG,WAAa,EACrB9nF,EAAI,EAAGA,EAAIm3L,SAASl3L,OAAQD,IAGA,gCAF/Bo3L,WAAaD,SAASn3L,IAEPu3L,aAGTF,aAAap3L,SACfo3L,aAAa3uK,SAAW0uK,WAAWL,IAAMM,aAAaN,IAEtD7I,OAAOpmG,YAAcuvG,aAAavvG,WAClComG,OAAOoJ,UAAYD,aAAap3L,OAChCiuL,OAAOxlK,UAAY2uK,aAAa3uK,SAChCwlK,OAAOjtL,KAAKo2L,gBAEdA,aAAe,CAACD,aACHtvG,WAAasvG,WAAWrjL,KAAK+zE,WAC1CuvG,aAAaP,IAAMM,WAAWN,IAC9BO,aAAaN,IAAMK,WAAWL,MAGC,8CAA3BK,WAAWG,cACbF,aAAaL,UAAW,GAE1BK,aAAa3uK,SAAW0uK,WAAWL,IAAMM,aAAaN,IACtDM,aAAavvG,YAAcsvG,WAAWrjL,KAAK+zE,WAC3CuvG,aAAap2L,KAAKm2L,oBAKlBlJ,OAAOjuL,UAAYo3L,aAAa3uK,UAAY2uK,aAAa3uK,UAAY,KACvE2uK,aAAa3uK,SAAWwlK,OAAOA,OAAOjuL,OAAS,GAAGyoB,UAIpDwlK,OAAOpmG,YAAcuvG,aAAavvG,WAClComG,OAAOoJ,UAAYD,aAAap3L,OAChCiuL,OAAOxlK,UAAY2uK,aAAa3uK,SAChCwlK,OAAOjtL,KAAKo2L,cACLnJ,QAgNPsJ,oBA1MwB,SAAUtJ,YAC9BluL,EACFq3L,aACAI,WAAa,GACbC,KAAO,OAGTD,WAAW3vG,WAAa,EACxB2vG,WAAWH,SAAW,EACtBG,WAAW/uK,SAAW,EACtB+uK,WAAWX,IAAM5I,OAAO,GAAG4I,IAC3BW,WAAWV,IAAM7I,OAAO,GAAG6I,IAE3BW,KAAK5vG,WAAa,EAClB4vG,KAAKJ,SAAW,EAChBI,KAAKhvK,SAAW,EAChBgvK,KAAKZ,IAAM5I,OAAO,GAAG4I,IACrBY,KAAKX,IAAM7I,OAAO,GAAG6I,IAChB/2L,EAAI,EAAGA,EAAIkuL,OAAOjuL,OAAQD,KAC7Bq3L,aAAenJ,OAAOluL,IACLg3L,UAGXS,WAAWx3L,SACby3L,KAAKz2L,KAAKw2L,YACVC,KAAK5vG,YAAc2vG,WAAW3vG,WAC9B4vG,KAAKJ,UAAYG,WAAWH,SAC5BI,KAAKhvK,UAAY+uK,WAAW/uK,WAE9B+uK,WAAa,CAACJ,eACHC,SAAWD,aAAap3L,OACnCw3L,WAAW3vG,WAAauvG,aAAavvG,WACrC2vG,WAAWX,IAAMO,aAAaP,IAC9BW,WAAWV,IAAMM,aAAaN,IAC9BU,WAAW/uK,SAAW2uK,aAAa3uK,WAEnC+uK,WAAW/uK,UAAY2uK,aAAa3uK,SACpC+uK,WAAWH,UAAYD,aAAap3L,OACpCw3L,WAAW3vG,YAAcuvG,aAAavvG,WACtC2vG,WAAWx2L,KAAKo2L,sBAGhBK,KAAKz3L,QAAUw3L,WAAW/uK,UAAY,IACxC+uK,WAAW/uK,SAAWgvK,KAAKA,KAAKz3L,OAAS,GAAGyoB,UAE9CgvK,KAAK5vG,YAAc2vG,WAAW3vG,WAC9B4vG,KAAKJ,UAAYG,WAAWH,SAC5BI,KAAKhvK,UAAY+uK,WAAW/uK,SAE5BgvK,KAAKz2L,KAAKw2L,YACHC,MAyJPC,oBA7IwB,SAAUD,UAC9BD,kBACCC,KAAK,GAAG,GAAGV,UAAYU,KAAKz3L,OAAS,IAExCw3L,WAAaC,KAAKr9K,QAClBq9K,KAAK5vG,YAAc2vG,WAAW3vG,WAC9B4vG,KAAKJ,UAAYG,WAAWH,SAI5BI,KAAK,GAAG,GAAGX,IAAMU,WAAWV,IAC5BW,KAAK,GAAG,GAAGZ,IAAMW,WAAWX,IAC5BY,KAAK,GAAG,GAAGhvK,UAAY+uK,WAAW/uK,UAE7BgvK,MAgIPE,oBApF0B,SAAUF,KAAMG,oBACtCjwK,EACF5nB,EACA+1L,OACA0B,WACAJ,aACAR,WAAagB,gBAAkB,EAC/B3D,QAAU,OACPtsK,EAAI,EAAGA,EAAI8vK,KAAKz3L,OAAQ2nB,QAC3B6vK,WAAaC,KAAK9vK,GACb5nB,EAAI,EAAGA,EAAIy3L,WAAWx3L,OAAQD,IACjCq3L,aAAeI,WAAWz3L,GAE1B62L,aADAd,OAASY,eAAeU,aAAcR,aACjBv9K,KACrB46K,QAAQjzL,KAAK80L,eAGV7B,SAoEP4D,mBAjEuB,SAAUJ,UAC7B9vK,EACF5nB,EACA+8C,EACA06I,WACAJ,aACAD,WACAP,WAAa,EACbkB,eAAiBL,KAAK5vG,WACtBkwG,aAAeN,KAAKJ,SAEpBvjL,KAAO,IAAImkB,WADO6/J,eAAiB,EAAIC,cAEvC5uG,KAAO,IAAI+nF,SAASp9J,KAAK+2B,YAEtBljB,EAAI,EAAGA,EAAI8vK,KAAKz3L,OAAQ2nB,QAC3B6vK,WAAaC,KAAK9vK,GAEb5nB,EAAI,EAAGA,EAAIy3L,WAAWx3L,OAAQD,QACjCq3L,aAAeI,WAAWz3L,GAErB+8C,EAAI,EAAGA,EAAIs6I,aAAap3L,OAAQ88C,IACnCq6I,WAAaC,aAAat6I,GAC1BqsC,KAAKuqG,UAAUkD,WAAYO,WAAWrjL,KAAK+zE,YAC3C+uG,YAAc,EACd9iL,KAAKhP,IAAIqyL,WAAWrjL,KAAM8iL,YAC1BA,YAAcO,WAAWrjL,KAAK+zE,kBAI7B/zE,MAqCPkkL,4BAlCgC,SAAUrB,MAAOiB,oBAC7C9B,OAEF7B,QAAU,UACZ6B,OAASY,eAAeC,MAFTiB,gBAAkB,GAGjC3D,QAAQjzL,KAAK80L,QACN7B,SA6BPgE,2BA1B+B,SAAUtB,WACrC52L,EACFo3L,WACAP,WAAa,EACbkB,eAAiBnB,MAAM9uG,WACvBkwG,aAAepB,MAAM32L,OAErB8T,KAAO,IAAImkB,WADO6/J,eAAiB,EAAIC,cAEvC5uG,KAAO,IAAI+nF,SAASp9J,KAAK+2B,YAEtB9qC,EAAI,EAAGA,EAAI42L,MAAM32L,OAAQD,IAC5Bo3L,WAAaR,MAAM52L,GACnBopF,KAAKuqG,UAAUkD,WAAYO,WAAWrjL,KAAK+zE,YAC3C+uG,YAAc,EACd9iL,KAAKhP,IAAIqyL,WAAWrjL,KAAM8iL,YAC1BA,YAAcO,WAAWrjL,KAAK+zE,kBAEzB/zE,OAkBLokL,WAAa,CAAC,GAAI,GAAI,EAAG,GAAI,IAAK,IAClCC,UAAY,CAAC,GAAI,GAAI,IAAK,GAAI,EAAG,EAAG,EAAG,EAAG,IAAK,EAAG,EAAG,EAAG,GAAI,IAAK,KACjEC,SAAW,SAAUlwJ,eACnBzE,EAAI,GACDyE,SACLzE,EAAEziC,KAAK,UAEFyiC,GA2DT2yJ,iBAAmB,SAAUvf,UAAWD,mBAC/BN,iBAAiBG,iBAAiBI,UAAWD,cAEtDyf,iBAAmB,SAAUxf,UAAWD,mBAC/BL,iBAAiBC,iBAAiBK,WAAYD,aAOvD0f,oBAAsB,SAAUzf,UAAWwhB,iBAAkBC,+BACpD9hB,iBAAiB8hB,uBAAyBzhB,UAAYA,UAAYwhB,uBAEvEE,QAAU,CACZC,iBApCuB,IAqCvBliB,iBA5BFA,iBAAmB,SAAU/uJ,gBATJ,IAUhBA,SA4BPgvJ,iBA1BFA,iBAAmB,SAAUhvJ,QAASqvJ,mBAC7BrvJ,QAAUqvJ,YA0BjBJ,iBAxBFA,iBAAmB,SAAUK,kBACpBA,UAhBgB,KAwCvBJ,iBAtBFA,iBAAmB,SAAUI,UAAWD,mBAC/BC,UAAYD,YAsBnBwf,iBAAkBA,iBAClBC,iBAAkBA,iBAClBC,oBAAqBA,qBASnBmC,cA/EY,eACTtC,QAAS,KAERsC,cAAgB,MACX,CAACP,WAAY,CAAC,IAAK,IAAKE,SAAS,KAAM,CAAC,WACxC,CAACF,WAAY,CAAC,KAAME,SAAS,KAAM,CAAC,UACpC,CAACF,WAAY,CAAC,IAAK,KAAME,SAAS,KAAM,CAAC,UACzC,CAACF,WAAY,CAAC,IAAK,KAAME,SAAS,KAAM,CAAC,GAAI,IAAK,KAAMA,SAAS,IAAK,CAAC,YACvE,CAACF,WAAY,CAAC,IAAK,KAAME,SAAS,KAAM,CAAC,GAAI,IAAK,KAAMA,SAAS,IAAK,CAAC,WACvE,CAACF,WAAY,CAAC,IAAK,KAAME,SAAS,KAAM,CAAC,GAAI,KAAMA,SAAS,KAAM,CAAC,WACnE,CAACF,WAAY,CAAC,IAAK,KAAME,SAAS,KAAM,CAAC,GAAI,IAAK,KAAMA,SAAS,KAAM,CAAC,IAAK,KAAMA,SAAS,KAAM,CAAC,WACnG,CAACF,WAAY,CAAC,IAAK,KAAME,SAAS,KAAM,CAAC,GAAI,IAAK,KAAMA,SAAS,KAAM,CAAC,IAAK,KAAMA,SAAS,KAAM,CAAC,IAAK,KAAMA,SAAS,KAAM,CAAC,EAAG,WACjI,CAACD,UAAWC,SAAS,KAAM,CAAC,EAAG,IAAK,KAAMA,SAAS,KAAM,CAAC,EAAG,IAAK,KAAMA,SAAS,KAAM,CAAC,GAAI,IAAK,KAAMA,SAAS,KAAM,CAAC,GAAI,IAAK,KAAMA,SAAS,KAAM,CAAC,WACtJ,CAACD,UAAWC,SAAS,KAAM,CAAC,EAAG,IAAK,KAAMA,SAAS,KAAM,CAAC,EAAG,IAAK,KAAMA,SAAS,KAAM,CAAC,GAAI,IAAK,KAAMA,SAAS,KAAM,CAAC,GAAI,IAAK,KAAMA,SAAS,KAAM,CAAC,GAAI,IAAK,KAAMA,SAAS,KAAM,CAAC,UACtL,CAACD,UAAWC,SAAS,KAAM,CAAC,EAAG,IAAK,IAAKA,SAAS,IAAK,CAAC,KAvB1CM,UAyBFD,cAApBtC,QAxBK9yL,OAAOG,KAAKk1L,WAAW50L,QAAO,SAAUa,IAAKd,YAClDc,IAAId,KAAO,IAAIo0B,WAAWygK,UAAU70L,KAAKC,QAAO,SAAU2vB,IAAK6zB,aACtD7zB,IAAIr0B,OAAOkoD,QACjB,KACI3iD,MACN,IANW,IAAU+zL,iBA2BjBvC,SA8DLwC,QAAUJ,QA8GVK,kBAAoB,CACtBC,kBA7FsB,SAAUlvK,MAAOskK,OAAQ6K,mBAAoBC,8BAC/DC,sBACFC,cAIAC,YACAn5L,EACAo5L,WALAC,iBAAmB,EACnBC,oBAAsB,EACtBC,kBAAoB,KAIjBrL,OAAOjuL,SAGZg5L,sBAAwBL,QAAQvC,iBAAiBzsK,MAAM4rK,oBAAqB5rK,MAAMmqK,YAElFmF,cAAgBnpL,KAAK44B,KAAKiwJ,QAAQH,kBAAoB7uK,MAAMmqK,WAAa,OACrEgF,oBAAsBC,2BAExBK,iBAAmBJ,sBAAwBlpL,KAAKC,IAAI+oL,mBAAoBC,0BAGxEO,mBADAD,oBAAsBvpL,KAAK4X,MAAM0xK,iBAAmBH,gBACVA,iBAIxCI,oBAAsB,GAAKC,kBAAoBX,QAAQH,iBAAmB,UAG9EU,YAAcT,gBAAgB9uK,MAAMmqK,eAIlCoF,YAAcjL,OAAO,GAAGn6K,MAErB/T,EAAI,EAAGA,EAAIs5L,oBAAqBt5L,IACnCo5L,WAAalL,OAAO,GACpBA,OAAOxuL,OAAO,EAAG,EAAG,CAClBqU,KAAMolL,YACNpC,IAAKqC,WAAWrC,IAAMmC,cACtBpC,IAAKsC,WAAWtC,IAAMoC,uBAG1BtvK,MAAM4rK,qBAAuBzlL,KAAK4X,MAAMixK,QAAQtC,iBAAiBiD,kBAAmB3vK,MAAMmqK,aACnFwF,oBAoDPC,4BA9CgC,SAAUC,WAAY7vK,MAAO8vK,2BACzD9vK,MAAM+vK,eAAiBD,mBAClBD,YAGT7vK,MAAM+vK,cAAgB5xK,EAAAA,EACf0xK,WAAW12L,QAAO,SAAUs0L,qBAE7BA,aAAaN,KAAO2C,qBACtB9vK,MAAM+vK,cAAgB5pL,KAAKE,IAAI2Z,MAAM+vK,cAAetC,aAAaN,KACjEntK,MAAMgwK,cAAgBhwK,MAAM+vK,eACrB,QAoCX/B,oBA7BwB,SAAU1J,YAC9BluL,EACFq3L,aACAnD,QAAU,OACPl0L,EAAI,EAAGA,EAAIkuL,OAAOjuL,OAAQD,IAC7Bq3L,aAAenJ,OAAOluL,GACtBk0L,QAAQjzL,KAAK,CACXqY,KAAM+9K,aAAatjL,KAAK+zE,WACxBp/D,SAAU,cAGPwrK,SAmBP2F,qBAhByB,SAAU3L,YAC/BluL,EACFq3L,aACAR,WAAa,EACb9iL,KAAO,IAAImkB,WAjGW,SAAU4D,WAC9B97B,EAEF6kJ,IAAM,MAEH7kJ,EAAI,EAAGA,EAAI87B,MAAM77B,OAAQD,IAE5B6kJ,KADa/oH,MAAM97B,GACD+T,KAAK+zE,kBAElB+8D,IAwFiBi1C,CAAoB5L,aACvCluL,EAAI,EAAGA,EAAIkuL,OAAOjuL,OAAQD,IAC7Bq3L,aAAenJ,OAAOluL,GACtB+T,KAAKhP,IAAIsyL,aAAatjL,KAAM8iL,YAC5BA,YAAcQ,aAAatjL,KAAK+zE,kBAE3B/zE,OAeLgmL,mBAAqBvB,QAAQC,iBAmF7BuB,kBAAoB,CACtBC,aAxCiB,SAAUrwK,cACpBA,MAAM+vK,qBACN/vK,MAAMswK,qBACNtwK,MAAMgwK,qBACNhwK,MAAMuwK,eAqCbC,kCA1BsC,SAAUxwK,MAAO2uK,4BACnD/C,oBAEFmE,cAAgB/vK,MAAM+vK,qBAEnBpB,yBACHoB,eAAiB/vK,MAAMywK,kBAAkBtD,KAI3CvB,oBAAsB5rK,MAAMywK,kBAAkB7E,oBAE9CA,qBAAuBmE,cAEvBnE,oBAAsBzlL,KAAKC,IAAI,EAAGwlL,qBACf,UAAf5rK,MAAMzqB,OAIRq2L,qBADQ5rK,MAAMmqK,WAAagG,mBAE3BvE,oBAAsBzlL,KAAK4X,MAAM6tK,sBAE5BA,qBAKP8E,eA/EmB,SAAU1wK,MAAO7V,MACZ,iBAAbA,KAAK+iL,WACsB70L,IAAhC2nB,MAAMywK,kBAAkBvD,MAC1BltK,MAAMywK,kBAAkBvD,IAAM/iL,KAAK+iL,UAET70L,IAAxB2nB,MAAMgwK,cACRhwK,MAAMgwK,cAAgB7lL,KAAK+iL,IAE3BltK,MAAMgwK,cAAgB7pL,KAAKE,IAAI2Z,MAAMgwK,cAAe7lL,KAAK+iL,UAE/B70L,IAAxB2nB,MAAMuwK,cACRvwK,MAAMuwK,cAAgBpmL,KAAK+iL,IAE3BltK,MAAMuwK,cAAgBpqL,KAAKC,IAAI4Z,MAAMuwK,cAAepmL,KAAK+iL,MAGrC,iBAAb/iL,KAAKgjL,WACsB90L,IAAhC2nB,MAAMywK,kBAAkBtD,MAC1BntK,MAAMywK,kBAAkBtD,IAAMhjL,KAAKgjL,UAET90L,IAAxB2nB,MAAM+vK,cACR/vK,MAAM+vK,cAAgB5lL,KAAKgjL,IAE3BntK,MAAM+vK,cAAgB5pL,KAAKE,IAAI2Z,MAAM+vK,cAAe5lL,KAAKgjL,UAE/B90L,IAAxB2nB,MAAMswK,cACRtwK,MAAMswK,cAAgBnmL,KAAKgjL,IAE3BntK,MAAMswK,cAAgBnqL,KAAKC,IAAI4Z,MAAMswK,cAAenmL,KAAKgjL,QAoN3DwD,oBAAsB,CACxBC,SArIa,SAAU5yG,eACnB5nF,EAAI,EACNuE,OAAS,CACPk2L,aAAc,EACdC,YAAa,GAEfD,YAAc,EACdC,YAAc,EAET16L,EAAI4nF,MAAME,YAnBI,MAqBfF,MAAM5nF,IAFiB,MAMP,MAAb4nF,MAAM5nF,IACXy6L,aAAe,IACfz6L,QAEFy6L,aAAe7yG,MAAM5nF,KAED,MAAb4nF,MAAM5nF,IACX06L,aAAe,IACf16L,OAEF06L,aAAe9yG,MAAM5nF,MAGhBuE,OAAOowB,SAvCqB,IAuCV8lK,YAAgD,IAE9C,SADFziK,OAAOC,aAAa2vD,MAAM5nF,EAAI,GAAI4nF,MAAM5nF,EAAI,GAAI4nF,MAAM5nF,EAAI,GAAI4nF,MAAM5nF,EAAI,IAC9D,CAC7BuE,OAAOk2L,YAAcA,YACrBl2L,OAAOm2L,YAAcA,YACrBn2L,OAAOowB,QAAUizD,MAAM2pF,SAASvxK,EAAGA,EAAI06L,mBAGvCn2L,OAAOowB,aAAU,EAIrB30B,GAAK06L,YACLD,YAAc,EACdC,YAAc,SAETn2L,QA0FPo2L,cAvFkB,SAAUC,YAGL,MAAnBA,IAAIjmK,QAAQ,IAI+B,KAA1CimK,IAAIjmK,QAAQ,IAAM,EAAIimK,IAAIjmK,QAAQ,KAIqD,SAAxFqD,OAAOC,aAAa2iK,IAAIjmK,QAAQ,GAAIimK,IAAIjmK,QAAQ,GAAIimK,IAAIjmK,QAAQ,GAAIimK,IAAIjmK,QAAQ,KAI7D,IAAnBimK,IAAIjmK,QAAQ,GAXP,KAgBFimK,IAAIjmK,QAAQ48I,SAAS,EAAGqpB,IAAIjmK,QAAQ10B,OAAS,IAoEpD46L,oBAjEwB,SAAU/D,IAAKgE,cAErC96L,EACAmoC,MACAq0C,OACAzoE,KAJEy+J,QAAU,QAMM,GAAdsoB,SAAS,WACNtoB,YAGTrqI,MAAsB,GAAd2yJ,SAAS,GACZ96L,EAAI,EAAGA,EAAImoC,MAAOnoC,IAErB+T,KAAO,CACL5U,KAA6B,EAAvB27L,UAFRt+G,OAAa,EAAJx8E,GAEiB,GACxB82L,IAAKA,KAGoB,EAAvBgE,SAASt+G,OAAS,KACpBzoE,KAAKgnL,OAASD,SAASt+G,OAAS,IAAM,EAAIs+G,SAASt+G,OAAS,GAC5Dg2F,QAAQvxK,KAAK8S,cAGVy+J,SA0CPqC,gCAxCsC,SAAU9gK,cAI9CghK,UACAC,QAJE/0K,OAAS8T,KAAK+zE,WAChBkzG,kCAAoC,GACpCh7L,EAAI,EAICA,EAAIC,OAAS,GACF,IAAZ8T,KAAK/T,IAA4B,IAAhB+T,KAAK/T,EAAI,IAA4B,IAAhB+T,KAAK/T,EAAI,IACjDg7L,kCAAkC/5L,KAAKjB,EAAI,GAC3CA,GAAK,GAELA,OAK6C,IAA7Cg7L,kCAAkC/6L,cAC7B8T,KAGTghK,UAAY90K,OAAS+6L,kCAAkC/6L,OACvD+0K,QAAU,IAAI98I,WAAW68I,eACrBE,YAAc,MACbj1K,EAAI,EAAGA,EAAI+0K,UAAWE,cAAej1K,IACpCi1K,cAAgB+lB,kCAAkC,KAEpD/lB,cAEA+lB,kCAAkC3gL,SAEpC26J,QAAQh1K,GAAK+T,KAAKkhK,oBAEbD,SAQPimB,+BApJmC,GAqKjCC,SAAWlvJ,OACXmvJ,aAAeZ,oBACfa,gBAAkB,SAAUj2L,SAC9BA,QAAUA,SAAW,GACrBi2L,gBAAgB73L,UAAUysL,KAAK5rL,KAAKpF,WAE/Bq8L,kBAAwD,kBAA7Bl2L,QAAQm2L,kBAAiCn2L,QAAQm2L,sBAC5EC,gBAAkB,QAClBC,WAAa,CAAC,IAAIC,aAAa,EAAG,GAEvC,IAAIA,aAAa,EAAG,GAEpB,IAAIA,aAAa,EAAG,GAEpB,IAAIA,aAAa,EAAG,IAEhBz8L,KAAKq8L,yBACFK,aAAe,IAAIC,aAAa,CACnCrzB,gBAAiBnjK,QAAQmjK,wBAGxBn0I,aAEAqnK,WAAW33L,SAAQ,SAAUslK,IAChCA,GAAG7yJ,GAAG,OAAQtX,KAAKkY,QAAQc,KAAKhZ,KAAM,SACtCmqK,GAAG7yJ,GAAG,cAAetX,KAAKkY,QAAQc,KAAKhZ,KAAM,gBAC7CmqK,GAAG7yJ,GAAG,OAAQtX,KAAKkY,QAAQc,KAAKhZ,KAAM,WACrCA,MACCA,KAAKq8L,yBACFK,aAAaplL,GAAG,OAAQtX,KAAKkY,QAAQc,KAAKhZ,KAAM,cAChD08L,aAAaplL,GAAG,cAAetX,KAAKkY,QAAQc,KAAKhZ,KAAM,qBACvD08L,aAAaplL,GAAG,OAAQtX,KAAKkY,QAAQc,KAAKhZ,KAAM,WAGzDo8L,gBAAgB73L,UAAY,IAAI23L,SAChCE,gBAAgB73L,UAAUtC,KAAO,SAAUiN,WACrC0sL,IAAKE,SAAUc,qBAEO,aAAtB1tL,MAAMqpL,cAIVqD,IAAMO,aAAaX,SAAStsL,MAAM2tL,cAEzBlnK,SAILimK,IAAIH,cAAgBU,aAAaF,iCAIrCH,SAAWK,aAAaR,cAAcC,SAalC1sL,MAAM6oL,IAAM/3L,KAAK88L,gBAEdC,qBAAsB,OAEtB,GAAI7tL,MAAM6oL,MAAQ/3L,KAAK88L,YAAc98L,KAAK+8L,gCAC1CC,mBACAh9L,KAAKg9L,mBAEHD,qBAAsB,IAK/BH,kBAAoBT,aAAaN,oBAAoB3sL,MAAM4oL,IAAKgE,eAC3DS,gBAAkBv8L,KAAKu8L,gBAAgBl8L,OAAOu8L,mBAC/C58L,KAAK88L,aAAe5tL,MAAM6oL,WACvBiF,YAAc,QAEhBA,mBACAF,WAAa5tL,MAAM6oL,MAE1BqE,gBAAgB73L,UAAU04L,eAAiB,SAAUC,gBAC9CV,WAAW33L,SAAQ,SAAUslK,UACX,UAAd+yB,UAAwB/yB,GAAGrsI,QAAUqsI,GAAG+mB,iBAC9ClxL,OAELo8L,gBAAgB73L,UAAU44L,YAAc,SAAUD,WAE3Cl9L,KAAKu8L,gBAAgBt7L,aAMrBs7L,gBAAgB13L,SAAQ,SAAUgQ,KAAMuoL,KAC3CvoL,KAAKwoL,aAAeD,YAGjBb,gBAAgBlgI,MAAK,SAAU33B,EAAG77B,UACjC67B,EAAEozJ,MAAQjvL,EAAEivL,IACPpzJ,EAAE24J,aAAex0L,EAAEw0L,aAErB34J,EAAEozJ,IAAMjvL,EAAEivL,YAEdyE,gBAAgB13L,SAAQ,SAAUy4L,QACjCA,OAAOn9L,KAAO,OAEXo9L,qBAAqBD,aAGrBE,qBAAqBF,UAE3Bt9L,WACEu8L,gBAAgBt7L,OAAS,OACzBg8L,eAAeC,iBAzBbD,eAAeC,YA2BxBd,gBAAgB73L,UAAUu5B,MAAQ,kBACzB99B,KAAKm9L,YAAY,UAG1Bf,gBAAgB73L,UAAU2sL,aAAe,kBAChClxL,KAAKm9L,YAAY,iBAE1Bf,gBAAgB73L,UAAU4wB,MAAQ,gBAC3B2nK,WAAa,UACbC,qBAAsB,OACtBC,YAAc,OACdS,qBAAuB,CAAC,KAAM,WAC9BjB,WAAW33L,SAAQ,SAAU64L,UAChCA,SAASvoK,YAebinK,gBAAgB73L,UAAUg5L,qBAAuB,SAAUD,QAErDt9L,KAAK29L,oBAAoBL,aACtBG,qBAAqBH,OAAOn9L,MAAQ,KAChCH,KAAK49L,mBAAmBN,aAC5BG,qBAAqBH,OAAOn9L,MAAQ,EAChCH,KAAK69L,mBAAmBP,eAC5BG,qBAAqBH,OAAOn9L,MAAQ,GAEI,OAA3CH,KAAKy9L,qBAAqBH,OAAOn9L,YAMhCq8L,YAAYc,OAAOn9L,MAAQ,GAAKH,KAAKy9L,qBAAqBH,OAAOn9L,OAAO8B,KAAKq7L,SAEpFlB,gBAAgB73L,UAAUq5L,mBAAqB,SAAUN,eACnB,OAAZ,MAAhBA,OAAOvB,SAEjBK,gBAAgB73L,UAAUs5L,mBAAqB,SAAUP,eACnB,OAAZ,MAAhBA,OAAOvB,SAEjBK,gBAAgB73L,UAAUo5L,oBAAsB,SAAUL,eACpB,MAAZ,MAAhBA,OAAOvB,SAA4D,OAAZ,MAAhBuB,OAAOvB,SAA4D,OAAZ,MAAhBuB,OAAOvB,SAE/FK,gBAAgB73L,UAAUi5L,qBAAuB,SAAUF,QACrDt9L,KAAKq8L,wBACFK,aAAaz6L,KAAKq7L,aAqBvBQ,0BAA4B,KACxB,UAEE,QAEA,SAEA,UAEA,SAEA,SAEA,UAEA,UAEA,UAEA,UAEA,UAEA,UAEA,UAEA,SAEA,SAEA,UAEA,SAEA,UAEA,UAEA,UAEA,UAEA,UAEA,UAEA,UAEA,UAEA,UAEA,UAEA,OAUNC,mBAAqB,SAAUl1L,UAC1B,IAAQA,GAAKA,GAAK,KAAQ,KAAQA,GAAKA,GAAK,KAEjDm1L,aAAe,SAAUC,gBACtBA,UAAYA,eACZ9oK,SAEP6oK,aAAaz5L,UAAU4wB,MAAQ,gBACxB+oK,iBACAC,gBAAiB,OACjBC,QAAU,QACVC,QAAU,QACVC,OAAS,QACTC,SAAW,QAGXC,QAAU,OACVC,QAAU,OACVC,WAAa,OACb9gI,SAAW,OACX+gI,oBAAsB,OACtBC,eAAiB,OACjBC,iBAAmB,OACnBC,YAAc,OACdC,SAAW,OACXC,gBAAkBh/L,KAAK++L,SAAW,OAClCE,YAAc,QACdC,YAAc,OACdC,SAAW,GAElBnB,aAAaz5L,UAAU66L,QAAU,kBACxBp/L,KAAKq/L,KAAK5sL,KAAK,OAExBurL,aAAaz5L,UAAU25L,UAAY,gBAC5BmB,KAAO,CAAC,SACRC,OAAS,GAEhBtB,aAAaz5L,UAAU05E,QAAU,SAAU65G,SACrC93L,KAAKq/L,KAAKp+L,QAAUjB,KAAKg/L,iBAAqD,mBAA3Bh/L,KAAKu/L,wBACrDA,kBAAkBzH,KAErB93L,KAAKq/L,KAAKp+L,OAAS,SAChBo+L,KAAKp9L,KAAK,SACVq9L,UAGAt/L,KAAKq/L,KAAKp+L,OAASjB,KAAKg/L,sBACxBK,KAAKhkL,aACLikL,UAGTtB,aAAaz5L,UAAUo4B,QAAU,kBACN,IAArB38B,KAAKq/L,KAAKp+L,QAEkB,IAArBjB,KAAKq/L,KAAKp+L,QACK,KAAjBjB,KAAKq/L,KAAK,IAIrBrB,aAAaz5L,UAAUi7L,QAAU,SAAUl0L,WACpC+zL,KAAKr/L,KAAKs/L,SAAWh0L,MAE5B0yL,aAAaz5L,UAAUk7L,UAAY,eAC5Bz/L,KAAK28B,UAAW,KACflB,IAAMz7B,KAAKq/L,KAAKr/L,KAAKs/L,aACpBD,KAAKr/L,KAAKs/L,QAAU7jK,IAAI8H,OAAO,EAAG9H,IAAIx6B,OAAS,SAGpDy+L,cAAgB,SAAUC,WAAYC,SAAU5yJ,aAC7C2yJ,WAAaA,gBACbr0L,KAAO,QACPu0L,cAAgB,IAAI7B,cAAc,QAClC8B,QAAU,QACV9yJ,OAASA,OAEU,iBAAb4yJ,eACJG,kBAAkBH,WAW3BF,cAAcn7L,UAAUysL,KAAO,SAAU8G,IAAKyH,wBACvCS,SAAWlI,QACX,IAAI3lL,IAAM,EAAGA,IAAM,EAAGA,WACpB2tL,QAAQ3tL,KAAO,IAAI6rL,aAAa7rL,KACJ,mBAAtBotL,yBACJO,QAAQ3tL,KAAKotL,kBAAoBA,oBAU5CG,cAAcn7L,UAAU07L,iBAAmB,SAAUhC,gBAC9C4B,cAAgB7/L,KAAK8/L,QAAQ7B,YAMpCyB,cAAcn7L,UAAUw7L,kBAAoB,SAAUH,aACzB,oBAAhBpnK,iBACJwU,OAAO90B,QAAQ,MAAO,CACzB1W,MAAO,OACPqoB,QAAS,mFAIJq2K,aAAe,IAAI1nK,YAAYonK,UACpC,MAAOj8L,YACFqpC,OAAO90B,QAAQ,MAAO,CACzB1W,MAAO,OACPqoB,QAAS,yCAA2C+1K,SAAW,cAAgBj8L,cAKnFg5L,aAAe,SAAUx2L,SAC3BA,QAAUA,SAAW,GACrBw2L,aAAap4L,UAAUysL,KAAK5rL,KAAKpF,UAI7BmgM,aAHArgM,KAAOE,KACPspK,gBAAkBnjK,QAAQmjK,iBAAmB,GAC7C82B,wBAA0B,GAG9B97L,OAAOG,KAAK6kK,iBAAiBzkK,SAAQw7L,cACnCF,aAAe72B,gBAAgB+2B,aAC3B,WAAWh+L,KAAKg+L,eAClBD,wBAAwBC,aAAeF,aAAaP,kBAGnDU,iBAAmBF,6BACnBG,iBAAmB,UACnBC,SAAW,QACXv+L,KAAO,SAAUq7L,QACA,IAAhBA,OAAOn9L,MAETL,KAAK2gM,eACL3gM,KAAK4gM,YAAYpD,UAEa,OAA1Bx9L,KAAKygM,kBAEPzgM,KAAK2gM,eAEP3gM,KAAK4gM,YAAYpD,WAIvBX,aAAap4L,UAAY,IAAI23L,SAK7BS,aAAap4L,UAAUk8L,aAAe,WACN,OAA1BzgM,KAAKugM,uBACFI,qBAEFJ,iBAAmB,CACtBxrL,KAAM,GACN6rL,QAAS,KAObjE,aAAap4L,UAAUm8L,YAAc,SAAUpD,YACzCvoL,KAAOuoL,OAAOvB,OACd8E,MAAQ9rL,OAAS,EACjB+rL,MAAe,IAAP/rL,UAGPwrL,iBAAiBK,QAAQ3+L,KAAKq7L,OAAOxF,UACrCyI,iBAAiBxrL,KAAK9S,KAAK4+L,YAC3BN,iBAAiBxrL,KAAK9S,KAAK6+L,QAMlCnE,aAAap4L,UAAUo8L,cAAgB,eACjCI,UAAY/gM,KAAKugM,iBACjBS,WAAaD,UAAUhsL,KACvB4qL,WAAa,KACbsB,UAAY,KACZjgM,EAAI,EACJ6H,EAAIm4L,WAAWhgM,SACnB+/L,UAAUG,IAAMr4L,GAAK,EACrBk4L,UAAUI,SAAe,GAAJt4L,EAEd7H,EAAIggM,WAAW//L,OAAQD,IAG5BigM,UAAgB,IAFhBp4L,EAAIm4L,WAAWhgM,MAII,KAHnB2+L,WAAa92L,GAAK,IAGMo4L,UAAY,IAGlCtB,WADA92L,EAAIm4L,WAAWhgM,WAGZogM,iBAAiBzB,WAAY3+L,EAAGigM,WACjCA,UAAY,IACdjgM,GAAKigM,UAAY,IAiBvBtE,aAAap4L,UAAU68L,iBAAmB,SAAUzB,WAAY13K,MAAO3N,UACjEzR,EACA7H,EAAIinB,MACJ+4K,WAAahhM,KAAKugM,iBAAiBxrL,KACnCu1J,QAAUtqK,KAAKwgM,SAASb,gBACvBr1B,UACHA,QAAUtqK,KAAKqhM,YAAY1B,WAAY3+L,IAElCA,EAAIinB,MAAQ3N,MAAQtZ,EAAIggM,WAAW//L,OAAQD,IAChD6H,EAAIm4L,WAAWhgM,GACX+8L,mBAAmBl1L,GACrB7H,EAAIhB,KAAKshM,WAAWtgM,EAAGspK,SACR,KAANzhK,EACT7H,EAAIhB,KAAKuhM,mBAAmBvgM,EAAGspK,SAChB,KAANzhK,EACT7H,EAAIhB,KAAKwhM,iBAAiBxgM,EAAGspK,SACpB,KAAQzhK,GAAKA,GAAK,IAC3B7H,EAAIhB,KAAKigM,iBAAiBj/L,EAAGspK,SACpB,KAAQzhK,GAAKA,GAAK,IAC3B7H,EAAIhB,KAAKyhM,aAAazgM,EAAGspK,SACV,MAANzhK,EACT7H,EAAIhB,KAAK0hM,aAAa1gM,EAAGspK,SACV,MAANzhK,EACT7H,EAAIhB,KAAK2hM,cAAc3gM,EAAGspK,SACX,MAANzhK,EACT7H,EAAIhB,KAAK4hM,eAAe5gM,EAAGspK,SACZ,MAANzhK,EACT7H,EAAIhB,KAAK6hM,YAAY7gM,EAAGspK,SACT,MAANzhK,EACT7H,EAAIhB,KAAK8hM,cAAc9gM,EAAGspK,SACX,MAANzhK,EACT7H,EAAIhB,KAAK+hM,oBAAoB/gM,EAAGspK,SACjB,MAANzhK,EACT7H,EAAIhB,KAAKgiM,iBAAiBhhM,EAAGspK,SACd,MAANzhK,EACT7H,EAAIhB,KAAKiiM,YAAYjhM,EAAGspK,SACT,MAANzhK,EACT7H,EAAIhB,KAAKkiM,eAAelhM,EAAGspK,SACZ,MAANzhK,EACTyhK,QAAUtqK,KAAKm1B,MAAMn0B,EAAGspK,SACT,IAANzhK,EAETyhK,QAAQu1B,cAAcJ,YACP,KAAN52L,EAETyhK,QAAQu1B,cAAc3B,YACP,KAANr1L,EAETyhK,QAAQu1B,cAAc1B,gBAAiB,EACxB,KAANt1L,EAETyhK,QAAQu1B,cAAc3B,YACP,MAANr1L,GAET7H,KAYN27L,aAAap4L,UAAUi9L,iBAAmB,SAAUxgM,EAAGspK,aAEjDzhK,EADa7I,KAAKugM,iBAAiBxrL,OAClB/T,UACjB+8L,mBAAmBl1L,KACrB7H,EAAIhB,KAAKshM,WAAWtgM,EAAGspK,QAAS,CAC9B63B,YAAY,KAGTnhM,GAST27L,aAAap4L,UAAU69L,OAAS,SAAUp4G,kBAEjChqF,KAAKugM,iBAAiBK,QAAQ7vL,KAAK4X,MAAMqhE,UAAY,KAS9D2yG,aAAap4L,UAAU88L,YAAc,SAAU1B,WAAY3+L,OAGrDq/L,YACAT,SAFA9/L,KAAOE,YADPqgM,YAAc,UAAYV,cAIX3/L,KAAKsgM,mBACtBV,SAAW5/L,KAAKsgM,iBAAiBD,mBAE9BG,SAASb,YAAc,IAAID,cAAcC,WAAYC,SAAU9/L,WAC/D0gM,SAASb,YAAY3O,KAAKhxL,KAAKoiM,OAAOphM,IAAI,SAAU82L,KACvDh4L,KAAKuiM,eAAevK,IAAKh4L,KAAK0gM,SAASb,gBAElC3/L,KAAKwgM,SAASb,aAUvBhD,aAAap4L,UAAU+8L,WAAa,SAAUtgM,EAAGspK,QAASnkK,aAQpDm8L,KACAC,cAzW6BhjL,KAC7BijL,QAgWAL,WAAah8L,SAAWA,QAAQg8L,WAChCM,YAAct8L,SAAWA,QAAQs8L,YACjCzB,WAAahhM,KAAKugM,iBAAiBxrL,KACnC2tL,SAAWP,WAAa,KAAS,EACjCQ,YAAc3B,WAAWhgM,GACzB4hM,SAAW5B,WAAWhgM,EAAI,GAC1BmR,IAAMm4J,QAAQu1B,iBASd4C,aACFF,cAAgB,CAACI,YAAaC,UAC9B5hM,KAEAuhM,cAAgB,CAACI,aAGfr4B,QAAQ41B,eAAiBiC,WAC3BG,KAAOh4B,QAAQ41B,aAAannK,OAAO,IAAIG,WAAWqpK,wBAG9CE,YAAa,OACTI,QAAsBN,cAhBb9yL,KAAI+5E,OACX,KAAc,IAAPA,MAAahlF,SAAS,KAAK/D,OAAO,KAChDgS,KAAK,IAgBN6vL,KAAOtpK,OAAOC,aAAa9V,SAAS0/K,QAAS,UA7X7CL,QAAU1E,0BADmBv+K,KAgYHmjL,SAAWC,cA/XQpjL,KA+X7C+iL,KA9XO,KAAP/iL,MAAiBA,OAASijL,QAErB,GAEFxpK,OAAOC,aAAaupK,gBA6XvBrwL,IAAIgsL,iBAAmBhsL,IAAIwqB,WAC7BxqB,IAAI8rE,QAAQj+E,KAAKoiM,OAAOphM,IAE1BmR,IAAIgsL,gBAAiB,EACrBhsL,IAAIqtL,QAAQ8C,MACLthM,GAUT27L,aAAap4L,UAAUg9L,mBAAqB,SAAUvgM,EAAGspK,aACnD02B,WAAahhM,KAAKugM,iBAAiBxrL,KACnC+tL,UAAY9B,WAAWhgM,EAAI,GAC3B+hM,WAAa/B,WAAWhgM,EAAI,UAC5B+8L,mBAAmB+E,YAAc/E,mBAAmBgF,cACtD/hM,EAAIhB,KAAKshM,aAAatgM,EAAGspK,QAAS,CAChCm4B,aAAa,KAGVzhM,GAYT27L,aAAap4L,UAAU07L,iBAAmB,SAAUj/L,EAAGspK,aAGjD2zB,UAAgB,EAFHj+L,KAAKugM,iBAAiBxrL,KACpB/T,UAEnBspK,QAAQ21B,iBAAiBhC,WAClBj9L,GAYT27L,aAAap4L,UAAUk9L,aAAe,SAAUzgM,EAAGspK,aAC7C02B,WAAahhM,KAAKugM,iBAAiBxrL,KACnClM,EAAIm4L,WAAWhgM,GACfi9L,UAAgB,EAAJp1L,EAChByhK,QAAQ21B,iBAAiBhC,eACrB9rL,IAAMm4J,QAAQu1B,qBAClBh3L,EAAIm4L,aAAahgM,GACjBmR,IAAIqsL,SAAe,GAAJ31L,IAAa,EAE5BsJ,IAAIssL,SAAe,GAAJ51L,IAAa,EAE5BsJ,IAAIusL,YAAkB,EAAJ71L,IAAa,EAE/BsJ,IAAIyrD,SAAe,EAAJ/0D,EAEfA,EAAIm4L,aAAahgM,GACjBmR,IAAIwsL,qBAA2B,IAAJ91L,IAAa,EAExCsJ,IAAIysL,eAAqB,IAAJ/1L,EAErBA,EAAIm4L,aAAahgM,GACjBmR,IAAI0sL,iBAAmBh2L,EAEvBA,EAAIm4L,aAAahgM,GACjBmR,IAAI2sL,aAAmB,IAAJj2L,IAAa,EAEhCsJ,IAAI4sL,SAAe,GAAJl2L,EAEfA,EAAIm4L,aAAahgM,GACjBmR,IAAI8sL,YAAkB,GAAJp2L,EAElBA,EAAIm4L,aAAahgM,GACjBmR,IAAI+sL,aAAmB,GAAJr2L,IAAa,EAEhCsJ,IAAIgtL,SAAe,EAAJt2L,EAGfsJ,IAAI6sL,gBAAkB7sL,IAAI4sL,SAAW,EAC9B/9L,GAYT27L,aAAap4L,UAAUw9L,oBAAsB,SAAU/gM,EAAGspK,aACpD02B,WAAahhM,KAAKugM,iBAAiBxrL,KACnClM,EAAIm4L,WAAWhgM,GACfo9L,QAAU9zB,QAAQu1B,cAAczB,eACpCv1L,EAAIm4L,aAAahgM,GACjBo9L,QAAQ4E,aAAmB,IAAJn6L,IAAa,EAEpCu1L,QAAQ6E,SAAe,GAAJp6L,IAAa,EAEhCu1L,QAAQ8E,WAAiB,GAAJr6L,IAAa,EAElCu1L,QAAQ+E,SAAe,EAAJt6L,EAEnBA,EAAIm4L,aAAahgM,GACjBo9L,QAAQgF,YAAkB,IAAJv6L,IAAa,EAEnCu1L,QAAQiF,WAAiB,GAAJx6L,IAAa,EAElCu1L,QAAQkF,aAAmB,GAAJz6L,IAAa,EAEpCu1L,QAAQmF,WAAiB,EAAJ16L,EAErBA,EAAIm4L,aAAahgM,GACjBo9L,QAAQgF,aAAmB,IAAJv6L,IAAa,EAEpCu1L,QAAQoF,UAAgB,GAAJ36L,IAAa,EAEjCu1L,QAAQqF,gBAAsB,GAAJ56L,IAAa,EAEvCu1L,QAAQsF,iBAAuB,GAAJ76L,IAAa,EAExCu1L,QAAQuF,QAAc,EAAJ96L,EAElBA,EAAIm4L,aAAahgM,GACjBo9L,QAAQwF,aAAmB,IAAJ/6L,IAAa,EAEpCu1L,QAAQyF,iBAAuB,GAAJh7L,IAAa,EAExCu1L,QAAQ0F,cAAoB,EAAJj7L,EAEjB7H,GAST27L,aAAap4L,UAAU89L,eAAiB,SAAUvK,IAAKxtB,iBACjDy5B,cAAgB,GAGXC,MAAQ,EAAGA,MAAQ,EAAGA,QACzB15B,QAAQw1B,QAAQkE,OAAOxF,UAAYl0B,QAAQw1B,QAAQkE,OAAOrnK,WAC5DonK,cAAc9hM,KAAKqoK,QAAQw1B,QAAQkE,OAAO5E,WAG9C90B,QAAQ25B,OAASnM,IACjBxtB,QAAQh/J,KAAOy4L,cAActxL,KAAK,aAC7ByxL,YAAY55B,SACjBA,QAAQ01B,SAAWlI,KAQrB6E,aAAap4L,UAAU2/L,YAAc,SAAU55B,SACxB,KAAjBA,QAAQh/J,YACL4M,QAAQ,OAAQ,CACnB8nL,SAAU11B,QAAQ01B,SAClBiE,OAAQ35B,QAAQ25B,OAChB34L,KAAMg/J,QAAQh/J,KACd0hC,OAAQ,SAAWs9H,QAAQq1B,aAE7Br1B,QAAQh/J,KAAO,GACfg/J,QAAQ01B,SAAW11B,QAAQ25B,SAa/BtH,aAAap4L,UAAUq9L,eAAiB,SAAU5gM,EAAGspK,aAE/CzhK,EADa7I,KAAKugM,iBAAiBxrL,OAClB/T,GACjB82L,IAAM93L,KAAKoiM,OAAOphM,QACjBqhM,eAAevK,IAAKxtB,aACpB,IAAI05B,MAAQ,EAAGA,MAAQ,EAAGA,QACzBn7L,EAAI,GAAQm7L,QACd15B,QAAQw1B,QAAQkE,OAAOxF,QAAU,UAG9Bx9L,GAYT27L,aAAap4L,UAAUs9L,YAAc,SAAU7gM,EAAGspK,aAE5CzhK,EADa7I,KAAKugM,iBAAiBxrL,OAClB/T,GACjB82L,IAAM93L,KAAKoiM,OAAOphM,QACjBqhM,eAAevK,IAAKxtB,aACpB,IAAI05B,MAAQ,EAAGA,MAAQ,EAAGA,QACzBn7L,EAAI,GAAQm7L,QACd15B,QAAQw1B,QAAQkE,OAAOxF,QAAU,UAG9Bx9L,GAYT27L,aAAap4L,UAAUu9L,cAAgB,SAAU9gM,EAAGspK,aAE9CzhK,EADa7I,KAAKugM,iBAAiBxrL,OAClB/T,GACjB82L,IAAM93L,KAAKoiM,OAAOphM,QACjBqhM,eAAevK,IAAKxtB,aACpB,IAAI05B,MAAQ,EAAGA,MAAQ,EAAGA,QACzBn7L,EAAI,GAAQm7L,QACd15B,QAAQw1B,QAAQkE,OAAOxF,SAAW,UAG/Bx9L,GAYT27L,aAAap4L,UAAUm9L,aAAe,SAAU1gM,EAAGspK,aAE7CzhK,EADa7I,KAAKugM,iBAAiBxrL,OAClB/T,GACjB82L,IAAM93L,KAAKoiM,OAAOphM,QACjBqhM,eAAevK,IAAKxtB,aACpB,IAAI05B,MAAQ,EAAGA,MAAQ,EAAGA,QACzBn7L,EAAI,GAAQm7L,OACd15B,QAAQw1B,QAAQkE,OAAO9F,mBAGpBl9L,GAYT27L,aAAap4L,UAAUo9L,cAAgB,SAAU3gM,EAAGspK,aAE9CzhK,EADa7I,KAAKugM,iBAAiBxrL,OAClB/T,GACjB82L,IAAM93L,KAAKoiM,OAAOphM,QACjBqhM,eAAevK,IAAKxtB,aACpB,IAAI05B,MAAQ,EAAGA,MAAQ,EAAGA,QACzBn7L,EAAI,GAAQm7L,OACd15B,QAAQw1B,QAAQkE,OAAO7uK,eAGpBn0B,GAYT27L,aAAap4L,UAAUy9L,iBAAmB,SAAUhhM,EAAGspK,aACjD02B,WAAahhM,KAAKugM,iBAAiBxrL,KACnClM,EAAIm4L,WAAWhgM,GACfq9L,QAAU/zB,QAAQu1B,cAAcxB,eACpCx1L,EAAIm4L,aAAahgM,GACjBq9L,QAAQ8F,SAAe,IAAJt7L,IAAa,EAEhCw1L,QAAQ7gH,QAAc,GAAJ30E,IAAa,EAE/Bw1L,QAAQ+F,QAAc,EAAJv7L,EAElBA,EAAIm4L,aAAahgM,GACjBq9L,QAAQgG,SAAe,IAAJx7L,IAAa,EAEhCw1L,QAAQiG,WAAiB,GAAJz7L,IAAa,EAElCw1L,QAAQkG,UAAgB,GAAJ17L,IAAa,EAEjCw1L,QAAQmG,UAAgB,EAAJ37L,EAEb7H,GAYT27L,aAAap4L,UAAU09L,YAAc,SAAUjhM,EAAGspK,aAC5C02B,WAAahhM,KAAKugM,iBAAiBxrL,KACnClM,EAAIm4L,WAAWhgM,GACfu9L,SAAWj0B,QAAQu1B,cAActB,gBACrC11L,EAAIm4L,aAAahgM,GACjBu9L,SAASkG,WAAiB,IAAJ57L,IAAa,EAEnC01L,SAASmG,OAAa,GAAJ77L,IAAa,EAE/B01L,SAASoG,SAAe,GAAJ97L,IAAa,EAEjC01L,SAASqG,OAAa,EAAJ/7L,EAElBA,EAAIm4L,aAAahgM,GACjBu9L,SAASsG,WAAiB,IAAJh8L,IAAa,EAEnC01L,SAASuG,OAAa,GAAJj8L,IAAa,EAE/B01L,SAASwG,SAAe,GAAJl8L,IAAa,EAEjC01L,SAASyG,OAAa,EAAJn8L,EAElBA,EAAIm4L,aAAahgM,GACjBu9L,SAAS0G,SAAe,GAAJp8L,IAAa,EAEjC01L,SAAS2G,WAAiB,GAAJr8L,IAAa,EAEnC01L,SAAS4G,SAAe,EAAJt8L,EAEb7H,GAYT27L,aAAap4L,UAAU29L,eAAiB,SAAUlhM,EAAGspK,aAC/C02B,WAAahhM,KAAKugM,iBAAiBxrL,KACnClM,EAAIm4L,WAAWhgM,GACfs9L,OAASh0B,QAAQu1B,cAAcvB,cAEnCh0B,QAAQu1B,cAAc1B,gBAAiB,EACvCt1L,EAAIm4L,aAAahgM,GACjBs9L,OAAO7iK,IAAU,GAAJ5yB,EAEbA,EAAIm4L,aAAahgM,GACjBs9L,OAAO8G,OAAa,GAAJv8L,EAET7H,GAYT27L,aAAap4L,UAAU4wB,MAAQ,SAAUn0B,EAAGspK,aACtCwtB,IAAM93L,KAAKoiM,OAAOphM,eACjBqhM,eAAevK,IAAKxtB,SAClBtqK,KAAKqhM,YAAY/2B,QAAQq1B,WAAY3+L,QAS1CqkM,sBAAwB,IACpB,OAEA,OAEA,OAEA,OAEA,QAEA,QAEA,QAEA,QAEA,QAEA,SAEE,QAEA,QAEA,QAEA,QAEA,SAEA,QAEA,QAEA,SAEA,QAEA,QAEA,QAEA,QAEA,QAEA,QAEA,QAEA,QAEA,QAEA,QAEA,QAEA,QAEA,QAEA,QAEA,SAEA,QAEA,OAEA,OAEA,SAEA,QAEA,SAEA,SAEA,SAEA,SAEA,QAEA,QAEA,QAEA,QAEA,QAEA,QAEA,QAEA,QAEA,QAEA,QAEA,QAEA,QAEA,QAEA,QAEA,QAEA,QAEA,QAEA,QAEA,QAEA,QAEA,QAEA,QAEA,QAEA,QAEA,QAEA,QAEA,QAEA,OAEA,OAEA,OAEA,QAEA,QAEA,QAEA,QAEA,QAEA,QAEA,QAEA,QAEA,QAEA,SAEA,QAEA,QAEA,QAEA,QAEA,SAEA,SAEA,SAEA,MAENC,gBAAkB,SAAU/lL,aACjB,OAATA,KACK,IAETA,KAAO8lL,sBAAsB9lL,OAASA,KAC/ByZ,OAAOC,aAAa1Z,QAMzBgmL,KAAO,CAAC,KAAQ,KAAQ,KAAQ,KAAQ,KAAQ,KAAQ,KAAQ,KAAQ,KAAQ,KAAQ,KAAQ,KAAQ,KAAQ,KAAQ,MAKxHC,oBAAsB,mBACpBjgM,OAAS,GACXvE,EAAIykM,GACCzkM,KACLuE,OAAOtD,KAAK,CACVqJ,KAAM,GACNo6L,OAAQ,EACRloH,OAAQ,WAGLj4E,QAELk3L,aAAe,SAAUkJ,MAAOC,aAClCnJ,aAAal4L,UAAUysL,KAAK5rL,KAAKpF,WAC5B6lM,OAASF,OAAS,OAClBG,aAAeF,aAAe,OAC9BnrL,MAAQ,MAAiD,GAAxCza,KAAK6lM,QAAU,EAAI7lM,KAAK8lM,oBACzCC,oBACA5wK,aACAlzB,KAAO,SAAUq7L,YAChBvoL,KAAMixL,KAAMC,MAAOC,MAAO56L,SAE9ByJ,KAAuB,MAAhBuoL,OAAOvB,UAED/7L,KAAKmmM,qBAKM,OAAZ,MAAPpxL,WACEoxL,iBAAmBpxL,KACfA,OAAS/U,KAAKomM,gBAClBD,iBAAmB,MAE1BF,MAAQlxL,OAAS,EACjBmxL,MAAe,IAAPnxL,KACJA,OAAS/U,KAAKomM,SAEX,GAAIrxL,OAAS/U,KAAKqmM,6BAClBC,MAAQ,aACR,GAAIvxL,OAAS/U,KAAKumM,qBAKlBD,MAAQ,aACRE,gBAAgBlJ,OAAOxF,UAEvBuK,eAAe/E,OAAOxF,KAE3BkO,KAAOhmM,KAAKymM,gBACPA,WAAazmM,KAAK0mM,mBAClBA,cAAgBV,UAEhBW,UAAYrJ,OAAOxF,SACnB,GAAI/iL,OAAS/U,KAAK4mM,qBAClBC,YAAc,OACdC,UAAUxJ,OAAOxF,UACjB,GAAI/iL,OAAS/U,KAAK+mM,qBAClBF,YAAc,OACdC,UAAUxJ,OAAOxF,UACjB,GAAI/iL,OAAS/U,KAAKgnM,qBAClBH,YAAc,OACdC,UAAUxJ,OAAOxF,UACjB,GAAI/iL,OAAS/U,KAAKinM,sBAClBT,gBAAgBlJ,OAAOxF,UACvBuK,eAAe/E,OAAOxF,UACtBoP,oBACAP,UAAYrJ,OAAOxF,SACnB,GAAI/iL,OAAS/U,KAAKmnM,WACJ,UAAfnnM,KAAKsmM,WACFI,cAAc1mM,KAAKonM,MAAM97L,KAAOtL,KAAK0mM,cAAc1mM,KAAKonM,MAAM97L,KAAK7K,MAAM,GAAI,QAE7EgmM,WAAWzmM,KAAKonM,MAAM97L,KAAOtL,KAAKymM,WAAWzmM,KAAKonM,MAAM97L,KAAK7K,MAAM,GAAI,QAEzE,GAAIsU,OAAS/U,KAAKqnM,6BAClBhF,eAAe/E,OAAOxF,UACtB2O,WAAajB,2BACb,GAAIzwL,OAAS/U,KAAKsnM,iCAClBZ,cAAgBlB,2BAChB,GAAIzwL,OAAS/U,KAAKunM,0BACJ,YAAfvnM,KAAKsmM,aAGFjE,eAAe/E,OAAOxF,UACtB2O,WAAajB,4BAEfc,MAAQ,eACRK,UAAYrJ,OAAOxF,SACnB,GAAI93L,KAAKwnM,mBAAmBvB,MAAOC,OAMxC56L,KAAOg6L,iBADPW,OAAiB,EAARA,QAAiB,GACKC,YAC1BlmM,KAAKsmM,OAAOhJ,OAAOxF,IAAKxsL,WACxBm8L,eACA,GAAIznM,KAAK0nM,eAAezB,MAAOC,OAMjB,UAAflmM,KAAKsmM,WACFI,cAAc1mM,KAAKonM,MAAM97L,KAAOtL,KAAK0mM,cAAc1mM,KAAKonM,MAAM97L,KAAK7K,MAAM,GAAI,QAE7EgmM,WAAWzmM,KAAKonM,MAAM97L,KAAOtL,KAAKymM,WAAWzmM,KAAKonM,MAAM97L,KAAK7K,MAAM,GAAI,GAO9E6K,KAAOg6L,iBADPW,OAAiB,EAARA,QAAiB,GACKC,YAC1BlmM,KAAKsmM,OAAOhJ,OAAOxF,IAAKxsL,WACxBm8L,eACA,GAAIznM,KAAK2nM,aAAa1B,MAAOC,YAE7BM,gBAAgBlJ,OAAOxF,UAGvB93L,KAAKsmM,OAAOhJ,OAAOxF,IAAK,UACxB2P,UACiB,KAAT,GAARvB,aACE0B,cAActK,OAAOxF,IAAK,CAAC,MAEZ,IAAT,EAARoO,aACE0B,cAActK,OAAOxF,IAAK,CAAC,WAE7B,GAAI93L,KAAK6nM,oBAAoB5B,MAAOC,OAAQ,OAK3C1oH,OAAiB,EAAR0oH,WAGVQ,cAAc1mM,KAAKonM,MAAM5pH,OAASA,YAClCiqH,SAAWjqH,YACX,GAAIx9E,KAAK8nM,MAAM7B,MAAOC,OAAQ,KAG/BzqK,IAAM8pK,KAAK/kM,QAAe,KAAPuU,SAEJ,WAAf/U,KAAKsmM,QAIH7qK,IAAMz7B,KAAK6mM,YAAc,EAAI,IAC/BprK,IAAMz7B,KAAK6mM,YAAc,QAEtBC,UAAUxJ,OAAOxF,IAAKr8J,MAIzBA,MAAQz7B,KAAKonM,MAAQ3rK,KAAO,GAAKA,KAAO,UAErC+qK,gBAAgBlJ,OAAOxF,UACvBsP,KAAO3rK,KAIF,EAARyqK,QAAkD,IAAnClmM,KAAK+nM,YAAYvnM,QAAQ,WACrConM,cAActK,OAAOxF,IAAK,CAAC,MAEZ,KAAV,GAAP/iL,MAAuB,OAKpBizL,cAAuB,GAAPjzL,OAAe,OAChC0yL,QAAyB,EAAfO,kBAEVtB,cAAc1mM,KAAKonM,MAAM1B,QAAUsC,aAEtChoM,KAAKioM,WAAW/B,QAKI,KAAT,GAARA,aACE0B,cAActK,OAAOxF,IAAK,CAAC,WAG3B93L,KAAKkoM,aAAajC,SACb,IAAVC,QACFA,MAAQ,MAEV56L,KAAOg6L,gBAAgBW,OACvB36L,MAAQg6L,gBAAgBY,YACnBlmM,KAAKsmM,OAAOhJ,OAAOxF,IAAKxsL,WACxBm8L,SAAWn8L,KAAKrK,kBAvKhBklM,iBAAmB,OA2K9B1J,aAAal4L,UAAY,IAAI23L,SAG7BO,aAAal4L,UAAU89L,eAAiB,SAAUvK,WAC1CqQ,WAAa5nM,aACZ2X,QAAQ,MAAO,CAClB1W,MAAO,OACPqoB,QAAS,6CAA+CtpB,MAAQ,OAG9DqK,QAAU,QACX67L,WAAW5hM,SAAQ,CAAC42B,IAAKz6B,QACxBy6B,KAAOA,IAAInwB,MAAQmwB,IAAInwB,KAAKrK,OAAQ,KAGpCw6B,IAAInwB,KAAOmwB,IAAInwB,KAAK1B,OACpB,MAAOoI,GAIPm2L,WAAWnnM,GAITy6B,IAAInwB,KAAKrK,QACX2J,QAAQ3I,KAAK,CAEXqJ,KAAMmwB,IAAInwB,KAEV04B,KAAMhjC,EAAI,EAIVoP,SAAU,GAAKW,KAAKE,IAAI,GAAiB,GAAbwqB,IAAIiqK,QAA4B,IAAbjqK,IAAI+hD,cAG9C/hD,MAAAA,KACT0sK,WAAWnnM,MAGX4J,QAAQ3J,aACLiX,QAAQ,OAAQ,CACnB8nL,SAAUhgM,KAAK2mM,UACf1C,OAAQnM,IACRltL,QAAAA,QACAoiC,OAAQhtC,KAAKya,SAQnBgiL,aAAal4L,UAAU4wB,MAAQ,gBACxBmxK,MAAQ,aAKR8B,QAAU,OACVzB,UAAY,OACZF,WAAajB,2BACbkB,cAAgBlB,2BAChBW,iBAAmB,UAEnBsB,QAAU,OACVL,KA9QU,QA+QVP,YAAc,OAEdkB,YAAc,IAMrBtL,aAAal4L,UAAUwhM,aAAe,WAaV,IAAtB/lM,KAAK8lM,mBACFuC,MAAQ,QACRC,KAAO,QACPC,UAAY,GAAOvoM,KAAK6lM,SAAW,OACnC2C,QAAU,IACgB,IAAtBxoM,KAAK8lM,oBACTuC,MAAQ,QACRC,KAAO,QACPC,UAAY,GAAOvoM,KAAK6lM,SAAW,OACnC2C,QAAU,SAMZpC,SAAW,OAEXC,wBAA0C,GAAhBrmM,KAAKuoM,cAC/BhC,gBAAkC,GAAhBvmM,KAAKuoM,cAEvB3B,gBAAkC,GAAhB5mM,KAAKuoM,cACvBxB,gBAAkC,GAAhB/mM,KAAKuoM,cACvBvB,gBAAkC,GAAhBhnM,KAAKuoM,cACvBtB,iBAAmC,GAAhBjnM,KAAKuoM,cAExBhB,0BAA4C,GAAhBvnM,KAAKuoM,cAEjCpB,WAA6B,GAAhBnnM,KAAKuoM,cAClBlB,wBAA0C,GAAhBrnM,KAAKuoM,cAC/BjB,4BAA8C,GAAhBtnM,KAAKuoM,UAc1C9L,aAAal4L,UAAUijM,mBAAqB,SAAUvB,MAAOC,cACpDD,QAAUjmM,KAAKsoM,MAAQpC,OAAS,IAAQA,OAAS,IAc1DzJ,aAAal4L,UAAUmjM,eAAiB,SAAUzB,MAAOC,cAC/CD,QAAUjmM,KAAKsoM,KAAO,GAAKrC,QAAUjmM,KAAKsoM,KAAO,IAAMpC,OAAS,IAAQA,OAAS,IAc3FzJ,aAAal4L,UAAUojM,aAAe,SAAU1B,MAAOC,cAC9CD,QAAUjmM,KAAKsoM,MAAQpC,OAAS,IAAQA,OAAS,IAc1DzJ,aAAal4L,UAAUsjM,oBAAsB,SAAU5B,MAAOC,cACrDD,QAAUjmM,KAAKwoM,SAAWtC,OAAS,IAAQA,OAAS,IAc7DzJ,aAAal4L,UAAUujM,MAAQ,SAAU7B,MAAOC,cACvCD,OAASjmM,KAAKqoM,OAASpC,MAAQjmM,KAAKqoM,MAAQ,GAAKnC,OAAS,IAAQA,OAAS,KAYpFzJ,aAAal4L,UAAU0jM,WAAa,SAAU/B,cACrCA,OAAS,IAAQA,OAAS,IAAQA,OAAS,IAAQA,OAAS,KAWrEzJ,aAAal4L,UAAU2jM,aAAe,SAAU5F,aACvCA,MAAQ,IAAQA,MAAQ,KAUjC7F,aAAal4L,UAAUuiM,UAAY,SAAUhP,IAAK2Q,eAE7B,WAAfzoM,KAAKsmM,aACFc,KAlbQ,QAmbRd,MAAQ,cAERjE,eAAevK,UACf4O,cAAgBlB,2BAChBiB,WAAajB,4BAEDviM,IAAfwlM,YAA4BA,aAAezoM,KAAKonM,SAE7C,IAAIpmM,EAAI,EAAGA,EAAIhB,KAAK6mM,YAAa7lM,SAC/BylM,WAAWgC,WAAaznM,GAAKhB,KAAKymM,WAAWzmM,KAAKonM,KAAOpmM,QACzDylM,WAAWzmM,KAAKonM,KAAOpmM,GAAK,CAC/BsK,KAAM,GACNo6L,OAAQ,EACRloH,OAAQ,QAIKv6E,IAAfwlM,aACFA,WAAazoM,KAAKonM,WAEfgB,QAAUK,WAAazoM,KAAK6mM,YAAc,GAIjDpK,aAAal4L,UAAUqjM,cAAgB,SAAU9P,IAAK1sB,aAC/C28B,YAAc/nM,KAAK+nM,YAAY1nM,OAAO+qK,YACvC9/J,KAAO8/J,OAAOrmK,QAAO,SAAUuG,KAAM8/J,eAChC9/J,KAAO,IAAM8/J,OAAS,MAC5B,SACEprK,KAAKsmM,OAAOxO,IAAKxsL,OAIxBmxL,aAAal4L,UAAUiiM,gBAAkB,SAAU1O,QAC5C93L,KAAK+nM,YAAY9mM,YAGlBqK,KAAOtL,KAAK+nM,YAAYn+J,UAAU7kC,QAAO,SAAUuG,KAAM8/J,eACpD9/J,KAAO,KAAO8/J,OAAS,MAC7B,SACE28B,YAAc,QACd/nM,KAAKsmM,OAAOxO,IAAKxsL,QAGxBmxL,aAAal4L,UAAUmkM,MAAQ,SAAU5Q,IAAKxsL,UACxCq9L,QAAU3oM,KAAK0mM,cAAc1mM,KAAKonM,MAAM97L,KAE5Cq9L,SAAWr9L,UACNo7L,cAAc1mM,KAAKonM,MAAM97L,KAAOq9L,SAEvClM,aAAal4L,UAAUqkM,OAAS,SAAU9Q,IAAKxsL,UACzCq9L,QAAU3oM,KAAKymM,WAAWzmM,KAAKonM,MAAM97L,KACzCq9L,SAAWr9L,UACNm7L,WAAWzmM,KAAKonM,MAAM97L,KAAOq9L,SAEpClM,aAAal4L,UAAU2iM,aAAe,eAChClmM,MAECA,EAAI,EAAGA,EAAIhB,KAAKooM,QAASpnM,SACvBylM,WAAWzlM,GAAK,CACnBsK,KAAM,GACNo6L,OAAQ,EACRloH,OAAQ,OAGPx8E,EAAIhB,KAAKonM,KAAO,EAAGpmM,EAAIykM,GAAgBzkM,SACrCylM,WAAWzlM,GAAK,CACnBsK,KAAM,GACNo6L,OAAQ,EACRloH,OAAQ,OAIPx8E,EAAIhB,KAAKooM,QAASpnM,EAAIhB,KAAKonM,KAAMpmM,SAC/BylM,WAAWzlM,GAAKhB,KAAKymM,WAAWzlM,EAAI,QAGtCylM,WAAWzmM,KAAKonM,MAAQ,CAC3B97L,KAAM,GACNo6L,OAAQ,EACRloH,OAAQ,IAGZi/G,aAAal4L,UAAUskM,QAAU,SAAU/Q,IAAKxsL,UAC1Cq9L,QAAU3oM,KAAKymM,WAAWzmM,KAAKonM,MAAM97L,KACzCq9L,SAAWr9L,UACNm7L,WAAWzmM,KAAKonM,MAAM97L,KAAOq9L,aAGhCG,cAAgB,CAClBC,cAAe3M,gBACfK,aAAcA,aACdE,aAAcA,cASZqM,YAAc,CAChBC,iBAAkB,GAClBC,iBAAkB,GAClBC,qBAAsB,IAapBC,SAAWp8J,OAIXq8J,iBAAmB,SAAUnkM,MAAO6lC,eAClCjD,UAAY,MACZ5iC,MAAQ6lC,YAQVjD,WAAa,GAIR/2B,KAAK24B,IAAIqB,UAAY7lC,OAhBd,YAiBZA,OAlBS,WAkBA4iC,iBAEJ5iC,OAELokM,0BAA4B,SAAUnpM,UACpCopM,QAASC,aACbF,0BAA0B/kM,UAAUysL,KAAK5rL,KAAKpF,WAIzCypM,MAAQtpM,MA1BG,cA2BX8B,KAAO,SAAU8S,MAWF,aAAdA,KAAK5U,KAtCK,WA4CVH,KAAKypM,OAAyB10L,KAAK5U,OAASH,KAAKypM,aAGhCxmM,IAAjBumM,eACFA,aAAez0L,KAAKgjL,KAEtBhjL,KAAKgjL,IAAMsR,iBAAiBt0L,KAAKgjL,IAAKyR,cACtCz0L,KAAK+iL,IAAMuR,iBAAiBt0L,KAAK+iL,IAAK0R,cACtCD,QAAUx0L,KAAKgjL,SACV7/K,QAAQ,OAAQnD,YAddmD,QAAQ,OAAQnD,YAgBpB+oB,MAAQ,WACX0rK,aAAeD,aACVrxL,QAAQ,cAEVi5K,YAAc,gBACZrzJ,aACA5lB,QAAQ,uBAEVyrE,cAAgB,WACnB6lH,kBAAe,EACfD,aAAU,QAEPp0K,MAAQ,gBACNwuD,qBACAzrE,QAAQ,WAGjBoxL,0BAA0B/kM,UAAY,IAAI6kM,aAuPxCM,eAtPEC,wBAA0B,CAC5BC,wBAAyBN,0BACzBO,eAAgBR,kBAedS,6BAZsB,CAACA,WAAYh+L,QAASi+L,iBACzCD,kBACK,UAENE,aAAeD,UACZC,aAAeF,WAAW7oM,OAAQ+oM,kBACnCF,WAAWE,gBAAkBl+L,eACxBk+L,oBAGH,GAeNC,kBAAoBH,6BAGtBI,iCAOQ,EAIRC,gBAAkB,SAAUvhH,MAAO3gE,MAAOC,SACpClnB,EACFuE,OAAS,OACNvE,EAAIinB,MAAOjnB,EAAIknB,IAAKlnB,IACvBuE,QAAU,KAAO,KAAOqjF,MAAM5nF,GAAGwD,SAAS,KAAK/D,OAAO,UAEjD8E,QAIT6kM,UAAY,SAAUxhH,MAAO3gE,MAAOC,YAC3B+iB,mBAAmBk/J,gBAAgBvhH,MAAO3gE,MAAOC,OAI1DmiL,gBAAkB,SAAUzhH,MAAO3gE,MAAOC,YACjCiiE,SAASggH,gBAAgBvhH,MAAO3gE,MAAOC,OAEhDoiL,uBAAyB,SAAUv1L,aAC1BA,KAAK,IAAM,GAAKA,KAAK,IAAM,GAAKA,KAAK,IAAM,EAAIA,KAAK,IAE7Dw1L,aAAe,MACL,SAAU3S,WAEd4S,iBACAC,oBAFEzpM,EAAI,EAIJ42L,MAAM7iL,KAAK,KAAOm1L,oCAKtBM,iBAAmBP,kBAAkBrS,MAAM7iL,KAAM,EAAG/T,IAC7B,IAKvB42L,MAAM/0H,SAAWwnI,gBAAgBzS,MAAM7iL,KAAM/T,EAAGwpM,kBAChDxpM,EAAIwpM,iBAAmB,EAEvB5S,MAAM8S,YAAc9S,MAAM7iL,KAAK/T,GAC/BA,KACAypM,oBAAsBR,kBAAkBrS,MAAM7iL,KAAM,EAAG/T,IAC7B,IAK1B42L,MAAMrrK,YAAc69K,UAAUxS,MAAM7iL,KAAM/T,EAAGypM,qBAC7CzpM,EAAIypM,oBAAsB,EAxBP,WAyBf7S,MAAM/0H,SAER+0H,MAAMrlK,IAAM83K,gBAAgBzS,MAAM7iL,KAAM/T,EAAG42L,MAAM7iL,KAAK9T,QAGtD22L,MAAM+S,YAAc/S,MAAM7iL,KAAKw9J,SAASvxK,EAAG42L,MAAM7iL,KAAK9T,iBAGpD,SAAU22L,OACVA,MAAM7iL,KAAK,KAAOm1L,mCAMtBtS,MAAM1yL,MAAQklM,UAAUxS,MAAM7iL,KAAM,EAAG6iL,MAAM7iL,KAAK9T,QAAQ+b,QAAQ,OAAQ,IAE1E46K,MAAMjxL,OAASixL,MAAM1yL,MAAMsH,MAAM,aAE3B,SAAUorL,WACZ6S,oBACA7S,MAAM7iL,KAAK,KAAOm1L,mCAKO,KAD7BO,oBAAsBR,kBAAkBrS,MAAM7iL,KAAM,EAAG,MAKvD6iL,MAAMrrK,YAAc69K,UAAUxS,MAAM7iL,KAAM,EAAG01L,qBAI7C7S,MAAM1yL,MAAQklM,UAAUxS,MAAM7iL,KAAM01L,oBAAsB,EAAG7S,MAAM7iL,KAAK9T,QAAQ+b,QAAQ,OAAQ,IAChG46K,MAAM7iL,KAAO6iL,MAAM1yL,aAEf,SAAU0yL,OAGdA,MAAMrlK,IAAM83K,gBAAgBzS,MAAM7iL,KAAM,EAAG6iL,MAAM7iL,KAAK9T,QAAQ+b,QAAQ,QAAS,UAEzE,SAAU46K,WACZ6S,oBACA7S,MAAM7iL,KAAK,KAAOm1L,mCAKO,KAD7BO,oBAAsBR,kBAAkBrS,MAAM7iL,KAAM,EAAG,MAKvD6iL,MAAMrrK,YAAc69K,UAAUxS,MAAM7iL,KAAM,EAAG01L,qBAI7C7S,MAAMrlK,IAAM83K,gBAAgBzS,MAAM7iL,KAAM01L,oBAAsB,EAAG7S,MAAM7iL,KAAK9T,QAAQ+b,QAAQ,QAAS,WAE/F,SAAU46K,WACZ52L,MACCA,EAAI,EAAGA,EAAI42L,MAAM7iL,KAAK9T,OAAQD,OACX,IAAlB42L,MAAM7iL,KAAK/T,GAAU,CAEvB42L,MAAMgT,MAAQP,gBAAgBzS,MAAM7iL,KAAM,EAAG/T,SAIjD42L,MAAMiT,YAAcjT,MAAM7iL,KAAKw9J,SAASvxK,EAAI,GAC5C42L,MAAM7iL,KAAO6iL,MAAMiT,cA+DrBC,SAAW,CACbC,eA7DqB,SAAUh2L,UAC3Bi2L,UAEFC,WAAa,GACbC,QAAU,EACVhc,OAAS,QAGPn6K,KAAK9T,OAAS,IAAM8T,KAAK,KAAO,IAAIoyB,WAAW,IAAMpyB,KAAK,KAAO,IAAIoyB,WAAW,IAAMpyB,KAAK,KAAO,IAAIoyB,WAAW,KAOrH+jK,QAAUZ,uBAAuBv1L,KAAKw9J,SAAS,EAAG,KAGlD24B,SAAW,GAEuB,GAAVn2L,KAAK,KAG3Bk2L,YAAc,EAEdA,YAAcX,uBAAuBv1L,KAAKw9J,SAAS,GAAI,KACvD24B,SAAWZ,uBAAuBv1L,KAAKw9J,SAAS,GAAI,QAInD,KAEDy4B,UAAYV,uBAAuBv1L,KAAKw9J,SAAS04B,WAAa,EAAGA,WAAa,KAC9D,YAIZrT,MAAQ,CACV55K,GAFYgb,OAAOC,aAAalkB,KAAKk2L,YAAal2L,KAAKk2L,WAAa,GAAIl2L,KAAKk2L,WAAa,GAAIl2L,KAAKk2L,WAAa,IAGhHl2L,KAAMA,KAAKw9J,SAAS04B,WAAa,GAAIA,WAAaD,UAAY,KAEhEpT,MAAM9yL,IAAM8yL,MAAM55K,GAEdusL,aAAa3S,MAAM55K,IAErBusL,aAAa3S,MAAM55K,IAAI45K,OACE,MAAhBA,MAAM55K,GAAG,GAElBusL,aAAa,MAAM3S,OACM,MAAhBA,MAAM55K,GAAG,IAElBusL,aAAa,MAAM3S,OAErB1I,OAAOjtL,KAAK21L,OACZqT,YAAc,GAEdA,YAAcD,gBACPC,WAAaC,gBACfhc,SAIPic,qBAAsBb,uBACtBC,aAAcA,cAcda,cAAgBpC,YAChBqC,IAAMP,UAERpB,eAAiB,SAAUvjM,aAavBnF,EAZEo9B,SAAW,CAIXy/B,WAAY13D,SAAWA,QAAQ03D,YAGjCqtI,QAAU,EAEVp/J,OAAS,GAETw/J,WAAa,KAEf5B,eAAenlM,UAAUysL,KAAK5rL,KAAKpF,WAG9BurM,aAAeH,cAAcjC,qBAAqB3kM,SAAS,IAC5D45B,SAASy/B,eACN78D,EAAI,EAAGA,EAAIo9B,SAASy/B,WAAW58D,OAAQD,SACrCuqM,eAAiB,KAAOntK,SAASy/B,WAAW78D,GAAGwD,SAAS,KAAK/D,OAAO,QAGxEwB,KAAO,SAAUwkF,WAChBp5E,IAAK49L,WAAYD,UAAWpT,MAAO52L,KACpB,mBAAfylF,MAAMtmF,QAMNsmF,MAAM+kH,yBACRF,WAAa,EACbx/J,OAAO7qC,OAAS,GAGI,IAAlB6qC,OAAO7qC,SAAiBwlF,MAAM1xE,KAAK9T,OAAS,IAAMwlF,MAAM1xE,KAAK,KAAO,IAAIoyB,WAAW,IAAMs/C,MAAM1xE,KAAK,KAAO,IAAIoyB,WAAW,IAAMs/C,MAAM1xE,KAAK,KAAO,IAAIoyB,WAAW,SAC9JjvB,QAAQ,MAAO,CAClB1W,MAAO,OACPqoB,QAAS,kDAKbiiB,OAAO7pC,KAAKwkF,OACZ6kH,YAAc7kH,MAAM1xE,KAAK+zE,WAEH,IAAlBh9C,OAAO7qC,SAKTiqM,QAAUG,IAAIF,qBAAqB1kH,MAAM1xE,KAAKw9J,SAAS,EAAG,KAG1D24B,SAAW,MAGTI,WAAaJ,cAIjB79L,IAAM,CACJ0H,KAAM,IAAImkB,WAAWgyK,SACrBhc,OAAQ,GACR4I,IAAKhsJ,OAAO,GAAGgsJ,IACfC,IAAKjsJ,OAAO,GAAGisJ,KAEZ/2L,EAAI,EAAGA,EAAIkqM,SACd79L,IAAI0H,KAAKhP,IAAI+lC,OAAO,GAAG/2B,KAAKw9J,SAAS,EAAG24B,QAAUlqM,GAAIA,GACtDA,GAAK8qC,OAAO,GAAG/2B,KAAK+zE,WACpBwiH,YAAcx/J,OAAO,GAAG/2B,KAAK+zE,WAC7Bh9C,OAAOzwB,QAGT4vL,WAAa,GACK,GAAd59L,IAAI0H,KAAK,KAEXk2L,YAAc,EAEdA,YAAcI,IAAIF,qBAAqB99L,IAAI0H,KAAKw9J,SAAS,GAAI,KAE7D24B,SAAWG,IAAIF,qBAAqB99L,IAAI0H,KAAKw9J,SAAS,GAAI,QAIzD,KAEDy4B,UAAYK,IAAIF,qBAAqB99L,IAAI0H,KAAKw9J,SAAS04B,WAAa,EAAGA,WAAa,KACpE,EAAG,MACZ/yL,QAAQ,MAAO,CAClB1W,MAAO,OACPqoB,QAAS,oFAOb+tK,MAAQ,CACN55K,GAFYgb,OAAOC,aAAa5rB,IAAI0H,KAAKk2L,YAAa59L,IAAI0H,KAAKk2L,WAAa,GAAI59L,IAAI0H,KAAKk2L,WAAa,GAAI59L,IAAI0H,KAAKk2L,WAAa,IAGhIl2L,KAAM1H,IAAI0H,KAAKw9J,SAAS04B,WAAa,GAAIA,WAAaD,UAAY,MAE9DlmM,IAAM8yL,MAAM55K,GAEdqtL,IAAId,aAAa3S,MAAM55K,IAEzBqtL,IAAId,aAAa3S,MAAM55K,IAAI45K,OACF,MAAhBA,MAAM55K,GAAG,GAElBqtL,IAAId,aAAa,MAAM3S,OACE,MAAhBA,MAAM55K,GAAG,IAElBqtL,IAAId,aAAa,MAAM3S,OAIL,iDAAhBA,MAAMgT,MAA0D,KAC9D9/B,EAAI8sB,MAAM7iL,KACZuF,MAAe,EAAPwwJ,EAAE,KAAc,GAAKA,EAAE,IAAM,GAAKA,EAAE,IAAM,GAAKA,EAAE,IAAM,EAAIA,EAAE,KAAO,EAC9ExwJ,MAAQ,EACRA,MAAe,EAAPwwJ,EAAE,GACV8sB,MAAM6T,UAAYnxL,UAKFrX,IAAZoK,IAAIyqL,UAAiC70L,IAAZoK,IAAI0qL,MAC/B1qL,IAAIyqL,IAAMF,MAAM6T,UAChBp+L,IAAI0qL,IAAMH,MAAM6T,gBAEbvzL,QAAQ,YAAa0/K,OAE5BvqL,IAAI6hL,OAAOjtL,KAAK21L,OAChBqT,YAAc,GAEdA,YAAcD,gBACPC,WAAaC,cACjBhzL,QAAQ,OAAQ7K,SAGV9I,UAAY,IAjJZyoC,WAmKX0+J,sBAAuBC,qBAAsBC,iBAjB7CC,eAAiBnC,eAYjBoC,SAAW9+J,OACb++J,gBAAkBjD,cAClBkD,cAAgBhD,YAChBY,wBAA0BD,wBAAwBC,yBAYpD8B,sBAAwB,eAClB5/J,OAAS,IAAI5S,WATQ,KAUvB+yK,cAAgB,EAClBP,sBAAsBnnM,UAAUysL,KAAK5rL,KAAKpF,WAMrCiC,KAAO,SAAU2mF,WAGlBsjH,WAFE/vC,WAAa,EACf2I,SAnBqB,QAuBnBmnC,gBACFC,WAAa,IAAIhzK,WAAW0vD,MAAME,WAAamjH,gBACpClmM,IAAI+lC,OAAOymI,SAAS,EAAG05B,gBAClCC,WAAWnmM,IAAI6iF,MAAOqjH,eACtBA,cAAgB,GAEhBC,WAAatjH,MAGRk8E,SAAWonC,WAAWpjH,YA9BjB,KAgCNojH,WAAW/vC,aAhCL,KAgCoC+vC,WAAWpnC,WAWzD3I,aACA2I,kBATO5sJ,QAAQ,OAAQg0L,WAAW35B,SAASpW,WAAY2I,WACrD3I,YAtCmB,IAuCnB2I,UAvCmB,KAmDnB3I,WAAa+vC,WAAWpjH,aAC1Bh9C,OAAO/lC,IAAImmM,WAAW35B,SAASpW,YAAa,GAC5C8vC,cAAgBC,WAAWpjH,WAAaqzE,kBAOvCr+H,MAAQ,WA5DY,MAgEnBmuK,eA9DQ,KA8DkCngK,OAAO,UAC9C5zB,QAAQ,OAAQ4zB,QACrBmgK,cAAgB,QAEb/zL,QAAQ,cAEVi5K,YAAc,gBACZrzJ,aACA5lB,QAAQ,uBAEVid,MAAQ,WACX82K,cAAgB,OACX/zL,QAAQ,YAGK3T,UAAY,IAAIunM,SAMtCH,qBAAuB,eACjBQ,SAAUC,SAAUC,SAAUvsM,KAClC6rM,qBAAqBpnM,UAAUysL,KAAK5rL,KAAKpF,MACzCF,KAAOE,UACFssM,qBAAuB,QACvBC,qBAAkBtpM,EACvBkpM,SAAW,SAAUx2K,QAASw8G,SACxB30D,OAAS,EAOT20D,IAAIq6D,4BACNhvH,QAAU7nD,QAAQ6nD,QAAU,GAEb,QAAb20D,IAAIhyI,KACNisM,SAASz2K,QAAQ48I,SAAS/0F,QAAS20D,KAEnCk6D,SAAS12K,QAAQ48I,SAAS/0F,QAAS20D,MAGvCi6D,SAAW,SAAUz2K,QAAS82K,KAC5BA,IAAIC,eAAiB/2K,QAAQ,GAE7B82K,IAAIE,oBAAsBh3K,QAAQ,GAGlC71B,KAAK8sM,QAAwB,GAAdj3K,QAAQ,MAAe,EAAIA,QAAQ,IAClD82K,IAAIG,OAAS9sM,KAAK8sM,QAWpBP,SAAW,SAAU12K,QAASk3K,SACTC,SAA6BtvH,UAM7B,EAAb7nD,QAAQ,QAId71B,KAAKysM,gBAAkB,CACrBzrK,MAAO,KACPN,MAAO,sBACW,IAIpBssK,SAAW,IADmB,GAAbn3K,QAAQ,KAAc,EAAIA,QAAQ,IACpB,EAK/B6nD,OAAS,KAF0B,GAAd7nD,QAAQ,MAAe,EAAIA,QAAQ,KAGjD6nD,OAASsvH,UAAU,KACpBC,WAAap3K,QAAQ6nD,QACrBwvH,KAA6B,GAAtBr3K,QAAQ6nD,OAAS,KAAc,EAAI7nD,QAAQ6nD,OAAS,GAI3DuvH,aAAef,cAAc/C,kBAAmD,OAA/BnpM,KAAKysM,gBAAgBzrK,MACxEhhC,KAAKysM,gBAAgBzrK,MAAQksK,IACpBD,aAAef,cAAc9C,kBAAmD,OAA/BppM,KAAKysM,gBAAgB/rK,MAC/E1gC,KAAKysM,gBAAgB/rK,MAAQwsK,IACpBD,aAAef,cAAc7C,uBAEtCrpM,KAAKysM,gBAAgB,kBAAkBS,KAAOD,YAIhDvvH,QAAsE,IAApC,GAAtB7nD,QAAQ6nD,OAAS,KAAc,EAAI7nD,QAAQ6nD,OAAS,IAGlEqvH,IAAIN,gBAAkBzsM,KAAKysM,uBAMxBtqM,KAAO,SAAUq7L,YAChB/3L,OAAS,GACXi4E,OAAS,KACXj4E,OAAOinM,6BAA2C,GAAZlP,OAAO,IAE7C/3L,OAAOynM,IAAkB,GAAZ1P,OAAO,GACpB/3L,OAAOynM,MAAQ,EACfznM,OAAOynM,KAAO1P,OAAO,IAMJ,GAAZA,OAAO,MAAe,EAAI,IAC7B9/G,QAAU8/G,OAAO9/G,QAAU,GAGV,IAAfj4E,OAAOynM,IACTznM,OAAOpF,KAAO,MACdgsM,SAAS7O,OAAO/qB,SAAS/0F,QAASj4E,aAC7B2S,QAAQ,OAAQ3S,aAChB,GAAIA,OAAOynM,MAAQhtM,KAAK4sM,WAC7BrnM,OAAOpF,KAAO,MACdgsM,SAAS7O,OAAO/qB,SAAS/0F,QAASj4E,aAC7B2S,QAAQ,OAAQ3S,QAEdvF,KAAKssM,qBAAqBrrM,aAC1BgsM,YAAYx0L,MAAMzY,KAAMA,KAAKssM,qBAAqBjxL,mBAEvBpY,IAAzBjD,KAAKusM,qBAGTD,qBAAqBrqM,KAAK,CAACq7L,OAAQ9/G,OAAQj4E,cAE3C0nM,YAAY3P,OAAQ9/G,OAAQj4E,cAGhC0nM,YAAc,SAAU3P,OAAQ9/G,OAAQj4E,QAEvCA,OAAOynM,MAAQhtM,KAAKusM,gBAAgBzrK,MACtCv7B,OAAOwnM,WAAaf,cAAc/C,iBACzB1jM,OAAOynM,MAAQhtM,KAAKusM,gBAAgB/rK,MAC7Cj7B,OAAOwnM,WAAaf,cAAc9C,iBAIlC3jM,OAAOwnM,WAAa/sM,KAAKusM,gBAAgB,kBAAkBhnM,OAAOynM,KAEpEznM,OAAOpF,KAAO,MACdoF,OAAOwP,KAAOuoL,OAAO/qB,SAAS/0F,aACzBtlE,QAAQ,OAAQ3S,UAGzBomM,qBAAqBpnM,UAAY,IAAIunM,SACrCH,qBAAqBuB,aAAe,CAClCC,KAAM,GACNC,KAAM,IAWRxB,iBAAmB,eAgBfW,gBAfEzsM,KAAOE,KACTqtM,eAAgB,EAEhBvsK,MAAQ,CACN/rB,KAAM,GACNuF,KAAM,GAERkmB,MAAQ,CACNzrB,KAAM,GACNuF,KAAM,GAERgzL,cAAgB,CACdv4L,KAAM,GACNuF,KAAM,GAuDR6iL,YAAc,SAAUnwJ,OAAQ7sC,KAAMotM,gBAOlCC,gBACAC,SAPEzM,WAAa,IAAI9nK,WAAW8T,OAAO1yB,MACrCpL,MAAQ,CACN/O,KAAMA,MAERa,EAAI,EACJw8E,OAAS,KAKNxwC,OAAOj4B,KAAK9T,UAAU+rC,OAAO1yB,KAAO,QAGzCpL,MAAMw+L,QAAU1gK,OAAOj4B,KAAK,GAAGi4L,IAE1BhsM,EAAI,EAAGA,EAAIgsC,OAAOj4B,KAAK9T,OAAQD,IAClCysM,SAAWzgK,OAAOj4B,KAAK/T,GACvBggM,WAAWj7L,IAAI0nM,SAAS14L,KAAMyoE,QAC9BA,QAAUiwH,SAAS14L,KAAK+zE,YAvEjB,SAAUnzD,QAASg4K,SACxBC,kBACEC,YAAcl4K,QAAQ,IAAM,GAAKA,QAAQ,IAAM,EAAIA,QAAQ,GAEjEg4K,IAAI54L,KAAO,IAAImkB,WAIK,IAAhB20K,cAIJF,IAAIG,aAAe,GAAKn4K,QAAQ,IAAM,EAAIA,QAAQ,IAElDg4K,IAAInC,uBAAiD,IAAV,EAAb71K,QAAQ,IAapB,KATlBi4K,YAAcj4K,QAAQ,MAapBg4K,IAAI7V,KAAoB,GAAbniK,QAAQ,KAAc,IAAoB,IAAdA,QAAQ,MAAe,IAAoB,IAAdA,QAAQ,MAAe,IAAoB,IAAdA,QAAQ,MAAe,GAAmB,IAAdA,QAAQ,OAAgB,EACrJg4K,IAAI7V,KAAO,EAEX6V,IAAI7V,MAAsB,EAAdniK,QAAQ,OAAgB,EAEpCg4K,IAAI5V,IAAM4V,IAAI7V,IACI,GAAd8V,cACFD,IAAI5V,KAAqB,GAAdpiK,QAAQ,MAAe,IAAoB,IAAdA,QAAQ,MAAe,IAAoB,IAAdA,QAAQ,MAAe,IAAoB,IAAdA,QAAQ,MAAe,GAAmB,IAAdA,QAAQ,OAAgB,EACtJg4K,IAAI5V,KAAO,EAEX4V,IAAI5V,MAAsB,EAAdpiK,QAAQ,OAAgB,IAMxCg4K,IAAI54L,KAAO4gB,QAAQ48I,SAAS,EAAI58I,QAAQ,KA2BxCo4K,CAAS/M,WAAY9xL,OAGrBs+L,gBAA2B,UAATrtM,MAAoB+O,MAAM4+L,cAAgB9gK,OAAO1yB,MAE/DizL,YAAcC,mBAChBxgK,OAAO1yB,KAAO,EACd0yB,OAAOj4B,KAAK9T,OAAS,GAInBusM,iBACF1tM,KAAKoY,QAAQ,OAAQhJ,SAG3B08L,iBAAiBrnM,UAAUysL,KAAK5rL,KAAKpF,WAMhCiC,KAAO,SAAU8S,QAElB03L,IAAK,aAGLkB,IAAK,eACC3gK,OAAQ+/J,kBACJh4L,KAAKg4L,iBACNf,cAAc/C,iBACjBj8J,OAASlM,MACTisK,WAAa,mBAEVf,cAAc9C,iBACjBl8J,OAASxM,MACTusK,WAAa,mBAEVf,cAAc7C,qBACjBn8J,OAASsgK,cACTP,WAAa,sCAQbh4L,KAAKy3L,2BACPrP,YAAYnwJ,OAAQ+/J,YAAY,GAIlC//J,OAAOj4B,KAAK9S,KAAK8S,MACjBi4B,OAAO1yB,MAAQvF,KAAKA,KAAK+zE,YAE3B+jH,IAAK,eACC39L,MAAQ,CACV/O,KAAM,WACNqvB,OAAQ,IAIoB,QAF9B+8K,gBAAkBx3L,KAAKw3L,iBAEHzrK,OAClB5xB,MAAMsgB,OAAOvtB,KAAK,CAChBo5L,kBAAmB,CACjB7E,oBAAqB,GAEvBx4K,IAAKuuL,gBAAgBzrK,MACrBqmD,MAAO,MACPhnF,KAAM,UAGoB,OAA1BosM,gBAAgB/rK,OAClBtxB,MAAMsgB,OAAOvtB,KAAK,CAChBo5L,kBAAmB,CACjB7E,oBAAqB,GAEvBx4K,IAAKuuL,gBAAgB/rK,MACrB2mD,MAAO,OACPhnF,KAAM,UAGVktM,eAAgB,EAChBvtM,KAAKoY,QAAQ,OAAQhJ,UAEtB6F,KAAK5U,cAELg1B,MAAQ,WACX2L,MAAMxmB,KAAO,EACbwmB,MAAM/rB,KAAK9T,OAAS,EACpBu/B,MAAMlmB,KAAO,EACbkmB,MAAMzrB,KAAK9T,OAAS,OACfiX,QAAQ,eAYV81L,cAAgB,WAGnB7Q,YAAYr8J,MAAO,SACnBq8J,YAAY38J,MAAO,SACnB28J,YAAYmQ,cAAe,wBAExBxvK,MAAQ,eAINuvK,eAAiBd,gBAAiB,KACjCM,IAAM,CACR1sM,KAAM,WACNqvB,OAAQ,IAGoB,OAA1B+8K,gBAAgBzrK,OAClB+rK,IAAIr9K,OAAOvtB,KAAK,CACdo5L,kBAAmB,CACjB7E,oBAAqB,GAEvBx4K,IAAKuuL,gBAAgBzrK,MACrBqmD,MAAO,MACPhnF,KAAM,UAGoB,OAA1BosM,gBAAgB/rK,OAClBqsK,IAAIr9K,OAAOvtB,KAAK,CACdo5L,kBAAmB,CACjB7E,oBAAqB,GAEvBx4K,IAAKuuL,gBAAgB/rK,MACrB2mD,MAAO,OACPhnF,KAAM,UAGVL,KAAKoY,QAAQ,OAAQ20L,KAEvBQ,eAAgB,OACXW,qBACA91L,QAAQ,UAGjB0zL,iBAAiBrnM,UAAY,IAAIunM,aAC7BmC,OAAS,CACXC,QAAS,EACTC,mBApeyB,IAqezBzC,sBAAuBA,sBACvBC,qBAAsBA,qBACtBC,iBAAkBA,iBAClBhC,wBAAyBA,wBACzBb,cAAegD,gBAAgBhD,cAC/BtM,aAAcsP,gBAAgBtP,aAC9BE,aAAcoP,gBAAgBpP,aAC9B+M,eAAgBmC,oBAEb,IAAI1rM,QAAQ6rM,cACXA,cAAcnoM,eAAe1D,QAC/B8tM,OAAO9tM,MAAQ6rM,cAAc7rM,WAa7BiuM,aAVAC,OAASJ,OASTK,mBAAqB9U,QAAQC,iBAE7B8U,4BAA8B,CAAC,KAAO,MAAO,KAAO,KAAO,MAAO,KAAO,KAAO,MAAO,KAAO,KAAO,MAAO,IAAM,OAUtHH,aAAe,SAAUI,2BACnB1iK,OACF2iK,SAAW,EACbL,aAAa7pM,UAAUysL,KAAK5rL,KAAKpF,WAC5B0uM,UAAY,SAAUzmL,MAAOC,UAC3BhQ,QAAQ,MAAO,CAClB1W,MAAO,OACPqoB,qCAA+B5B,qBAAYC,yBAAgBumL,sCAG1DxsM,KAAO,SAAUq7L,YAElBqR,YACAC,oBACAC,UACAC,YACAC,kBALE/tM,EAAI,KAMHwtM,wBACHC,SAAW,GAEO,UAAhBnR,OAAOn9L,UAgBPikF,SAVAt4C,QAAUA,OAAO7qC,QACnB4tM,UAAY/iK,QACZA,OAAS,IAAI5S,WAAW21K,UAAU/lH,WAAaw0G,OAAOvoL,KAAK+zE,aACpD/iF,IAAI8oM,WACX/iK,OAAO/lC,IAAIu3L,OAAOvoL,KAAM85L,UAAU/lH,aAElCh9C,OAASwxJ,OAAOvoL,KAOX/T,EAAI,EAAI8qC,OAAO7qC,WAEF,MAAd6qC,OAAO9qC,IAA0C,MAAV,IAAhB8qC,OAAO9qC,EAAI,QASlB,iBAATojF,YACJsqH,UAAUtqH,KAAMpjF,GACrBojF,KAAO,MAITwqH,oBAAgD,GAAR,GAAhB9iK,OAAO9qC,EAAI,IAInC2tM,aAA+B,EAAhB7iK,OAAO9qC,EAAI,KAAc,GAAK8qC,OAAO9qC,EAAI,IAAM,GAAqB,IAAhB8qC,OAAO9qC,EAAI,KAAc,EAE5F+tM,mBADAD,YAA6C,MAAL,GAAR,EAAhBhjK,OAAO9qC,EAAI,MACOstM,mBAAqBC,6BAA6C,GAAhBziK,OAAO9qC,EAAI,MAAe,GAG1G8qC,OAAOg9C,WAAa9nF,EAAI2tM,uBAIvBz2L,QAAQ,OAAQ,CACnB4/K,IAAKwF,OAAOxF,IAAM2W,SAAWM,kBAC7BhX,IAAKuF,OAAOvF,IAAM0W,SAAWM,kBAC7BD,YAAaA,YACbla,gBAAgD,GAA9B9oJ,OAAO9qC,EAAI,KAAO,EAAI,GACxC8zL,cAA+B,EAAhBhpJ,OAAO9qC,EAAI,KAAW,GAAqB,IAAhB8qC,OAAO9qC,EAAI,MAAe,EACpE+zL,WAAYwZ,6BAA6C,GAAhBziK,OAAO9qC,EAAI,MAAe,GACnE6zL,wBAAyC,GAAhB/oJ,OAAO9qC,EAAI,MAAe,EAEnDi1L,WAAY,GAEZlhL,KAAM+2B,OAAOymI,SAASvxK,EAAI,EAAI4tM,oBAAqB5tM,EAAI2tM,eAEzDF,WACAztM,GAAK2tM,gBAzCiB,iBAATvqH,OACTA,KAAOpjF,GAITA,IAsCgB,iBAATojF,YACJsqH,UAAUtqH,KAAMpjF,GACrBojF,KAAO,MAGTt4C,OAASA,OAAOymI,SAASvxK,UAEtB88B,MAAQ,WACX2wK,SAAW,OACNv2L,QAAQ,cAEVid,MAAQ,WACX2W,YAAS,OACJ5zB,QAAQ,eAEVi5K,YAAc,WACjBrlJ,YAAS,OACJ5zB,QAAQ,oBAGJ3T,UAAY,IAtHVyoC,WA+HXgiK,YARA5B,KAAOgB,aAcXY,YAAc,SAAUC,iBAGpBC,sBAAwBD,YAAYnmH,WAEpCqmH,YAAc,EAGdC,qBAAuB,OAGpBnuM,OAAS,kBACL,EAAIiuM,4BAGRG,cAAgB,kBACZ,EAAIH,sBAAwBE,2BAGhCE,SAAW,eACVl/L,SAAW6+L,YAAYnmH,WAAaomH,sBACtCK,aAAe,IAAIr2K,WAAW,GAC9Bs2K,eAAiBz+L,KAAKE,IAAI,EAAGi+L,0BACR,IAAnBM,qBACI,IAAI1rM,MAAM,sBAElByrM,aAAaxpM,IAAIkpM,YAAY18B,SAASniK,SAAUA,SAAWo/L,iBAC3DL,YAAc,IAAIh9B,SAASo9B,aAAazjK,QAAQumI,UAAU,GAE1D+8B,qBAAwC,EAAjBI,eACvBN,uBAAyBM,qBAGtBC,SAAW,SAAUtmK,WACpBumK,UAEAN,qBAAuBjmK,OACzBgmK,cAAgBhmK,MAChBimK,sBAAwBjmK,QAExBA,OAASimK,qBAETjmK,OAAqB,GADrBumK,UAAY3+L,KAAK4X,MAAMwgB,MAAQ,IAE/B+lK,uBAAyBQ,eACpBJ,WACLH,cAAgBhmK,MAChBimK,sBAAwBjmK,aAIvBwmK,SAAW,SAAUr1L,UACpBs1L,KAAO7+L,KAAKE,IAAIm+L,qBAAsB90L,MAExCu1L,KAAOV,cAAgB,GAAKS,YAG9BR,sBAAwBQ,MACG,EACzBT,cAAgBS,KACPV,sBAAwB,QAC5BI,YAEPM,KAAOt1L,KAAOs1L,MACH,EACFC,MAAQD,KAAO5vM,KAAK2vM,SAASC,MAE/BC,WAGJC,iBAAmB,eAClBC,qBAECA,iBAAmB,EAAGA,iBAAmBX,uBAAwBW,oBACZ,IAAnDZ,YAAc,aAAeY,yBAEhCZ,cAAgBY,iBAChBX,sBAAwBW,iBACjBA,6BAINT,WACES,iBAAmB/vM,KAAK8vM,yBAG5BE,sBAAwB,gBACtBP,SAAS,EAAIzvM,KAAK8vM,0BAGpBG,cAAgB,gBACdR,SAAS,EAAIzvM,KAAK8vM,0BAGpBI,sBAAwB,eACvBC,IAAMnwM,KAAK8vM,0BAER9vM,KAAK2vM,SAASQ,IAAM,GAAK,QAG7BC,cAAgB,eACfP,KAAO7vM,KAAKkwM,+BAEZ,EAAOL,KAEF,EAAIA,OAAS,GAEd,GAAKA,OAAS,SAInBQ,YAAc,kBACW,IAArBrwM,KAAK2vM,SAAS,SAGlBW,iBAAmB,kBACftwM,KAAK2vM,SAAS,SAElBL,gBAYHiB,aAAcC,cACdC,gCAHAC,SAAW1jK,OACX2jK,UATY3B,aAgBhBwB,cAAgB,eAEZxvM,EACA8qC,OAFE8kK,UAAY,EAGhBJ,cAAcjsM,UAAUysL,KAAK5rL,KAAKpF,WAS7BiC,KAAO,SAAU8S,UAChB87L,WACC/kK,SAGH+kK,WAAa,IAAI33K,WAAW4S,OAAOg9C,WAAa/zE,KAAKA,KAAK+zE,aAC/C/iF,IAAI+lC,QACf+kK,WAAW9qM,IAAIgP,KAAKA,KAAM+2B,OAAOg9C,YACjCh9C,OAAS+kK,YALT/kK,OAAS/2B,KAAKA,aAOZ4f,IAAMmX,OAAOg9C,WAUV8nH,UAAYj8K,IAAM,EAAGi8K,eACI,IAA1B9kK,OAAO8kK,UAAY,GAAU,CAE/B5vM,EAAI4vM,UAAY,aAIb5vM,EAAI2zB,YAGDmX,OAAO9qC,SACR,KAEmB,IAAlB8qC,OAAO9qC,EAAI,GAAU,CACvBA,GAAK,QAEA,GAAsB,IAAlB8qC,OAAO9qC,EAAI,GAAU,CAC9BA,UAIE4vM,UAAY,IAAM5vM,EAAI,QACnBkX,QAAQ,OAAQ4zB,OAAOymI,SAASq+B,UAAY,EAAG5vM,EAAI,OAIxDA,UACqB,IAAd8qC,OAAO9qC,IAAYA,EAAI2zB,KAChCi8K,UAAY5vM,EAAI,EAChBA,GAAK,aAEF,KAEmB,IAAlB8qC,OAAO9qC,EAAI,IAA8B,IAAlB8qC,OAAO9qC,EAAI,GAAU,CAC9CA,GAAK,aAIFkX,QAAQ,OAAQ4zB,OAAOymI,SAASq+B,UAAY,EAAG5vM,EAAI,IACxD4vM,UAAY5vM,EAAI,EAChBA,GAAK,gBAKLA,GAAK,EAKX8qC,OAASA,OAAOymI,SAASq+B,WACzB5vM,GAAK4vM,UACLA,UAAY,QAETz7K,MAAQ,WACX2W,OAAS,KACT8kK,UAAY,OACP14L,QAAQ,eAEV4lB,MAAQ,WAEPgO,QAAUA,OAAOg9C,WAAa,QAC3B5wE,QAAQ,OAAQ4zB,OAAOymI,SAASq+B,UAAY,IAGnD9kK,OAAS,KACT8kK,UAAY,OACP14L,QAAQ,cAEVi5K,YAAc,gBACZrzJ,aACA5lB,QAAQ,oBAGH3T,UAAY,IAAImsM,SAI9BD,gCAAkC,MAC3B,OACA,OACA,OACA,MACD,MACA,MACA,OACC,OACA,OAGA,OACA,OACA,GAOPF,aAAe,eAEXzwM,KACA4tM,QACAoD,WACAC,WACAl7B,gCACAm7B,yBACAC,gBAPEC,cAAgB,IAAIV,cAQxBD,aAAahsM,UAAUysL,KAAK5rL,KAAKpF,MACjCF,KAAOE,UAaFiC,KAAO,SAAUq7L,QACA,UAAhBA,OAAOn9L,OAGXutM,QAAUpQ,OAAOoQ,QACjBoD,WAAaxT,OAAOxF,IACpBiZ,WAAazT,OAAOvF,IACpBmZ,cAAcjvM,KAAKq7L,UAWrB4T,cAAc55L,GAAG,QAAQ,SAAUvC,UAC7B7F,MAAQ,CACVw+L,QAASA,QACT5V,IAAKgZ,WACL/Y,IAAKgZ,WACLh8L,KAAMA,KACNo8L,gBAA2B,GAAVp8L,KAAK,WAEhB7F,MAAMiiM,sBACP,EACHjiM,MAAMqpL,YAAc,uDAEjB,EACHrpL,MAAMqpL,YAAc,WACpBrpL,MAAM2tL,YAAchnB,gCAAgC9gK,KAAKw9J,SAAS,eAE/D,EACHrjK,MAAMqpL,YAAc,yBACpBrpL,MAAM2tL,YAAchnB,gCAAgC9gK,KAAKw9J,SAAS,IAClErjK,MAAMiqD,OAAS63I,yBAAyB9hM,MAAM2tL,wBAE3C,EACH3tL,MAAMqpL,YAAc,oCAEjB,EACHrpL,MAAMqpL,YAAc,6BAIxBz4L,KAAKoY,QAAQ,OAAQhJ,UAEvBgiM,cAAc55L,GAAG,QAAQ,WACvBxX,KAAKoY,QAAQ,WAEfg5L,cAAc55L,GAAG,eAAe,WAC9BxX,KAAKoY,QAAQ,kBAEfg5L,cAAc55L,GAAG,SAAS,WACxBxX,KAAKoY,QAAQ,YAEfg5L,cAAc55L,GAAG,iBAAiB,WAChCxX,KAAKoY,QAAQ,yBAEV4lB,MAAQ,WACXozK,cAAcpzK,cAEXozJ,aAAe,WAClBggB,cAAchgB,qBAEX/7J,MAAQ,WACX+7K,cAAc/7K,cAEXg8J,YAAc,WACjB+f,cAAc/f,eAYhB8f,gBAAkB,SAAU9nK,MAAOioK,sBAG/BrzJ,EAFEszJ,UAAY,EACdC,UAAY,MAGTvzJ,EAAI,EAAGA,EAAI5U,MAAO4U,IACH,IAAduzJ,YAEFA,WAAaD,UADAD,iBAAiBhB,gBACQ,KAAO,KAE/CiB,UAA0B,IAAdC,UAAkBD,UAAYC,WAY9Cz7B,gCAAkC,SAAU9gK,cAIxCghK,UACAC,QAJE/0K,OAAS8T,KAAK+zE,WAChBkzG,kCAAoC,GACpCh7L,EAAI,EAICA,EAAIC,OAAS,GACF,IAAZ8T,KAAK/T,IAA4B,IAAhB+T,KAAK/T,EAAI,IAA4B,IAAhB+T,KAAK/T,EAAI,IACjDg7L,kCAAkC/5L,KAAKjB,EAAI,GAC3CA,GAAK,GAELA,OAK6C,IAA7Cg7L,kCAAkC/6L,cAC7B8T,KAGTghK,UAAY90K,OAAS+6L,kCAAkC/6L,OACvD+0K,QAAU,IAAI98I,WAAW68I,eACrBE,YAAc,MACbj1K,EAAI,EAAGA,EAAI+0K,UAAWE,cAAej1K,IACpCi1K,cAAgB+lB,kCAAkC,KAEpD/lB,cAEA+lB,kCAAkC3gL,SAEpC26J,QAAQh1K,GAAK+T,KAAKkhK,oBAEbD,SAYTg7B,yBAA2B,SAAUj8L,UAKjCq8L,iBACAzb,WACAE,SACAD,qBACA2b,gBACAC,gBACAC,+BACAC,oBACAC,0BACAC,iBACAC,iBAGA7wM,EAjBE8wM,oBAAsB,EACxBC,qBAAuB,EACvBC,mBAAqB,EACrBC,sBAAwB,EAYxBnc,SAAW,CAAC,EAAG,MAIjBH,YADAyb,iBAAmB,IAAIT,UAAU57L,OACHu7L,mBAE9B1a,qBAAuBwb,iBAAiBd,mBAExCza,SAAWub,iBAAiBd,mBAE5Bc,iBAAiBpB,wBAGbS,gCAAgC9a,cAEV,KADxB4b,gBAAkBH,iBAAiBlB,0BAEjCkB,iBAAiB3B,SAAS,GAE5B2B,iBAAiBpB,wBAEjBoB,iBAAiBpB,wBAEjBoB,iBAAiB3B,SAAS,GAEtB2B,iBAAiBf,mBAEnBwB,iBAAuC,IAApBN,gBAAwB,EAAI,GAC1CvwM,EAAI,EAAGA,EAAI6wM,iBAAkB7wM,IAC5BowM,iBAAiBf,eAGjBY,gBADEjwM,EAAI,EACU,GAEA,GAFIowM,qBAQ9BA,iBAAiBpB,wBAGO,KADxBwB,gBAAkBJ,iBAAiBlB,yBAEjCkB,iBAAiBlB,6BACZ,GAAwB,IAApBsB,oBACTJ,iBAAiB3B,SAAS,GAE1B2B,iBAAiBnB,gBAEjBmB,iBAAiBnB,gBAEjBwB,+BAAiCL,iBAAiBlB,wBAC7ClvM,EAAI,EAAGA,EAAIywM,+BAAgCzwM,IAC9CowM,iBAAiBnB,mBAGrBmB,iBAAiBpB,wBAEjBoB,iBAAiB3B,SAAS,GAE1BiC,oBAAsBN,iBAAiBlB,wBACvCyB,0BAA4BP,iBAAiBlB,wBAEpB,KADzB0B,iBAAmBR,iBAAiBzB,SAAS,KAE3CyB,iBAAiB3B,SAAS,GAE5B2B,iBAAiB3B,SAAS,GAEtB2B,iBAAiBf,gBAEnByB,oBAAsBV,iBAAiBlB,wBACvC6B,qBAAuBX,iBAAiBlB,wBACxC8B,mBAAqBZ,iBAAiBlB,wBACtC+B,sBAAwBb,iBAAiBlB,yBAEvCkB,iBAAiBf,eAEfe,iBAAiBf,cAAe,QAEjBe,iBAAiBd,yBAE3B,EACHxa,SAAW,CAAC,EAAG,cAEZ,EACHA,SAAW,CAAC,GAAI,eAEb,EACHA,SAAW,CAAC,GAAI,eAEb,EACHA,SAAW,CAAC,GAAI,eAEb,EACHA,SAAW,CAAC,GAAI,eAEb,EACHA,SAAW,CAAC,GAAI,eAEb,EACHA,SAAW,CAAC,GAAI,eAEb,EACHA,SAAW,CAAC,GAAI,eAEb,EACHA,SAAW,CAAC,GAAI,eAEb,GACHA,SAAW,CAAC,GAAI,eAEb,GACHA,SAAW,CAAC,GAAI,eAEb,GACHA,SAAW,CAAC,GAAI,eAEb,GACHA,SAAW,CAAC,IAAK,eAEd,GACHA,SAAW,CAAC,EAAG,cAEZ,GACHA,SAAW,CAAC,EAAG,cAEZ,GACHA,SAAW,CAAC,EAAG,cAEZ,IAEDA,SAAW,CAACsb,iBAAiBd,oBAAsB,EAAIc,iBAAiBd,mBAAoBc,iBAAiBd,oBAAsB,EAAIc,iBAAiBd,oBAI1Jxa,WACFA,SAAS,GAAKA,SAAS,UAItB,CACLH,WAAYA,WACZE,SAAUA,SACVD,qBAAsBA,qBACtBrnL,MAAmC,IAA3BmjM,oBAAsB,GAAgC,EAAtBI,oBAAiD,EAAvBC,qBAClE1jM,QAAS,EAAIujM,mBAAqBD,0BAA4B,GAAK,GAA0B,EAArBK,mBAAiD,EAAxBC,sBAEjGnc,SAAUA,YAIhBya,aAAahsM,UAAY,IAAImsM,aAqJzBwB,YApJA/E,KAAO,CACTgF,WAAY5B,aACZC,cAAeA,eAWb4B,0BAA4B,CAAC,KAAO,MAAO,KAAO,KAAO,MAAO,KAAO,KAAO,MAAO,KAAO,KAAO,MAAO,IAAM,MAChHC,gBAAkB,SAAUvb,OAAQ9sG,eAClCipF,WAAa6jB,OAAO9sG,UAAY,IAAM,GAAK8sG,OAAO9sG,UAAY,IAAM,GAAK8sG,OAAO9sG,UAAY,IAAM,EAAI8sG,OAAO9sG,UAAY,UAI7HipF,WAAaA,YAAc,EAAIA,WAAa,GAFjB,GADjB6jB,OAAO9sG,UAAY,KACK,EAIzBipF,WAAa,GAEfA,WAAa,IAElBD,aAAe,SAAUj+J,KAAMyoE,eAC7BzoE,KAAK9T,OAASu8E,OAAS,IAAMzoE,KAAKyoE,UAAY,IAAIr2C,WAAW,IAAMpyB,KAAKyoE,OAAS,KAAO,IAAIr2C,WAAW,IAAMpyB,KAAKyoE,OAAS,KAAO,IAAIr2C,WAAW,GAC5Iq2C,QAETA,QAAU60H,gBAAgBt9L,KAAMyoE,QACzBw1F,aAAaj+J,KAAMyoE,UAUxB2tH,qBAAuB,SAAUp2L,aAC5BA,KAAK,IAAM,GAAKA,KAAK,IAAM,GAAKA,KAAK,IAAM,EAAIA,KAAK,IAqFzDqyK,MAAQ,CACVkrB,gBA9FsB,SAAUv9L,UAC5ByoE,OAASw1F,aAAaj+J,KAAM,UACzBA,KAAK9T,QAAUu8E,OAAS,GAA+B,MAAV,IAAfzoE,KAAKyoE,UAA0D,MAAV,IAAnBzoE,KAAKyoE,OAAS,KAGvD,KAAV,GAAnBzoE,KAAKyoE,OAAS,KA0Ff60H,gBAAiBA,gBACjBE,cAvEkB,SAAUzb,OAAQ9sG,eAChCwoH,UAAoC,IAAxB1b,OAAO9sG,UAAY,KAAc,EAC/C5lD,OAAS0yJ,OAAO9sG,UAAY,IAAM,SACA,KAAxB8sG,OAAO9sG,UAAY,GACd5lD,OAASouK,UAoE1BC,UAlEgB,SAAU3b,OAAQ9sG,kBAC9B8sG,OAAO9sG,aAAe,IAAI7iD,WAAW,IAAM2vJ,OAAO9sG,UAAY,KAAO,IAAI7iD,WAAW,IAAM2vJ,OAAO9sG,UAAY,KAAO,IAAI7iD,WAAW,GAC9H,kBACsB,EAApB2vJ,OAAO9sG,YAAiE,MAAV,IAAxB8sG,OAAO9sG,UAAY,IAC3D,QAEF,MA6DP0oH,gBA3DoB,SAAUpV,gBAC1Bt8L,EAAI,EACDA,EAAI,EAAIs8L,OAAOr8L,QAAQ,IACV,MAAdq8L,OAAOt8L,IAA0C,MAAV,IAAhBs8L,OAAOt8L,EAAI,WAM/BoxM,2BAA2C,GAAhB9U,OAAOt8L,EAAI,MAAe,GAH1DA,WAKG,MAiDP2xM,kBA/CsB,SAAUrV,YAC5B2N,WAAYD,UAAWpT,MAE3BqT,WAAa,GACG,GAAZ3N,OAAO,KAET2N,YAAc,EAEdA,YAAcE,qBAAqB7N,OAAO/qB,SAAS,GAAI,QAItD,KAEDy4B,UAAYG,qBAAqB7N,OAAO/qB,SAAS04B,WAAa,EAAGA,WAAa,KAC9D,SACP,QAGW,SADNjyK,OAAOC,aAAaqkK,OAAO2N,YAAa3N,OAAO2N,WAAa,GAAI3N,OAAO2N,WAAa,GAAI3N,OAAO2N,WAAa,IAC9F,CAC1BrT,MAAQ0F,OAAO/qB,SAAS04B,WAAa,GAAIA,WAAaD,UAAY,QAC7D,IAAIhqM,EAAI,EAAGA,EAAI42L,MAAM9uG,WAAY9nF,OACnB,IAAb42L,MAAM52L,GAAU,KACd4pM,MApDLzgH,SAXW,SAAUvB,MAAO3gE,MAAOC,SACtClnB,EACFuE,OAAS,OACNvE,EAAIinB,MAAOjnB,EAAIknB,IAAKlnB,IACvBuE,QAAU,KAAO,KAAOqjF,MAAM5nF,GAAGwD,SAAS,KAAK/D,OAAO,UAEjD8E,OAKSqtM,CAoDkBhb,MAAO,EAAG52L,OACtB,iDAAV4pM,MAA0D,KACxD9/B,EAAI8sB,MAAMrlB,SAASvxK,EAAI,GACvBsZ,MAAe,EAAPwwJ,EAAE,KAAc,GAAKA,EAAE,IAAM,GAAKA,EAAE,IAAM,GAAKA,EAAE,IAAM,EAAIA,EAAE,KAAO,SAChFxwJ,MAAQ,EACRA,MAAe,EAAPwwJ,EAAE,UAOlBmgC,YAAc,GAEdA,YAAcD,gBACPC,WAAa3N,OAAOx0G,mBACtB,OAsBL+pH,SAAWzrB,OAOf8qB,YAAc,eACRhG,WAAa,IAAIhzK,WACnBuyK,UAAY,EACdyG,YAAY3tM,UAAUysL,KAAK5rL,KAAKpF,WAC3B8yM,aAAe,SAAUh7B,WAC5B2zB,UAAY3zB,gBAET71K,KAAO,SAAU2mF,WAGlBmqH,UACAtsH,MACA62G,OACA0V,WALEhI,UAAY,EACdhhH,UAAY,MAOVkiH,WAAWjrM,QACb+xM,WAAa9G,WAAWjrM,QACxBirM,WAAa,IAAIhzK,WAAW0vD,MAAME,WAAakqH,aACpCjtM,IAAImmM,WAAW35B,SAAS,EAAGygC,aACtC9G,WAAWnmM,IAAI6iF,MAAOoqH,aAEtB9G,WAAatjH,MAERsjH,WAAWjrM,OAAS+oF,WAAa,MAClCkiH,WAAWliH,aAAe,IAAI7iD,WAAW,IAAM+kK,WAAWliH,UAAY,KAAO,IAAI7iD,WAAW,IAAM+kK,WAAWliH,UAAY,KAAO,IAAI7iD,WAAW,GAqB5I,GAAuC,MAAV,IAAxB+kK,WAAWliH,aAAsE,MAAV,IAA5BkiH,WAAWliH,UAAY,IAsB9EA,gBAtBO,IAGDkiH,WAAWjrM,OAAS+oF,UAAY,WAMhCA,WAHJghH,UAAY6H,SAASN,cAAcrG,WAAYliH,YAGnBkiH,WAAWjrM,aAGvCq8L,OAAS,CACPn9L,KAAM,QACN4U,KAAMm3L,WAAW35B,SAASvoF,UAAWA,UAAYghH,WACjDlT,IAAK2T,UACL1T,IAAK0T,gBAEFvzL,QAAQ,OAAQolL,QACrBtzG,WAAaghH,kBArCTkB,WAAWjrM,OAAS+oF,UAAY,YAQhCA,WAJJghH,UAAY6H,SAASR,gBAAgBnG,WAAYliH,YAIrBkiH,WAAWjrM,aAGvCwlF,MAAQ,CACNtmF,KAAM,iBACN4U,KAAMm3L,WAAW35B,SAASvoF,UAAWA,UAAYghH,iBAE9C9yL,QAAQ,OAAQuuE,OACrBuD,WAAaghH,UA0BjB+H,UAAY7G,WAAWjrM,OAAS+oF,UAE9BkiH,WADE6G,UAAY,EACD7G,WAAW35B,SAASvoF,WAEpB,IAAI9wD,iBAGhB/D,MAAQ,WACX+2K,WAAa,IAAIhzK,gBACZhhB,QAAQ,eAEVi5K,YAAc,WACjB+a,WAAa,IAAIhzK,gBACZhhB,QAAQ,oBAGL3T,UAAY,IA9FTyoC,WA8HXimK,mBAAoBC,mBAAoBC,WAAYC,eAfpD32H,OAASzvC,OACToL,IAAMo/I,aACN6b,WAAapb,aACbqb,gBAAkBzZ,kBAClB0Z,gBAAkBvY,kBAClBwY,KAAOnF,OACPoF,MAAQja,QACRka,WAAatG,KACb+E,WAAahF,KAAKgF,WAClBwB,UAzBMzB,YA0BNI,gBAAkBlrB,MAAMkrB,gBACxBsB,mBAAqBpa,QAAQC,iBAC7Boa,iBA3BqB,CAAC,kBAAmB,eAAgB,aAAc,yBAA0B,cA4BjGC,iBA1BqB,CAAC,QAAS,SAAU,aAAc,WAAY,uBAAwB,YA6B3FC,mBAAqB,SAAUjvM,IAAKoK,OACtCA,MAAM89B,OAASloC,SACVoT,QAAQ,MAAOhJ,QAElB8kM,yBAA2B,SAAUC,WAAYC,kBAC/CzvM,KAAOH,OAAOG,KAAKyvM,UACdlzM,EAAI,EAAGA,EAAIyD,KAAKxD,OAAQD,IAAK,KAChC8D,IAAML,KAAKzD,GAGH,mBAAR8D,KAA6BovM,SAASpvM,KAAKwS,IAG/C48L,SAASpvM,KAAKwS,GAAG,MAAOy8L,mBAAmB/6L,KAAKi7L,WAAYnvM,QAO5DqvM,YAAc,SAAUzvK,EAAG77B,OACzB7H,KACA0jC,EAAEzjC,SAAW4H,EAAE5H,cACV,MAGJD,EAAI,EAAGA,EAAI0jC,EAAEzjC,OAAQD,OACpB0jC,EAAE1jC,KAAO6H,EAAE7H,UACN,SAGJ,GAELozM,0BAA4B,SAAU5d,oBAAqB6d,SAAUrU,SAAUsU,OAAQrQ,OAAQsQ,gCAQ1F,CACLtsL,MAAO,CACL8vK,IAAKvB,oBACLsB,IAAKtB,qBAVcwJ,SAAWqU,WAYhCnsL,IAAK,CACH6vK,IAAKvB,qBAZU8d,OAASD,UAaxBvc,IAAKtB,qBAZgByN,OAASjE,WAchCuU,yBAA0BA,yBAC1B/d,oBAAqBA,sBAazB0c,mBAAqB,SAAUtoL,MAAOzkB,aAElC6uL,eADEyF,WAAa,GAEfC,mBAAqB,EACrBX,mBAAqB,EACrBC,yBAA2BjxK,EAAAA,EAE7BisK,gBADA7uL,QAAUA,SAAW,IACIquM,qBAAuB,EAChDtB,mBAAmB3uM,UAAUysL,KAAK5rL,KAAKpF,WAClCiC,KAAO,SAAU8S,MACpBw+L,gBAAgBjY,eAAe1wK,MAAO7V,MAClC6V,OACFipL,iBAAiBhvM,SAAQ,SAAUiN,MACjC8Y,MAAM9Y,MAAQiD,KAAKjD,SAIvB2oL,WAAWx4L,KAAK8S,YAEb0/L,eAAiB,SAAUC,aAC9Bha,mBAAqBga,kBAElBC,4BAA8B,SAAUne,qBAC3CwD,yBAA2BxD,0BAExBoe,oBAAsB,SAAU98B,WACnCiiB,mBAAqBjiB,gBAElBh6I,MAAQ,eACPoxJ,OAAQpY,KAAMgd,KAAMjpJ,MAAOqvJ,cAAep3B,gBAAiB+xC,kCAErC,IAAtBpa,WAAWx5L,QAIfiuL,OAASokB,gBAAgB9Y,4BAA4BC,WAAY7vK,MAAO8vK,oBACxE9vK,MAAM4rK,oBAAsB+c,gBAAgBnY,kCAAkCxwK,MAAOzkB,QAAQozL,wBAE7Fsb,kCAAoCvB,gBAAgBxZ,kBAAkBlvK,MAAOskK,OAAQ6K,mBAAoBC,0BAGzGpvK,MAAMsqK,QAAUoe,gBAAgB1a,oBAAoB1J,QAEpD4E,KAAO17I,IAAI07I,KAAKwf,gBAAgBzY,qBAAqB3L,SACrDuL,WAAa,GACb3jB,KAAO1+H,IAAI0+H,KAAKke,eAAgB,CAACpqK,QACjCigB,MAAQ,IAAI3R,WAAW49I,KAAKhuF,WAAagrG,KAAKhrG,YAE9CksG,iBACAnqJ,MAAM9kC,IAAI+wK,MACVjsI,MAAM9kC,IAAI+tL,KAAMhd,KAAKhuF,YACrByqH,gBAAgBtY,aAAarwK,OAC7BsvK,cAAgBnpL,KAAK44B,KAA0B,KAArBiqK,mBAA4BhpL,MAAMmqK,YAKxD7F,OAAOjuL,SACT6hK,gBAAkBosB,OAAOjuL,OAASi5L,mBAC7BhiL,QAAQ,oBAAqBk8L,0BAIlCX,MAAMpc,iBAAiBzsK,MAAM4rK,oBAAqB5rK,MAAMmqK,YAExD7F,OAAO,GAAG6I,IAAK7I,OAAO,GAAG4I,IAAK5I,OAAO,GAAG6I,IAAMj1B,gBAAiBosB,OAAO,GAAG4I,IAAMh1B,gBAAiB+xC,mCAAqC,SAChI38L,QAAQ,aAAc,CACzB+P,MAAOinK,OAAO,GAAG4I,IACjB5vK,IAAKgnK,OAAO,GAAG4I,IAAMh1B,wBAGpB5qJ,QAAQ,OAAQ,CACnB0S,MAAOA,MACPigB,MAAOA,aAEJ3yB,QAAQ,OAAQ,4BA3CdA,QAAQ,OAAQ,4BA6CpBid,MAAQ,WACXo+K,gBAAgBtY,aAAarwK,OAC7B6vK,WAAa,QACRviL,QAAQ,WAGjBg7L,mBAAmB3uM,UAAY,IAAIk4E,OAanCw2H,mBAAqB,SAAUroL,MAAOzkB,aAChC6uL,eAGF77H,OACAq8H,IAHA2C,SAAW,GACX2c,gBAAkB,GAIpB9f,gBADA7uL,QAAUA,SAAW,IACIquM,qBAAuB,EAChDvB,mBAAmB1uM,UAAUysL,KAAK5rL,KAAKpF,aAChC4qB,MAAMmqL,YACRC,UAAY,QAUZ/yM,KAAO,SAAUgzM,SACpB1B,gBAAgBjY,eAAe1wK,MAAOqqL,SAEV,2BAAxBA,QAAQ1c,aAA6Cp/H,SACvDA,OAAS87I,QAAQ97I,OACjBvuC,MAAM2qK,IAAM,CAAC0f,QAAQlgM,MACrB++L,iBAAiBjvM,SAAQ,SAAUiN,MACjC8Y,MAAM9Y,MAAQqnD,OAAOrnD,QACpB9R,OAEuB,2BAAxBi1M,QAAQ1c,aAA6C/C,MACvDA,IAAMyf,QAAQlgM,KACd6V,MAAM4qK,IAAM,CAACyf,QAAQlgM,OAGvBojL,SAASl2L,KAAKgzM,eAOXn3K,MAAQ,mBACPoxJ,OACFgmB,aACAxc,KACA5hB,KACAgd,KACAjpJ,MAEAsqK,SACAC,QAFAb,yBAA2B,EAKtBpc,SAASl3L,QACkB,+BAA5Bk3L,SAAS,GAAGI,aAGhBJ,SAAS98K,WAGa,IAApB88K,SAASl3L,mBACNo0M,yBACAn9L,QAAQ,OAAQ,yBAMvBg3K,OAASmkB,WAAWnb,oBAAoBC,WACxCO,KAAO2a,WAAW7a,oBAAoBtJ,SAmB5B,GAAG,GAAG8I,YAEdkd,aAAel1M,KAAKs1M,iBAAiBnd,SAAS,GAAIvtK,SAIhD2pL,yBAA2BW,aAAaxrL,SACxCgvK,KAAK32L,QAAQmzM,cAGbxc,KAAK5vG,YAAcosH,aAAapsH,WAChC4vG,KAAKJ,UAAY4c,aAAa5c,SAC9BI,KAAKZ,IAAMod,aAAapd,IACxBY,KAAKX,IAAMmd,aAAand,IACxBW,KAAKhvK,UAAYwrL,aAAaxrL,UAG9BgvK,KAAO2a,WAAW1a,oBAAoBD,OAItCoc,gBAAgB7zM,OAAQ,KACtBs0M,iBAEFA,YADEpvM,QAAQqvM,eACIx1M,KAAKy1M,gBAAgB/c,MAErB14L,KAAK01M,kBAAkBhd,mBAIhCsc,UAAUjzM,QAAQ,CACrB4zM,IAAKjd,KAAK5lK,MACV0iK,IAAK5qK,MAAM4qK,IACXD,IAAK3qK,MAAM2qK,WAGRyf,UAAU/zM,OAAS8P,KAAKE,IAAI,EAAGjR,KAAKg1M,UAAU/zM,QAEnDk3L,SAAW,QAENkd,yBACAn9L,QAAQ,OAAQ,sBAKvBq7L,gBAAgBtY,aAAarwK,OAC7B8tK,KAAO6c,YAEThC,gBAAgBjY,eAAe1wK,MAAO8tK,MAGtC9tK,MAAMsqK,QAAUme,WAAWza,oBAAoBF,MAE/C5E,KAAO17I,IAAI07I,KAAKuf,WAAWva,mBAAmBJ,OAC9C9tK,MAAM4rK,oBAAsB+c,gBAAgBnY,kCAAkCxwK,MAAOzkB,QAAQozL,6BACxFrhL,QAAQ,oBAAqBwgL,KAAKjpL,KAAI,SAAUkmM,WAC5C,CACL7d,IAAK6d,IAAI7d,IACTC,IAAK4d,IAAI5d,IACTjvG,WAAY6sH,IAAI7sH,gBAGpBqsH,SAAWzc,KAAK,GAChB0c,QAAU1c,KAAKA,KAAKz3L,OAAS,QACxBiX,QAAQ,oBAAqBk8L,0BAA0BxpL,MAAM4rK,oBAAqB2e,SAASpd,IAAKod,SAASrd,IAAKsd,QAAQrd,IAAMqd,QAAQ1rL,SAAU0rL,QAAQtd,IAAMsd,QAAQ1rL,SAAU6qL,gCAC9Kr8L,QAAQ,aAAc,CACzB+P,MAAOywK,KAAK,GAAGZ,IACf5vK,IAAKwwK,KAAKA,KAAKz3L,OAAS,GAAG62L,IAAMY,KAAKA,KAAKz3L,OAAS,GAAGyoB,gBAGpDsrL,UAAUjzM,QAAQ,CACrB4zM,IAAKjd,KAAK5lK,MACV0iK,IAAK5qK,MAAM4qK,IACXD,IAAK3qK,MAAM2qK,WAGRyf,UAAU/zM,OAAS8P,KAAKE,IAAI,EAAGjR,KAAKg1M,UAAU/zM,QAEnDk3L,SAAW,QACNjgL,QAAQ,sBAAuB0S,MAAM4rK,0BACrCt+K,QAAQ,oBAAqB0S,MAAMywK,mBACxCvkB,KAAO1+H,IAAI0+H,KAAKke,eAAgB,CAACpqK,QAGjCigB,MAAQ,IAAI3R,WAAW49I,KAAKhuF,WAAagrG,KAAKhrG,YAE9CksG,iBACAnqJ,MAAM9kC,IAAI+wK,MACVjsI,MAAM9kC,IAAI+tL,KAAMhd,KAAKhuF,iBAChB5wE,QAAQ,OAAQ,CACnB0S,MAAOA,MACPigB,MAAOA,aAEJwqK,oBAEAn9L,QAAQ,OAAQ,4BAElBid,MAAQ,gBACNkgL,eACLld,SAAW,QACN6c,UAAU/zM,OAAS,EACxB6zM,gBAAgB7zM,OAAS,OACpBiX,QAAQ,eAEVm9L,aAAe,WAClB9B,gBAAgBtY,aAAarwK,OAG7BuuC,YAASl2D,EACTuyL,SAAMvyL,QAIHqyM,iBAAmB,SAAUL,aAM9BW,YACAC,cACApd,WACAqd,cACA90M,EALA+0M,gBAAkBhtL,EAAAA,MAOf/nB,EAAI,EAAGA,EAAIhB,KAAKg1M,UAAU/zM,OAAQD,IAErCy3L,YADAqd,cAAgB91M,KAAKg1M,UAAUh0M,IACJ20M,IAErB/qL,MAAM4qK,KAAO2e,YAAYvpL,MAAM4qK,IAAI,GAAIsgB,cAActgB,IAAI,KAAU5qK,MAAM2qK,KAAO4e,YAAYvpL,MAAM2qK,IAAI,GAAIugB,cAAcvgB,IAAI,MAI9HkD,WAAWV,IAAMntK,MAAMywK,kBAAkBtD,MAI7C6d,YAAcX,QAAQld,IAAMU,WAAWV,IAAMU,WAAW/uK,YArBrC,KAwBqBksL,aA1BzB,QA6BRC,eAAiBE,gBAAkBH,eACtCC,cAAgBC,cAChBC,gBAAkBH,qBAIpBC,cACKA,cAAcF,IAEhB,WAIJD,kBAAoB,SAAUhd,UAC7Bsd,WAAYC,SAAU9xK,MAAOwxK,IAAK7sH,WAAYwvG,SAAU5uK,SAAU6rL,gBACtEzsH,WAAa4vG,KAAK5vG,WAClBwvG,SAAWI,KAAKJ,SAChB5uK,SAAWgvK,KAAKhvK,SAChBssL,WAAaC,SAAW,EACjBD,WAAalB,gBAAgB7zM,QAAUg1M,SAAWvd,KAAKz3L,SAC5DkjC,MAAQ2wK,gBAAgBkB,YACxBL,IAAMjd,KAAKud,UACP9xK,MAAM2zJ,MAAQ6d,IAAI7d,MAGlB6d,IAAI7d,IAAM3zJ,MAAM2zJ,IAGlBke,cAKFC,WACAntH,YAAc6sH,IAAI7sH,WAClBwvG,UAAYqd,IAAIrd,SAChB5uK,UAAYisL,IAAIjsL,iBAED,IAAbusL,SAEKvd,KAELud,WAAavd,KAAKz3L,OAEb,OAETs0M,YAAc7c,KAAKj4L,MAAMw1M,WACbntH,WAAaA,WACzBysH,YAAY7rL,SAAWA,SACvB6rL,YAAYjd,SAAWA,SACvBid,YAAYzd,IAAMyd,YAAY,GAAGzd,IACjCyd,YAAYxd,IAAMwd,YAAY,GAAGxd,IAC1Bwd,mBAIJE,gBAAkB,SAAU/c,UAC3Bsd,WAAYC,SAAU9xK,MAAOwxK,IAAKO,cAAeC,WA2BjDC,cA1BJJ,WAAalB,gBAAgB7zM,OAAS,EACtCg1M,SAAWvd,KAAKz3L,OAAS,EACzBi1M,cAAgB,KAChBC,YAAa,EACNH,YAAc,GAAKC,UAAY,GAAG,IACvC9xK,MAAQ2wK,gBAAgBkB,YACxBL,IAAMjd,KAAKud,UACP9xK,MAAM2zJ,MAAQ6d,IAAI7d,IAAK,CACzBqe,YAAa,QAGXhyK,MAAM2zJ,IAAM6d,IAAI7d,IAClBke,cAGEA,aAAelB,gBAAgB7zM,OAAS,IAI1Ci1M,cAAgBD,UAElBA,gBAEGE,YAAgC,OAAlBD,qBACV,QAQS,KAJhBE,UADED,WACUF,SAEAC,sBAGLxd,SAEL6c,YAAc7c,KAAKj4L,MAAM21M,WACzBjsL,SAAWorL,YAAYxwM,QAAO,SAAUwkF,MAAOosH,YACjDpsH,MAAMT,YAAc6sH,IAAI7sH,WACxBS,MAAM7/D,UAAYisL,IAAIjsL,SACtB6/D,MAAM+uG,UAAYqd,IAAIrd,SACf/uG,QACN,CACDT,WAAY,EACZp/D,SAAU,EACV4uK,SAAU,WAEZid,YAAYzsH,WAAa3+D,SAAS2+D,WAClCysH,YAAY7rL,SAAWS,SAAST,SAChC6rL,YAAYjd,SAAWnuK,SAASmuK,SAChCid,YAAYzd,IAAMyd,YAAY,GAAGzd,IACjCyd,YAAYxd,IAAMwd,YAAY,GAAGxd,IAC1Bwd,kBAEJc,cAAgB,SAAUC,oBAC7BxB,gBAAkBwB,qBAGtBrD,mBAAmB1uM,UAAY,IAAIk4E,OAUnC22H,eAAiB,SAAUjtM,QAAS0lM,qBAI7B0K,eAAiB,OACjB1K,eAAiBA,oBAEO,KAD7B1lM,QAAUA,SAAW,IACFqwM,WACZC,cAAgBtwM,QAAQqwM,WAExBC,aAAc,EAEyB,kBAAnCtwM,QAAQozL,4BACZA,uBAAyBpzL,QAAQozL,4BAEjCA,wBAAyB,OAE3Bmd,cAAgB,QAChBC,WAAa,UACbC,aAAe,QACfC,gBAAkB,QAClBC,gBAAkB,QAClBC,aAAe,OACfC,cAAgB,EACrB5D,eAAe7uM,UAAUysL,KAAK5rL,KAAKpF,WAE9BiC,KAAO,SAAUg1M,eAGhBA,OAAOrsM,SAAWqsM,OAAO3rM,KACpBtL,KAAK62M,gBAAgB50M,KAAKg1M,QAG/BA,OAAO/nB,OACFlvL,KAAK82M,gBAAgB70M,KAAKg1M,cAK9BP,cAAcz0M,KAAKg1M,OAAOrsL,YAC1BmsL,cAAgBE,OAAOpsK,MAAMi+C,WAOR,UAAtBmuH,OAAOrsL,MAAMzqB,YACVw2M,WAAaM,OAAOrsL,WACpBgsL,aAAa30M,KAAKg1M,OAAOpsK,aAEN,UAAtBosK,OAAOrsL,MAAMzqB,YACV+2M,WAAaD,OAAOrsL,WACpBgsL,aAAa70M,QAAQk1M,OAAOpsK,YAIvCuoK,eAAe7uM,UAAY,IAAIk4E,OAC/B22H,eAAe7uM,UAAUu5B,MAAQ,SAAUmzJ,iBAQvCkmB,QACA9L,IACApnC,YAEAjjK,EAXEw8E,OAAS,EACXtuE,MAAQ,CACNqiB,SAAU,GACV6lL,eAAgB,GAChBjtL,SAAU,GACV/nB,KAAM,IAKRk3L,iBAAmB,KAEjBt5L,KAAK02M,cAAcz1M,OAASjB,KAAKu2M,eAAgB,IAC/B,uBAAhBtlB,aAAwD,uBAAhBA,mBAKrC,GAAIjxL,KAAKy2M,mBAIT,GAAkC,IAA9Bz2M,KAAK02M,cAAcz1M,mBAOvB+1M,qBACDh3M,KAAKg3M,eAAiBh3M,KAAKu2M,sBACxBr+L,QAAQ,aACR8+L,cAAgB,OAKvBh3M,KAAK22M,YACPrd,iBAAmBt5L,KAAK22M,WAAWtb,kBAAkBvD,IACrDgc,iBAAiBjvM,SAAQ,SAAUiN,MACjC5C,MAAM9M,KAAK0P,MAAQ9R,KAAK22M,WAAW7kM,QAClC9R,OACMA,KAAKk3M,aACd5d,iBAAmBt5L,KAAKk3M,WAAW7b,kBAAkBvD,IACrD+b,iBAAiBhvM,SAAQ,SAAUiN,MACjC5C,MAAM9M,KAAK0P,MAAQ9R,KAAKk3M,WAAWplM,QAClC9R,OAEDA,KAAK22M,YAAc32M,KAAKk3M,WAAY,KACJ,IAA9Bl3M,KAAK02M,cAAcz1M,OACrBiO,MAAM/O,KAAOH,KAAK02M,cAAc,GAAGv2M,KAEnC+O,MAAM/O,KAAO,gBAEV62M,eAAiBh3M,KAAK02M,cAAcz1M,OACzCgjK,YAAc7rH,IAAI6rH,YAAYjkK,KAAK02M,eAEnCxnM,MAAM+0J,YAAc,IAAI/qI,WAAW+qI,YAAYn7E,YAG/C55E,MAAM+0J,YAAYl+J,IAAIk+J,aAEtB/0J,MAAM6F,KAAO,IAAImkB,WAAWl5B,KAAK+2M,cAE5B/1M,EAAI,EAAGA,EAAIhB,KAAK42M,aAAa31M,OAAQD,IACxCkO,MAAM6F,KAAKhP,IAAI/F,KAAK42M,aAAa51M,GAAIw8E,QACrCA,QAAUx9E,KAAK42M,aAAa51M,GAAG8nF,eAI5B9nF,EAAI,EAAGA,EAAIhB,KAAK62M,gBAAgB51M,OAAQD,KAC3Cm2M,QAAUn3M,KAAK62M,gBAAgB71M,IACvB+pB,UAAY0oL,MAAMlc,oBAAoB4f,QAAQnX,SAAU1G,iBAAkBt5L,KAAKu5L,wBACvF4d,QAAQnsL,QAAUyoL,MAAMlc,oBAAoB4f,QAAQlT,OAAQ3K,iBAAkBt5L,KAAKu5L,wBACnFrqL,MAAMkoM,eAAeD,QAAQnqK,SAAU,EACvC99B,MAAMqiB,SAAStvB,KAAKk1M,aAIjBn2M,EAAI,EAAGA,EAAIhB,KAAK82M,gBAAgB71M,OAAQD,KAC3CqqM,IAAMrrM,KAAK82M,gBAAgB91M,IACvBiuL,QAAUwkB,MAAMlc,oBAAoB8T,IAAIvT,IAAKwB,iBAAkBt5L,KAAKu5L,wBACxErqL,MAAMib,SAASloB,KAAKopM,SAItBn8L,MAAMib,SAASohL,aAAevrM,KAAK6rM,eAAeN,kBAE7CmL,cAAcz1M,OAAS,OACvB01M,WAAa,UACbC,aAAa31M,OAAS,OACtB41M,gBAAgB51M,OAAS,OACzB81M,aAAe,OACfD,gBAAgB71M,OAAS,OAIzBiX,QAAQ,OAAQhJ,OAKhBlO,EAAI,EAAGA,EAAIkO,MAAMqiB,SAAStwB,OAAQD,IACrCm2M,QAAUjoM,MAAMqiB,SAASvwB,QACpBkX,QAAQ,UAAWi/L,aAMrBn2M,EAAI,EAAGA,EAAIkO,MAAMib,SAASlpB,OAAQD,IACrCqqM,IAAMn8L,MAAMib,SAASnpB,QAChBkX,QAAQ,WAAYmzL,KAIzBrrM,KAAKg3M,eAAiBh3M,KAAKu2M,sBACxBr+L,QAAQ,aACR8+L,cAAgB,IAGzB5D,eAAe7uM,UAAU8yM,SAAW,SAAUpsM,UACvCwrM,YAAcxrM,MASrBkoM,WAAa,SAAUhtM,aAGnBwwM,WACAO,WAHEp3M,KAAOE,KACTs3M,YAAa,EAGfnE,WAAW5uM,UAAUysL,KAAK5rL,KAAKpF,MAC/BmG,QAAUA,SAAW,QAChBqwL,oBAAsBrwL,QAAQqwL,qBAAuB,OACrD+gB,kBAAoB,QACpBC,iBAAmB,eAClBtD,SAAW,QACVqD,kBAAoBrD,SACzBA,SAAS/zM,KAAO,MAChB+zM,SAASrI,eAAiB,IAAI2H,KAAK9J,eAEnCwK,SAASuD,UAAY,IAAI9D,UACzBO,SAASwD,6BAA+B,IAAIlE,KAAK5J,wBAAwB,SACzEsK,SAASyD,qCAAuC,IAAInE,KAAK5J,wBAAwB,kBACjFsK,SAAS0D,WAAa,IAAIlE,WAC1BQ,SAAS2D,eAAiB,IAAIzE,eAAejtM,QAAS+tM,SAASrI,gBAC/DqI,SAAS4D,eAAiB5D,SAASuD,UACnCvD,SAASuD,UAAU76H,KAAKs3H,SAASwD,8BAA8B96H,KAAKs3H,SAAS0D,YAC7E1D,SAASuD,UAAU76H,KAAKs3H,SAASyD,sCAAsC/6H,KAAKs3H,SAASrI,gBAAgBjvH,KAAKs3H,SAAS2D,gBACnH3D,SAASrI,eAAev0L,GAAG,aAAa,SAAUsgL,OAChDsc,SAASuD,UAAU3E,aAAalb,MAAM6T,cAExCyI,SAASuD,UAAUngM,GAAG,QAAQ,SAAUvC,MACpB,mBAAdA,KAAK5U,MAA2C,UAAd4U,KAAK5U,MAAoB+zM,SAAS6D,qBAGxEb,WAAaA,YAAc,CACzB7b,kBAAmB,CACjB7E,oBAAqB12L,KAAK02L,qBAE5BrvG,MAAO,OACPhnF,KAAM,SAGR+zM,SAAS2D,eAAetB,iBACxBrC,SAAS6D,mBAAqB,IAAI7E,mBAAmBgE,WAAY/wM,SACjE+tM,SAAS6D,mBAAmBzgM,GAAG,MAAOxX,KAAKk4M,eAAe,uBAC1D9D,SAAS6D,mBAAmBzgM,GAAG,aAAcxX,KAAKoY,QAAQc,KAAKlZ,KAAM,oBAErEo0M,SAAS0D,WAAWh7H,KAAKs3H,SAAS6D,oBAAoBn7H,KAAKs3H,SAAS2D,gBAEpE/3M,KAAKoY,QAAQ,YAAa,CACxB+/L,WAAYf,WACZgB,WAAYvB,iBAIhBzC,SAAS2D,eAAevgM,GAAG,OAAQtX,KAAKkY,QAAQc,KAAKhZ,KAAM,SAE3Dk0M,SAAS2D,eAAevgM,GAAG,OAAQtX,KAAKkY,QAAQc,KAAKhZ,KAAM,SAC3Dg0M,yBAAyBh0M,KAAMk0M,gBAE5BiE,gBAAkB,eACjBjE,SAAW,QACVqD,kBAAoBrD,SACzBA,SAAS/zM,KAAO,KAChB+zM,SAASrI,eAAiB,IAAI2H,KAAK9J,eAEnCwK,SAASkE,aAAe,IAAI5E,KAAK9H,sBACjCwI,SAAS7zH,YAAc,IAAImzH,KAAK7H,qBAChCuI,SAASmE,iBAAmB,IAAI7E,KAAK5H,iBACrCsI,SAASvK,wBAA0B,IAAI6J,KAAK5J,wBAC5CsK,SAAS0D,WAAa,IAAIlE,WAC1BQ,SAASoE,WAAa,IAAInG,WAC1B+B,SAASpL,cAAgB,IAAI0K,KAAKzK,cAAc5iM,SAChD+tM,SAAS2D,eAAiB,IAAIzE,eAAejtM,QAAS+tM,SAASrI,gBAC/DqI,SAAS4D,eAAiB5D,SAASkE,aAEnClE,SAASkE,aAAax7H,KAAKs3H,SAAS7zH,aAAazD,KAAKs3H,SAASmE,kBAAkBz7H,KAAKs3H,SAASvK,yBAG/FuK,SAASvK,wBAAwB/sH,KAAKs3H,SAASoE,YAC/CpE,SAASvK,wBAAwB/sH,KAAKs3H,SAAS0D,YAC/C1D,SAASvK,wBAAwB/sH,KAAKs3H,SAASrI,gBAAgBjvH,KAAKs3H,SAAS2D,gBAE7E3D,SAASoE,WAAW17H,KAAKs3H,SAASpL,eAAelsH,KAAKs3H,SAAS2D,gBAC/D3D,SAASmE,iBAAiB/gM,GAAG,QAAQ,SAAUvC,UACzC/T,KACc,aAAd+T,KAAK5U,KAAqB,KAC5Ba,EAAI+T,KAAKya,OAAOvuB,OAETD,KACA21M,YAAsC,UAAxB5hM,KAAKya,OAAOxuB,GAAGb,KAGtB+2M,YAAsC,UAAxBniM,KAAKya,OAAOxuB,GAAGb,QACvC+2M,WAAaniM,KAAKya,OAAOxuB,IACdq6L,kBAAkB7E,oBAAsB12L,KAAK02L,sBAJxDmgB,WAAa5hM,KAAKya,OAAOxuB,IACdq6L,kBAAkB7E,oBAAsB12L,KAAK02L,oBAOxDmgB,aAAezC,SAASqE,qBAC1BrE,SAAS2D,eAAetB,iBACxBrC,SAASqE,mBAAqB,IAAItF,mBAAmB0D,WAAYxwM,SACjE+tM,SAASqE,mBAAmBjhM,GAAG,MAAOxX,KAAKk4M,eAAe,uBAC1D9D,SAASqE,mBAAmBjhM,GAAG,qBAAqB,SAAU+jL,mBAKxD6b,aAAe/wM,QAAQozL,yBACzB2d,WAAW7b,kBAAoBA,kBAK/B6Y,SAAS6D,mBAAmBtD,eAAepZ,kBAAkBtD,IAAMj4L,KAAK02L,yBAG5E0d,SAASqE,mBAAmBjhM,GAAG,oBAAqBxX,KAAKoY,QAAQc,KAAKlZ,KAAM,YAC5Eo0M,SAASqE,mBAAmBjhM,GAAG,oBAAqBxX,KAAKoY,QAAQc,KAAKlZ,KAAM,2BAC5Eo0M,SAASqE,mBAAmBjhM,GAAG,uBAAuB,SAAUk/K,qBAC1D0gB,YACFhD,SAAS6D,mBAAmBpD,4BAA4Bne,wBAG5D0d,SAASqE,mBAAmBjhM,GAAG,aAAcxX,KAAKoY,QAAQc,KAAKlZ,KAAM,oBAErEo0M,SAASoE,WAAW17H,KAAKs3H,SAASqE,oBAAoB37H,KAAKs3H,SAAS2D,iBAElEX,aAAehD,SAAS6D,qBAE1B7D,SAAS2D,eAAetB,iBACxBrC,SAAS6D,mBAAqB,IAAI7E,mBAAmBgE,WAAY/wM,SACjE+tM,SAAS6D,mBAAmBzgM,GAAG,MAAOxX,KAAKk4M,eAAe,uBAC1D9D,SAAS6D,mBAAmBzgM,GAAG,aAAcxX,KAAKoY,QAAQc,KAAKlZ,KAAM,oBACrEo0M,SAAS6D,mBAAmBzgM,GAAG,oBAAqBxX,KAAKoY,QAAQc,KAAKlZ,KAAM,2BAE5Eo0M,SAAS0D,WAAWh7H,KAAKs3H,SAAS6D,oBAAoBn7H,KAAKs3H,SAAS2D,iBAGtE/3M,KAAKoY,QAAQ,YAAa,CACxB+/L,WAAYf,WACZgB,WAAYvB,iBAKlBzC,SAAS2D,eAAevgM,GAAG,OAAQtX,KAAKkY,QAAQc,KAAKhZ,KAAM,SAC3Dk0M,SAAS2D,eAAevgM,GAAG,YAAY,SAAUkhM,UAC/CA,SAASjN,aAAe2I,SAASrI,eAAeN,aAChDzrM,KAAKoY,QAAQ,WAAYsgM,aAE3BtE,SAAS2D,eAAevgM,GAAG,UAAWtX,KAAKkY,QAAQc,KAAKhZ,KAAM,YAE9Dk0M,SAAS2D,eAAevgM,GAAG,OAAQtX,KAAKkY,QAAQc,KAAKhZ,KAAM,SAC3Dg0M,yBAAyBh0M,KAAMk0M,gBAG5BuE,uBAAyB,SAAUjiB,yBAClC0d,SAAWl0M,KAAKu3M,kBACfpxM,QAAQozL,8BACN/C,oBAAsBA,qBAEzB0gB,aACFA,WAAW7b,kBAAkBtD,SAAM90L,EACnCi0M,WAAW7b,kBAAkBvD,SAAM70L,EACnCswM,gBAAgBtY,aAAaic,YACzBhD,SAASwD,8BACXxD,SAASwD,6BAA6B/zH,iBAGtCgzH,aACEzC,SAASqE,qBACXrE,SAASqE,mBAAmBvD,UAAY,IAE1C2B,WAAWtb,kBAAkBtD,SAAM90L,EACnC0zM,WAAWtb,kBAAkBvD,SAAM70L,EACnCswM,gBAAgBtY,aAAa0b,YAC7BzC,SAASpL,cAAc3zK,SAErB++K,SAASvK,yBACXuK,SAASvK,wBAAwBhmH,sBAGhCixH,oBAAsB,SAAU98B,WAC/Bo/B,iBACGK,kBAAkBQ,mBAAmBnD,oBAAoB98B,iBAG7Du/B,SAAW,SAAUpsM,SACpBipM,SAAWl0M,KAAKu3M,kBACpBpxM,QAAQqwM,MAAQvrM,IACZipM,UAAYA,SAAS2D,gBACvB3D,SAAS2D,eAAeR,SAASpsM,WAGhCorM,cAAgB,SAAUvB,iBACzB6B,YAAc32M,KAAKu3M,kBAAkBgB,yBAClChB,kBAAkBgB,mBAAmBlC,cAAcvB,uBAGvDkD,eAAiB,SAAUlzM,SAC1BhF,KAAOE,YACJ,SAAUkP,OACfA,MAAM89B,OAASloC,IACfhF,KAAKoY,QAAQ,MAAOhJ,cAInBjN,KAAO,SAAU8S,SAChBuiM,WAAY,KACVoB,MAAQpG,gBAAgBv9L,MACxB2jM,OAAyC,QAAhC14M,KAAKu3M,kBAAkBp3M,UAC7Bq3M,mBACKkB,OAAyC,OAAhC14M,KAAKu3M,kBAAkBp3M,WACrCg4M,kBAEPb,YAAa,OAEVC,kBAAkBO,eAAe71M,KAAK8S,YAGxC+oB,MAAQ,WACXw5K,YAAa,OAERC,kBAAkBO,eAAeh6K,cAEnCqzJ,YAAc,gBACZomB,kBAAkBO,eAAe3mB,oBAEnCh8J,MAAQ,WACPn1B,KAAKu3M,kBAAkBO,qBACpBP,kBAAkBO,eAAe3iL,cAIrCwjL,cAAgB,WACf34M,KAAKu3M,kBAAkBzO,oBACpByO,kBAAkBzO,cAAc3zK,WAIhC5wB,UAAY,IAAIk4E,WAuRvBm8H,WACFC,WAvRE5E,WAAa,CACfd,WAAYA,WACZF,mBAAoBA,mBACpBC,mBAAoBA,mBACpBW,iBAAkBA,iBAClBC,iBAAkBA,iBAElBM,0BAA2BA,2BAezB0E,eANe,SAAU5zM,cACpBA,QAAU,GAKf4zM,gBAHgB,SAAU5zM,cACpB,KAAOA,MAAMV,SAAS,KAAK/D,OAAO,IAcxCs4M,YARc,SAAUjtK,YACtBvmC,OAAS,UACbA,QAAUyzB,OAAOC,aAAa6S,OAAO,IACrCvmC,QAAUyzB,OAAOC,aAAa6S,OAAO,IACrCvmC,QAAUyzB,OAAOC,aAAa6S,OAAO,IACrCvmC,QAAUyzB,OAAOC,aAAa6S,OAAO,KAInCktK,aAAeF,eACfG,YAAcF,YACdG,UAAY,SAAUnkM,KAAM6d,UAE5B5xB,EACAsZ,KACAna,KACA+nB,IACAixL,WALE3lC,QAAU,OAMT5gJ,KAAK3xB,cAED,SAEJD,EAAI,EAAGA,EAAI+T,KAAK+zE,YACnBxuE,KAAO0+L,aAAajkM,KAAK/T,IAAM,GAAK+T,KAAK/T,EAAI,IAAM,GAAK+T,KAAK/T,EAAI,IAAM,EAAI+T,KAAK/T,EAAI,IACpFb,KAAO84M,YAAYlkM,KAAKw9J,SAASvxK,EAAI,EAAGA,EAAI,IAC5CknB,IAAM5N,KAAO,EAAItZ,EAAIsZ,KAAOvF,KAAK+zE,WAC7B3oF,OAASyyB,KAAK,KACI,IAAhBA,KAAK3xB,OAGPuyK,QAAQvxK,KAAK8S,KAAKw9J,SAASvxK,EAAI,EAAGknB,OAGlCixL,WAAaD,UAAUnkM,KAAKw9J,SAASvxK,EAAI,EAAGknB,KAAM0K,KAAKnyB,MAAM,KAC9CQ,SACbuyK,QAAUA,QAAQnzK,OAAO84M,cAI/Bn4M,EAAIknB,WAGCsrJ,SAEL4lC,UAAYF,UACZG,aAAeP,eACfQ,YAAc7lB,QAAQzhB,UAatBunC,YAZO,SAAUxkM,UACfxP,OAAS,CACXwD,QAASgM,KAAK,GACd06J,MAAO,IAAIv2I,WAAWnkB,KAAKw9J,SAAS,EAAG,YAElB,IAAnBhtK,OAAOwD,QACTxD,OAAOixL,oBAAsB8iB,YAAYvkM,KAAKw9J,SAAS,IAEvDhtK,OAAOixL,oBAAsB6iB,aAAatkM,KAAK,IAAM,GAAKA,KAAK,IAAM,GAAKA,KAAK,IAAM,EAAIA,KAAK,IAEzFxP,QAiDLi0M,YA9CO,SAAUzkM,UAcjB/T,EAbEopF,KAAO,IAAI+nF,SAASp9J,KAAK+2B,OAAQ/2B,KAAK8zE,WAAY9zE,KAAK+zE,YACzDvjF,OAAS,CACPwD,QAASgM,KAAK,GACd06J,MAAO,IAAIv2I,WAAWnkB,KAAKw9J,SAAS,EAAG,IACvCm7B,QAAStjH,KAAKioF,UAAU,IAE1BonC,sBAA0C,EAAlBl0M,OAAOkqK,MAAM,GACrCiqC,8BAAkD,EAAlBn0M,OAAOkqK,MAAM,GAC7CkqC,6BAAiD,EAAlBp0M,OAAOkqK,MAAM,GAC5CmqC,yBAA6C,GAAlBr0M,OAAOkqK,MAAM,GACxCoqC,0BAA8C,GAAlBt0M,OAAOkqK,MAAM,GACzCqqC,gBAAoC,MAAlBv0M,OAAOkqK,MAAM,GAC/BsqC,kBAAsC,OAAlBx0M,OAAOkqK,MAAM,UAEnCzuK,EAAI,EACAy4M,wBACFz4M,GAAK,EAGLuE,OAAOszL,eAAiBzuG,KAAKioF,UAAU,IACvCrxK,GAAK,GAEH04M,gCACFn0M,OAAOy0M,uBAAyB5vH,KAAKioF,UAAUrxK,GAC/CA,GAAK,GAEH24M,+BACFp0M,OAAO00M,sBAAwB7vH,KAAKioF,UAAUrxK,GAC9CA,GAAK,GAEH44M,2BACFr0M,OAAO20M,kBAAoB9vH,KAAKioF,UAAUrxK,GAC1CA,GAAK,GAEH64M,4BACFt0M,OAAO40M,mBAAqB/vH,KAAKioF,UAAUrxK,IAEzC84M,kBACFv0M,OAAOu0M,iBAAkB,IAEtBL,uBAAyBM,oBAC5Bx0M,OAAO60M,sBAAuB,GAEzB70M,QAGL80M,YAAc5mB,QAAQzhB,UAmDtBsoC,iBAZqB,SAAU7qC,aAC1B,CACLunB,WAAuB,GAAXvnB,MAAM,MAAe,EACjC0lB,UAAsB,EAAX1lB,MAAM,GACjB2lB,cAA0B,IAAX3lB,MAAM,MAAe,EACpC4lB,eAA2B,GAAX5lB,MAAM,MAAe,EACrCwnB,cAA0B,GAAXxnB,MAAM,MAAe,EACpCynB,gBAA4B,EAAXznB,MAAM,GACvB0nB,oBAAqB1nB,MAAM,IAAM,EAAIA,MAAM,KAqF3C8qC,YAhFO,SAAUxlM,UAsBjBgiL,OArBExxL,OAAS,CACTwD,QAASgM,KAAK,GACd06J,MAAO,IAAIv2I,WAAWnkB,KAAKw9J,SAAS,EAAG,IACvC2iB,QAAS,IAEX9qG,KAAO,IAAI+nF,SAASp9J,KAAK+2B,OAAQ/2B,KAAK8zE,WAAY9zE,KAAK+zE,YAEvD0xH,kBAAsC,EAAlBj1M,OAAOkqK,MAAM,GAEjCgrC,wBAA4C,EAAlBl1M,OAAOkqK,MAAM,GAEvCirC,sBAA0C,EAAlBn1M,OAAOkqK,MAAM,GAErCkrC,kBAAsC,EAAlBp1M,OAAOkqK,MAAM,GAEjCmrC,mBAAuC,EAAlBr1M,OAAOkqK,MAAM,GAElCorC,mCAAuD,EAAlBt1M,OAAOkqK,MAAM,GAElDq/B,YAAc1kH,KAAKioF,UAAU,GAC7B70F,OAAS,MAEPg9H,oBAEFj1M,OAAOsyL,WAAaztG,KAAK0wH,SAASt9H,QAClCA,QAAU,GAIRi9H,yBAA2B3L,cAC7B/X,OAAS,CACPtnB,MAAO6qC,iBAAiBvlM,KAAKw9J,SAAS/0F,OAAQA,OAAS,KAEzDA,QAAU,EACNk9H,wBACF3jB,OAAOrtK,SAAW0gE,KAAKioF,UAAU70F,QACjCA,QAAU,GAERm9H,oBACF5jB,OAAOz8K,KAAO8vE,KAAKioF,UAAU70F,QAC7BA,QAAU,GAERq9H,qCACqB,IAAnBt1M,OAAOwD,QACTguL,OAAOH,sBAAwBxsG,KAAK0wH,SAASt9H,QAE7Cu5G,OAAOH,sBAAwBxsG,KAAKioF,UAAU70F,QAEhDA,QAAU,GAEZj4E,OAAO2vL,QAAQjzL,KAAK80L,QACpB+X,eAEKA,eACL/X,OAAS,GACL2jB,wBACF3jB,OAAOrtK,SAAW0gE,KAAKioF,UAAU70F,QACjCA,QAAU,GAERm9H,oBACF5jB,OAAOz8K,KAAO8vE,KAAKioF,UAAU70F,QAC7BA,QAAU,GAERo9H,qBACF7jB,OAAOtnB,MAAQ6qC,iBAAiBvlM,KAAKw9J,SAAS/0F,OAAQA,OAAS,IAC/DA,QAAU,GAERq9H,qCACqB,IAAnBt1M,OAAOwD,QACTguL,OAAOH,sBAAwBxsG,KAAK0wH,SAASt9H,QAE7Cu5G,OAAOH,sBAAwBxsG,KAAKioF,UAAU70F,QAEhDA,QAAU,GAEZj4E,OAAO2vL,QAAQjzL,KAAK80L,eAEfxxL,QAcLw1M,YADgBtnB,QACYzhB,UAG9BgpC,aAAe,SAAUxyL,gBAChB,IAAIo2D,KAAe,IAAVp2D,QAAiB,aAEnCyyL,YAAclC,YAEdmC,SAAW,SAAUC,eAGjBn6M,EACAC,OAHEm6M,QAAU,IAAIjpC,SAASgpC,UAAUrvK,OAAQqvK,UAAUtyH,WAAYsyH,UAAUryH,YAC3EvjF,OAAS,OAGNvE,EAAI,EAAGA,EAAI,EAAIm6M,UAAUl6M,OAAQD,GAAKC,UACzCA,OAASm6M,QAAQ/oC,UAAUrxK,GAC3BA,GAAK,EAEDC,QAAU,EACZsE,OAAOtD,KAAK,8DAGS,GAAfk5M,UAAUn6M,SACX,EACHuE,OAAOtD,KAAK,oDAET,EACHsD,OAAOtD,KAAK,wDAET,EACHsD,OAAOtD,KAAK,uBAET,EACHsD,OAAOtD,KAAK,qCAET,EACHsD,OAAOtD,KAAK,qCAET,EACHsD,OAAOtD,KAAK,4CAGZsD,OAAOtD,KAAK,iBAAmBk5M,UAAUn6M,GAAK,WAI7CuE,QAGTm1B,MAAQ,CAINg5J,KAAM,SAAU3+K,UACVq1E,KAAO,IAAI+nF,SAASp9J,KAAK+2B,OAAQ/2B,KAAK8zE,WAAY9zE,KAAK+zE,kBACpD,CACLuyH,mBAAoBjxH,KAAKuoF,UAAU,GACnCpkK,MAAO67E,KAAKuoF,UAAU,IACtBtkK,OAAQ+7E,KAAKuoF,UAAU,IACvB2oC,gBAAiBlxH,KAAKuoF,UAAU,IAAMvoF,KAAKuoF,UAAU,IAAM,GAC3D4oC,eAAgBnxH,KAAKuoF,UAAU,IAAMvoF,KAAKuoF,UAAU,IAAM,GAC1D6oC,WAAYpxH,KAAKuoF,UAAU,IAC3B8oC,MAAOrxH,KAAKuoF,UAAU,IACtBx5G,OAAQy/I,WAAW7jM,KAAKw9J,SAAS,GAAIx9J,KAAK+zE,eAG9C6qG,KAAM,SAAU5+K,UAYZ2mM,0BACAC,QACAn+H,OACAx8E,EAdEopF,KAAO,IAAI+nF,SAASp9J,KAAK+2B,OAAQ/2B,KAAK8zE,WAAY9zE,KAAK+zE,YACzDvjF,OAAS,CACPq2M,qBAAsB7mM,KAAK,GAC3B8mM,qBAAsB9mM,KAAK,GAC3B6gL,qBAAsB7gL,KAAK,GAC3B+mM,mBAAoB/mM,KAAK,GACzBgnM,mBAA8B,EAAVhnM,KAAK,GACzBwgL,IAAK,GACLC,IAAK,IAEPwmB,2BAAuC,GAAVjnM,KAAK,OAMpCyoE,OAAS,EACJx8E,EAAI,EAAGA,EAAIg7M,2BAA4Bh7M,IAC1C26M,QAAUvxH,KAAKuoF,UAAUn1F,QACzBA,QAAU,EACVj4E,OAAOgwL,IAAItzL,KAAK,IAAIi3B,WAAWnkB,KAAKw9J,SAAS/0F,OAAQA,OAASm+H,WAC9Dn+H,QAAUm+H,YAGZD,0BAA4B3mM,KAAKyoE,QACjCA,SACKx8E,EAAI,EAAGA,EAAI06M,0BAA2B16M,IACzC26M,QAAUvxH,KAAKuoF,UAAUn1F,QACzBA,QAAU,EACVj4E,OAAOiwL,IAAIvzL,KAAK,IAAIi3B,WAAWnkB,KAAKw9J,SAAS/0F,OAAQA,OAASm+H,WAC9Dn+H,QAAUm+H,eAELp2M,QAETquL,KAAM,SAAU7+K,UACVq1E,KAAO,IAAI+nF,SAASp9J,KAAK+2B,OAAQ/2B,KAAK8zE,WAAY9zE,KAAK+zE,kBACpD,CACLmzH,aAAc7xH,KAAKioF,UAAU,GAC7B6pC,WAAY9xH,KAAKioF,UAAU,GAC3B8pC,WAAY/xH,KAAKioF,UAAU,KAG/B+pC,KAAM,SAAcrnM,YACX,CACL81B,MAAO+tK,WAAW7jM,QAGtBsnM,KAAM,SAActnM,UAQhB/T,EAPEopF,KAAO,IAAI+nF,SAASp9J,KAAK+2B,OAAQ/2B,KAAK8zE,WAAY9zE,KAAK+zE,YACzDvjF,OAAS,CACPwD,QAASqhF,KAAKkyH,SAAS,GACvB7sC,MAAO,IAAIv2I,WAAWnkB,KAAKw9J,SAAS,EAAG,IACvCgqC,MAAO,IAETC,WAAapyH,KAAKioF,UAAU,OAEzBrxK,EAAI,EAAGw7M,WAAYA,aACC,IAAnBj3M,OAAOwD,SACTxD,OAAOg3M,MAAMt6M,KAAK,CAChB6gK,gBAAiB14E,KAAKioF,UAAUrxK,GAChCy7M,UAAWryH,KAAK0wH,SAAS95M,EAAI,GAC7B07M,UAAWtyH,KAAKuoF,UAAU3xK,EAAI,GAAKopF,KAAKuoF,UAAU3xK,EAAI,YAExDA,GAAK,KAELuE,OAAOg3M,MAAMt6M,KAAK,CAChB6gK,gBAAiBi4C,YAAYhmM,KAAKw9J,SAASvxK,IAC3Cy7M,UAAW1B,YAAYhmM,KAAKw9J,SAASvxK,EAAI,IACzC07M,UAAWtyH,KAAKuoF,UAAU3xK,EAAI,IAAMopF,KAAKuoF,UAAU3xK,EAAI,YAEzDA,GAAK,WAGFuE,QAET8rL,KAAM,SAAUt8K,YACP,CACLhM,QAASgM,KAAK,GACd06J,MAAO,IAAIv2I,WAAWnkB,KAAKw9J,SAAS,EAAG,IACvCoqC,KAAM5nM,KAAK,IAAM,EAAIA,KAAK,GAC1B6nM,eAA0B,GAAV7nM,KAAK,GACrB8nM,cAAe,CACbC,wBAAyB/nM,KAAK,IAC9Bg4L,WAAYh4L,KAAK,MAAQ,EAAI,GAC7Bu2L,WAAYv2L,KAAK,KAAO,GAAKA,KAAK,KAAO,EAAIA,KAAK,IAClDmnM,WAAYnnM,KAAK,KAAO,GAAKA,KAAK,KAAO,GAAKA,KAAK,KAAO,EAAIA,KAAK,IACnEonM,WAAYpnM,KAAK,KAAO,GAAKA,KAAK,KAAO,GAAKA,KAAK,KAAO,EAAIA,KAAK,IACnEgoM,wBAAyB,CACvB1vM,IAAK0H,KAAK,IACV9T,OAAQ8T,KAAK,IACbioM,gBAAiBjoM,KAAK,MAAQ,EAAI,GAClCkoM,wBAAoC,EAAXloM,KAAK,MAAe,EAAIA,KAAK,MAAQ,EAAI,EAClEmoM,qBAAsBnoM,KAAK,MAAQ,EAAI,OAK/Cu8K,KAAM,SAAUv8K,cACVq1E,KAAO,IAAI+nF,SAASp9J,KAAK+2B,OAAQ/2B,KAAK8zE,WAAY9zE,KAAK+zE,YACzDvjF,OAAS,CACP43M,WAAYlC,YAAYlmM,KAAKw9J,SAAS,EAAG,IACzC6qC,aAAchzH,KAAKioF,UAAU,GAC7BgrC,iBAAkB,IAEpBr8M,EAAI,EACCA,EAAI+T,KAAK+zE,YACdvjF,OAAO83M,iBAAiBp7M,KAAKg5M,YAAYlmM,KAAKw9J,SAASvxK,EAAGA,EAAI,KAC9DA,GAAK,SAEAuE,QAET6rL,KAAM,SAAUr8K,YACP,CACL81B,MAAO+tK,WAAW7jM,QAGtB8+K,KAAM,SAAU9+K,YACP,CACLhM,QAASgM,KAAK,GACd06J,MAAO,IAAIv2I,WAAWnkB,KAAKw9J,SAAS,EAAG,IACvC+qC,eAAgB1E,WAAW7jM,KAAKw9J,SAAS,MAG7Cwf,KAAM,SAAUh9K,UAEZxP,OAAS,CACPwD,QAFO,IAAIopK,SAASp9J,KAAK+2B,OAAQ/2B,KAAK8zE,WAAY9zE,KAAK+zE,YAEzCwzH,SAAS,GACvB7sC,MAAO,IAAIv2I,WAAWnkB,KAAKw9J,SAAS,EAAG,IACvCgrC,YAAatC,YAAYlmM,KAAKw9J,SAAS,EAAG,KAC1ClxK,KAAM,IAERL,EAAI,MAEDA,EAAI,GAAIA,EAAI+T,KAAK+zE,WAAY9nF,IAAK,IACrB,IAAZ+T,KAAK/T,GAAa,CAEpBA,UAGFuE,OAAOlE,MAAQ23B,OAAOC,aAAalkB,KAAK/T,WAI1CuE,OAAOlE,KAAO4pC,mBAAmBuyK,OAAOj4M,OAAOlE,OACxCkE,QAETuuL,KAAM,SAAU/+K,YACP,CACL+zE,WAAY/zE,KAAK+zE,WACjB20H,KAAMvC,SAASnmM,QAGnB+8K,KAAM,SAAU/8K,UAGZyK,SAFE4qE,KAAO,IAAI+nF,SAASp9J,KAAK+2B,OAAQ/2B,KAAK8zE,WAAY9zE,KAAK+zE,YACzD9nF,EAAI,EAEJuE,OAAS,CACPwD,QAASqhF,KAAKkyH,SAAS,GACvB7sC,MAAO,IAAIv2I,WAAWnkB,KAAKw9J,SAAS,EAAG,IACvC/yJ,SAAU,WAES,IAAnBja,OAAOwD,SACT/H,GAAK,EACLuE,OAAOi+D,aAAew3I,aAAa5wH,KAAKioF,UAAUrxK,IAElDA,GAAK,EACLuE,OAAOm4M,iBAAmB1C,aAAa5wH,KAAKioF,UAAUrxK,IAEtDA,GAAK,EACLuE,OAAOo9J,UAAYv4E,KAAKioF,UAAUrxK,GAClCA,GAAK,EACLuE,OAAOmkB,SAAW0gE,KAAKioF,UAAUrxK,KAEjCuE,OAAOi+D,aAAew3I,aAAa5wH,KAAKioF,UAAUrxK,IAClDA,GAAK,EACLuE,OAAOm4M,iBAAmB1C,aAAa5wH,KAAKioF,UAAUrxK,IACtDA,GAAK,EACLuE,OAAOo9J,UAAYv4E,KAAKioF,UAAUrxK,GAClCA,GAAK,EACLuE,OAAOmkB,SAAW0gE,KAAKioF,UAAUrxK,IAEnCA,GAAK,EAGLwe,SAAW4qE,KAAKuoF,UAAU3xK,GAC1BuE,OAAOia,UAAYwZ,OAAOC,aAAgC,IAAlBzZ,UAAY,KACpDja,OAAOia,UAAYwZ,OAAOC,aAA0C,KAAhB,IAAXzZ,WAAsB,IAC/Dja,OAAOia,UAAYwZ,OAAOC,aAAiC,IAAR,GAAXzZ,WACjCja,QAETssL,KAAM,SAAU98K,YACP,CACL81B,MAAO+tK,WAAW7jM,QAGtBw8K,KAAM,SAAUx8K,YACP,CACLhM,QAASgM,KAAK,GACd06J,MAAO,IAAIv2I,WAAWnkB,KAAKw9J,SAAS,EAAG,IACvCyiB,eAAgBjgL,KAAK,IAAM,GAAKA,KAAK,IAAM,GAAKA,KAAK,IAAM,EAAIA,KAAK,KAGxEy8K,KAAM,SAAUz8K,YACP,CACL81B,MAAO+tK,WAAW7jM,QAMtBg/K,KAAM,SAAUh/K,UACVq1E,KAAO,IAAI+nF,SAASp9J,KAAK+2B,OAAQ/2B,KAAK8zE,WAAY9zE,KAAK+zE,YACzDvjF,OAAS,CAEP81M,mBAAoBjxH,KAAKuoF,UAAU,GAEnCmiB,aAAc1qG,KAAKuoF,UAAU,IAC7BsjB,WAAY7rG,KAAKuoF,UAAU,IAG3BoiB,WAAY3qG,KAAKuoF,UAAU,IAAMvoF,KAAKuoF,UAAU,IAAM,cAItD59J,KAAK+zE,WAAa,KACpBvjF,OAAOo4M,iBAAmB/E,WAAW7jM,KAAKw9J,SAAS,KAAK,IAEnDhtK,QAETuxK,KAAM,SAAU/hK,YACP,CACL81B,MAAO+tK,WAAW7jM,QAGtBgiK,KAAM,SAAUhiK,YACP,CACL81B,MAAO+tK,WAAW7jM,QAGtB08K,KAAM,SAAU18K,YACP,CACL81B,MAAO+tK,WAAW7jM,QAGtB28K,KAAM,SAAU38K,UACVq1E,KAAO,IAAI+nF,SAASp9J,KAAK+2B,OAAQ/2B,KAAK8zE,WAAY9zE,KAAK+zE,YACzD9nF,EAAI,EACJuE,OAAS,CACPwD,QAASqhF,KAAKkyH,SAAS,GACvB7sC,MAAO,IAAIv2I,WAAWnkB,KAAKw9J,SAAS,EAAG,YAEpB,IAAnBhtK,OAAOwD,SACT/H,GAAK,EACLuE,OAAOi+D,aAAew3I,aAAa5wH,KAAKioF,UAAUrxK,IAElDA,GAAK,EACLuE,OAAOm4M,iBAAmB1C,aAAa5wH,KAAKioF,UAAUrxK,IAEtDA,GAAK,EACLuE,OAAOo9J,UAAYv4E,KAAKioF,UAAUrxK,GAClCA,GAAK,EACLuE,OAAOmkB,SAAW0gE,KAAKioF,UAAUrxK,KAEjCuE,OAAOi+D,aAAew3I,aAAa5wH,KAAKioF,UAAUrxK,IAClDA,GAAK,EACLuE,OAAOm4M,iBAAmB1C,aAAa5wH,KAAKioF,UAAUrxK,IACtDA,GAAK,EACLuE,OAAOo9J,UAAYv4E,KAAKioF,UAAUrxK,GAClCA,GAAK,EACLuE,OAAOmkB,SAAW0gE,KAAKioF,UAAUrxK,IAEnCA,GAAK,EAELuE,OAAO6vD,KAAOg1B,KAAKuoF,UAAU3xK,GAAKopF,KAAKuoF,UAAU3xK,EAAI,GAAK,GAC1DA,GAAK,EACLuE,OAAO2xC,OAASkzC,KAAKkyH,SAASt7M,GAAKopF,KAAKkyH,SAASt7M,EAAI,GAAK,EAC1DA,GAAK,EACLA,GAAK,EACLA,GAAK,EACLuE,OAAOyK,OAAS,IAAI8uE,YAAY/pE,KAAKw9J,SAASvxK,EAAGA,EAAI,KACrDA,GAAK,GACLA,GAAK,GACLuE,OAAOq4M,YAAcxzH,KAAKioF,UAAUrxK,GAC7BuE,QAETs4M,KAAM,SAAU9oM,UACVq1E,KAAO,IAAI+nF,SAASp9J,KAAK+2B,OAAQ/2B,KAAK8zE,WAAY9zE,KAAK+zE,kBACpD,CACL//E,QAASqhF,KAAKkyH,SAAS,GACvB7sC,MAAO,IAAIv2I,WAAWnkB,KAAKw9J,SAAS,EAAG,IACvCn9G,KAAMg1B,KAAKioF,UAAU,GACrBv7I,aAAcszD,KAAKioF,UAAU,KAGjC2f,KAAM,SAAUj9K,UAMZ/T,EALEuE,OAAS,CACTwD,QAASgM,KAAK,GACd06J,MAAO,IAAIv2I,WAAWnkB,KAAKw9J,SAAS,EAAG,IACvC2iB,QAAS,QAGRl0L,EAAI,EAAGA,EAAI+T,KAAK+zE,WAAY9nF,IAC/BuE,OAAO2vL,QAAQjzL,KAAK,CAClBkzL,WAAsB,GAAVpgL,KAAK/T,KAAc,EAC/Bo0L,cAAyB,GAAVrgL,KAAK/T,KAAc,EAClCq0L,cAAyB,EAAVtgL,KAAK/T,YAGjBuE,QAET8+J,KAvgBY,SAAUtvJ,UACpBq1E,KAAO,IAAI+nF,SAASp9J,KAAK+2B,OAAQ/2B,KAAK8zE,WAAY9zE,KAAK+zE,YACzDvjF,OAAS,CACPwD,QAASgM,KAAK,GACd06J,MAAO,IAAIv2I,WAAWnkB,KAAKw9J,SAAS,EAAG,IACvC9N,WAAY,GACZ+N,YAAapoF,KAAKioF,UAAU,GAC5B1P,UAAWv4E,KAAKioF,UAAU,IAE5BrxK,EAAI,GACiB,IAAnBuE,OAAOwD,SACTxD,OAAOktK,yBAA2BroF,KAAKioF,UAAUrxK,GACjDuE,OAAOo/J,YAAcv6E,KAAKioF,UAAUrxK,EAAI,GACxCA,GAAK,IAGLuE,OAAOktK,yBAA2B4nC,YAAYtlM,KAAKw9J,SAASvxK,IAC5DuE,OAAOo/J,YAAc01C,YAAYtlM,KAAKw9J,SAASvxK,EAAI,IACnDA,GAAK,IAEPA,GAAK,MAED0xK,eAAiBtoF,KAAKuoF,UAAU3xK,OACpCA,GAAK,EAEE0xK,eAAiB,EAAG1xK,GAAK,GAAI0xK,iBAClCntK,OAAOk/J,WAAWxiK,KAAK,CACrByiK,eAA0B,IAAV3vJ,KAAK/T,MAAe,EACpC4jK,eAAoC,WAApBx6E,KAAKioF,UAAUrxK,GAC/B6jK,mBAAoBz6E,KAAKioF,UAAUrxK,EAAI,GACvC4xK,iBAAgC,IAAd79J,KAAK/T,EAAI,IAC3B6xK,SAAwB,IAAd99J,KAAK/T,EAAI,MAAe,EAClC8xK,aAAsC,UAAxB1oF,KAAKioF,UAAUrxK,EAAI,YAG9BuE,QAqeL0uL,KAAM,SAAUl/K,YACP,CACLhM,QAASgM,KAAK,GACd06J,MAAO,IAAIv2I,WAAWnkB,KAAKw9J,SAAS,EAAG,IACvCurC,QAAS/oM,KAAK,GAAKA,KAAK,GAAK,MAGjCk9K,KAAM,SAAUl9K,YACP,CACL81B,MAAO+tK,WAAW7jM,QAGtBgpM,KAAM,SAAUhpM,UAQZ/T,EAPEopF,KAAO,IAAI+nF,SAASp9J,KAAK+2B,OAAQ/2B,KAAK8zE,WAAY9zE,KAAK+zE,YACzDvjF,OAAS,CACPwD,QAASqhF,KAAKkyH,SAAS,GACvB7sC,MAAO,IAAIv2I,WAAWnkB,KAAKw9J,SAAS,EAAG,IACvCyrC,mBAAoB,IAEtBxB,WAAapyH,KAAKioF,UAAU,OAEzBrxK,EAAI,EAAGw7M,WAAYx7M,GAAK,EAAGw7M,aAC9Bj3M,OAAOy4M,mBAAmB/7M,KAAK,CAC7B6sM,YAAa1kH,KAAKioF,UAAUrxK,GAC5Bi9M,aAAc7zH,KAAwB,IAAnB7kF,OAAOwD,QAAgB,YAAc,YAAY/H,EAAI,YAGrEuE,QAET24M,KAAM,SAAUnpM,UAQZ/T,EAPEopF,KAAO,IAAI+nF,SAASp9J,KAAK+2B,OAAQ/2B,KAAK8zE,WAAY9zE,KAAK+zE,YACzDvjF,OAAS,CACPwD,QAASqhF,KAAKkyH,SAAS,GACvB7sC,MAAO,IAAIv2I,WAAWnkB,KAAKw9J,SAAS,EAAG,IACvC4rC,YAAa,IAEf3B,WAAapyH,KAAKioF,UAAU,OAEzBrxK,EAAI,EAAGw7M,WAAYx7M,GAAK,EAAGw7M,aAC9Bj3M,OAAO44M,YAAYl8M,KAAKmoF,KAAKioF,UAAUrxK,WAElCuE,QAET2uL,KAAM,SAAUn/K,UAQZ/T,EAPEopF,KAAO,IAAI+nF,SAASp9J,KAAK+2B,OAAQ/2B,KAAK8zE,WAAY9zE,KAAK+zE,YACzDvjF,OAAS,CACPwD,QAASgM,KAAK,GACd06J,MAAO,IAAIv2I,WAAWnkB,KAAKw9J,SAAS,EAAG,IACvC6rC,aAAc,IAEhB5B,WAAapyH,KAAKioF,UAAU,OAEzBrxK,EAAI,EAAGw7M,WAAYx7M,GAAK,EAAGw7M,aAC9Bj3M,OAAO64M,aAAan8M,KAAKmoF,KAAKioF,UAAUrxK,WAEnCuE,QAET4uL,KAAM,SAAUp/K,UAQZ/T,EAPEopF,KAAO,IAAI+nF,SAASp9J,KAAK+2B,OAAQ/2B,KAAK8zE,WAAY9zE,KAAK+zE,YACzD0zH,WAAapyH,KAAKioF,UAAU,GAC5B9sK,OAAS,CACPwD,QAASgM,KAAK,GACd06J,MAAO,IAAIv2I,WAAWnkB,KAAKw9J,SAAS,EAAG,IACvC8rC,eAAgB,QAGfr9M,EAAI,EAAGw7M,WAAYx7M,GAAK,GAAIw7M,aAC/Bj3M,OAAO84M,eAAep8M,KAAK,CACzBq8M,WAAYl0H,KAAKioF,UAAUrxK,GAC3Bu9M,gBAAiBn0H,KAAKioF,UAAUrxK,EAAI,GACpCg5M,uBAAwB5vH,KAAKioF,UAAUrxK,EAAI,YAGxCuE,QAET2sL,KAAM,SAAUn9K,YACP,CACLhM,QAASgM,KAAK,GACd06J,MAAO,IAAIv2I,WAAWnkB,KAAKw9J,SAAS,EAAG,IACvCisC,mBAAoB5F,WAAW7jM,KAAKw9J,SAAS,MAGjD6hB,KAAM,SAAUr/K,UAQZ/T,EAPEopF,KAAO,IAAI+nF,SAASp9J,KAAK+2B,OAAQ/2B,KAAK8zE,WAAY9zE,KAAK+zE,YACzDvjF,OAAS,CACPwD,QAASgM,KAAK,GACd06J,MAAO,IAAIv2I,WAAWnkB,KAAKw9J,SAAS,EAAG,IACvCksC,WAAYr0H,KAAKioF,UAAU,GAC3BqsC,QAAS,QAGR19M,EAAI,GAAIA,EAAI+T,KAAK+zE,WAAY9nF,GAAK,EACrCuE,OAAOm5M,QAAQz8M,KAAKmoF,KAAKioF,UAAUrxK,WAE9BuE,QAET8uL,KAAM,SAAUt/K,UAQZ/T,EAPEopF,KAAO,IAAI+nF,SAASp9J,KAAK+2B,OAAQ/2B,KAAK8zE,WAAY9zE,KAAK+zE,YACzDvjF,OAAS,CACPwD,QAASgM,KAAK,GACd06J,MAAO,IAAIv2I,WAAWnkB,KAAKw9J,SAAS,EAAG,IACvCosC,cAAe,IAEjBnC,WAAapyH,KAAKioF,UAAU,OAEzBrxK,EAAI,EAAGw7M,WAAYx7M,GAAK,EAAGw7M,aAC9Bj3M,OAAOo5M,cAAc18M,KAAK,CACxB6sM,YAAa1kH,KAAKioF,UAAUrxK,GAC5B49M,YAAax0H,KAAKioF,UAAUrxK,EAAI,YAG7BuE,QAET+uL,KAAM,SAAUv/K,aACP2lB,MAAM42J,KAAKv8K,OAEpBw/K,KAAMglB,YACN/kB,KAAMglB,YACN5nB,KAAM,SAAU78K,UACVq1E,KAAO,IAAI+nF,SAASp9J,KAAK+2B,OAAQ/2B,KAAK8zE,WAAY9zE,KAAK+zE,YACzD9nF,EAAI,EACJuE,OAAS,CACPwD,QAASqhF,KAAKkyH,SAAS,GACvB7sC,MAAO,IAAIv2I,WAAWnkB,KAAKw9J,SAAS,EAAG,YAEpB,IAAnBhtK,OAAOwD,SACT/H,GAAK,EACLuE,OAAOi+D,aAAew3I,aAAa5wH,KAAKioF,UAAUrxK,IAElDA,GAAK,EACLuE,OAAOm4M,iBAAmB1C,aAAa5wH,KAAKioF,UAAUrxK,IAEtDA,GAAK,EACLuE,OAAOmoM,QAAUtjH,KAAKioF,UAAUrxK,GAChCA,GAAK,EACLA,GAAK,EACLuE,OAAOmkB,SAAW0gE,KAAKioF,UAAUrxK,KAEjCuE,OAAOi+D,aAAew3I,aAAa5wH,KAAKioF,UAAUrxK,IAClDA,GAAK,EACLuE,OAAOm4M,iBAAmB1C,aAAa5wH,KAAKioF,UAAUrxK,IACtDA,GAAK,EACLuE,OAAOmoM,QAAUtjH,KAAKioF,UAAUrxK,GAChCA,GAAK,EACLA,GAAK,EACLuE,OAAOmkB,SAAW0gE,KAAKioF,UAAUrxK,IAEnCA,GAAK,EACLA,GAAK,EACLuE,OAAOs5M,MAAQz0H,KAAKuoF,UAAU3xK,GAC9BA,GAAK,EACLuE,OAAOu5M,eAAiB10H,KAAKuoF,UAAU3xK,GACvCA,GAAK,EAELuE,OAAO2xC,OAASkzC,KAAKkyH,SAASt7M,GAAKopF,KAAKkyH,SAASt7M,EAAI,GAAK,EAC1DA,GAAK,EACLA,GAAK,EACLuE,OAAOyK,OAAS,IAAI8uE,YAAY/pE,KAAKw9J,SAASvxK,EAAGA,EAAI,KACrDA,GAAK,GACLuE,OAAOgJ,MAAQ67E,KAAKuoF,UAAU3xK,GAAKopF,KAAKuoF,UAAU3xK,EAAI,GAAK,MAC3DA,GAAK,EACLuE,OAAO8I,OAAS+7E,KAAKuoF,UAAU3xK,GAAKopF,KAAKuoF,UAAU3xK,EAAI,GAAK,MACrDuE,QAET4sL,KAAM,SAAUp9K,YACP,CACL81B,MAAO+tK,WAAW7jM,QAGtB48K,KAAM,SAAU58K,YACP,CACL81B,MAAO+tK,WAAW7jM,QAGtBq9K,KAAM,SAAUr9K,UACVq1E,KAAO,IAAI+nF,SAASp9J,KAAK+2B,OAAQ/2B,KAAK8zE,WAAY9zE,KAAK+zE,kBACpD,CACL//E,QAASgM,KAAK,GACd06J,MAAO,IAAIv2I,WAAWnkB,KAAKw9J,SAAS,EAAG,IACvCm7B,QAAStjH,KAAKioF,UAAU,GACxB0sC,8BAA+B30H,KAAKioF,UAAU,GAC9C4nC,sBAAuB7vH,KAAKioF,UAAU,IACtC6nC,kBAAmB9vH,KAAKioF,UAAU,IAClC2sC,gBAA4B,EAAXjqM,KAAK,IACtBkqM,oBAAgC,IAAXlqM,KAAK,MAAe,EACzCmqM,qBAAiC,GAAXnqM,KAAK,MAAe,EAC1CoqM,oBAAgC,GAAXpqM,KAAK,MAAe,EACzCqqM,4BAAwC,EAAXrqM,KAAK,KAClCsqM,0BAA2Bj1H,KAAKuoF,UAAU,MAG9C8hB,KAAM8lB,mBACE,SAAUxlM,YACT,CACLhM,QAASgM,KAAK,GACd06J,MAAO,IAAIv2I,WAAWnkB,KAAKw9J,SAAS,EAAG,MAG3CmiB,KAAM,SAAU3/K,UACVq1E,KAAO,IAAI+nF,SAASp9J,KAAK+2B,OAAQ/2B,KAAK8zE,WAAY9zE,KAAK+zE,kBACpD,CACL//E,QAASgM,KAAK,GACd06J,MAAO,IAAIv2I,WAAWnkB,KAAKw9J,SAAS,EAAG,IACvC+sC,aAAcl1H,KAAKuoF,UAAU,GAC7B4sC,QAAS,IAAIt2H,YAAY,CAACmB,KAAKuoF,UAAU,GAAIvoF,KAAKuoF,UAAU,GAAIvoF,KAAKuoF,UAAU,SAWvFimC,WAAa,SAAU7jM,cAGnBq1E,KACA9vE,KACAna,KACA+nB,IACA3X,IANEvP,EAAI,EACNuE,OAAS,GAOPi6M,GAAK,IAAI/2H,YAAY1zE,KAAK9T,QAC1BuiC,EAAI,IAAItK,WAAWsmL,IACdC,EAAI,EAAGA,EAAI1qM,KAAK9T,SAAUw+M,EACjCj8K,EAAEi8K,GAAK1qM,KAAK0qM,OAEdr1H,KAAO,IAAI+nF,SAASqtC,IACbx+M,EAAI+T,KAAK+zE,YAEdxuE,KAAO8vE,KAAKioF,UAAUrxK,GACtBb,KAAO86M,YAAYlmM,KAAKw9J,SAASvxK,EAAI,EAAGA,EAAI,IAC5CknB,IAAM5N,KAAO,EAAItZ,EAAIsZ,KAAOvF,KAAK+zE,YAEjCv4E,KAAOmqB,MAAMv6B,OAAS,SAAU4U,YACvB,CACLA,KAAMA,QAEPA,KAAKw9J,SAASvxK,EAAI,EAAGknB,OACpB5N,KAAOA,KACX/J,IAAIpQ,KAAOA,KAEXoF,OAAOtD,KAAKsO,KACZvP,EAAIknB,WAEC3iB,QAaTszM,WAAa,SAAU6G,aAAcjE,WAC/B/V,cACJ+V,MAAQA,OAAS,EACjB/V,OAAS,IAAIpjM,MAAc,EAARm5M,MAAY,GAAGhpM,KAAK,KAEhCitM,aAAajwM,KAAI,SAAUc,IAAKhQ,cAE9BmlM,OAASn1L,IAAIpQ,KAAO,KAE3BmE,OAAOG,KAAK8L,KAAKxM,QAAO,SAAUe,WACjB,SAARA,KAA0B,UAARA,OACxB2K,KAAI,SAAU3K,SACXsqF,OAASs2G,OAAS,KAAO5gM,IAAM,KACjCI,MAAQqL,IAAIzL,QAEVI,iBAAiBg0B,YAAch0B,iBAAiB45E,YAAa,KAC3D8J,MAAQtmF,MAAMiC,UAAU9D,MAAM2E,KAAK,IAAI8zB,WAAWh0B,MAAM4mC,OAAQ5mC,MAAM2jF,WAAY3jF,MAAM4jF,aAAar5E,KAAI,SAAU+5E,YAC9G,KAAO,KAAOA,KAAKhlF,SAAS,KAAK/D,OAAO,MAC9CgS,KAAK,IAAIvJ,MAAM,mBACb0/E,MAGgB,IAAjBA,MAAM3nF,OACDmuF,OAAS,IAAMxG,MAAMn2E,KAAK,IAAIhS,MAAM,GAAK,IAE3C2uF,OAAS,MAAQxG,MAAMn5E,KAAI,SAAUu0B,aACnC0hK,OAAS,KAAO1hK,QACtBvxB,KAAK,MAAQ,KAAOizL,OAAS,MAPvBt2G,OAAS,YAUbA,OAAS30D,KAAKsB,UAAU72B,MAAO,KAAM,GAAGsH,MAAM,MAAMiD,KAAI,SAAUu0B,KAAMzjC,cAC/D,IAAVA,MACKyjC,KAEF0hK,OAAS,KAAO1hK,QACtBvxB,KAAK,SACPA,KAAK,OAERlC,IAAIs6B,MAAQ,KAAOguK,WAAWtoM,IAAIs6B,MAAO4wK,MAAQ,GAAK,OACrDhpM,KAAK,WAgKNkwJ,UAAW53I,UAAW40L,qBAAsBC,iBAAkBC,UAAWC,8BAA+BC,WA9JxGC,aAAe,CACjBC,QAASrH,WACTsH,QAASrH,WACTpG,UAAWwI,YACX7nC,QAnqBYgmC,UAoqBZ+G,UAAWzlL,MAAMy3J,KACjBiuB,UAAW1lL,MAAM65J,KACjB8rB,UAAW3lL,MAAMq3J,KACjBuuB,UAAW5lL,MAAM85J,KACjB+rB,UAAW7lL,MAAM+5J,KACjB+rB,UAAW9lL,MAAM2pI,MAwBfo8C,eAhBmB,SAAU1rM,cAC3BxU,MAAQ,EACRmgN,QAAU1nL,OAAOC,aAAalkB,KAAKxU,QACnCogN,UAAY,GACG,OAAZD,SACLC,WAAaD,QACbngN,QACAmgN,QAAU1nL,OAAOC,aAAalkB,KAAKxU,eAGrCogN,WAAaD,SAOXE,YAAcntB,QAAQzhB,UA+EtB6uC,eAAiB,SAAU93M,QAAS+3M,UAClCC,UAAmC,OAAvBD,KAAKE,cACjBC,aAA2B,IAAZl4M,SAAiBm4M,UAAUJ,KAAKK,0BAA4BJ,UAC3EK,aAA2B,IAAZr4M,SAAiBm4M,UAAUJ,KAAKO,oBAAsBN,kBAEhEh4M,QAAU,IAAMk4M,cAAgBG,cAGvCF,UAAY,SAAUnsM,kBACR9R,IAAT8R,MAA+B,OAATA,MAE3BusM,OAAS,CACXC,aA/EiB,SAAUC,aAIvBR,cAAe97M,MAAOy9J,UAAW0+C,kBAAmBF,wBAAyBM,eAAgBzjM,GAF7Fw/D,OAAS,EACTz0E,QAAUy4M,QAAQ,MAEN,IAAZz4M,QAEFy0E,SADAwjI,cAAgBP,eAAee,QAAQjvC,SAAS/0F,UACxBv8E,OAExBu8E,SADAt4E,MAAQu7M,eAAee,QAAQjvC,SAAS/0F,UACxBv8E,OAEhB0hK,WADIuP,GAAK,IAAIC,SAASqvC,QAAQ11K,SACfumI,UAAU70F,QACzBA,QAAU,EACV2jI,wBAA0BjvC,GAAGG,UAAU70F,QACvCA,QAAU,EACVikI,eAAiBvvC,GAAGG,UAAU70F,QAC9BA,QAAU,EACVx/D,GAAKk0J,GAAGG,UAAU70F,QAClBA,QAAU,OACL,GAAgB,IAAZz0E,QAAe,KACpBmpK,GACJvP,WADIuP,GAAK,IAAIC,SAASqvC,QAAQ11K,SACfumI,UAAU70F,QACzBA,QAAU,EACV6jI,kBAAoBT,YAAYY,QAAQjvC,SAAS/0F,SACjDA,QAAU,EACVikI,eAAiBvvC,GAAGG,UAAU70F,QAC9BA,QAAU,EACVx/D,GAAKk0J,GAAGG,UAAU70F,QAClBA,QAAU,EAEVA,SADAwjI,cAAgBP,eAAee,QAAQjvC,SAAS/0F,UACxBv8E,OAExBu8E,SADAt4E,MAAQu7M,eAAee,QAAQjvC,SAAS/0F,UACxBv8E,WAGdygN,QAAU,CACZV,cAAAA,cACA97M,MAAAA,MAEAy9J,UAAWA,WAAwB,EACnC0+C,kBAAAA,kBACAF,wBAAAA,wBACAM,eAAAA,eACAzjM,GAAAA,GACA2jM,aAVa,IAAIzoL,WAAWsoL,QAAQjvC,SAAS/0F,OAAQgkI,QAAQ14H,qBAYxD+3H,eAAe93M,QAAS24M,SAAWA,aAAUz+M,GAkCpD2+M,UAvBc,SAAU59C,iBAAkBrB,UAAWk/C,UAAWrkI,eACzDwmF,kBAAyC,IAArBA,iBAAyBA,iBAAmBrB,UAAYnlF,OAASqkI,UAAYl/C,YAkCtGrvI,SATkB,oBAAXpxB,OACHA,YAC6B,IAAnBkxB,eACVA,eACmB,oBAATtzB,KACVA,KAEA,GAYJgiN,WAAahJ,eACbiJ,YAAcjJ,gBACdkJ,UAAY5I,UACZ6I,YAAclJ,YACd+H,KAAOQ,OACPY,YAAc1I,YACd2I,YAAc5H,YACd6H,YAAc7I,YACdvnC,UAAYyhB,QAAQzhB,UAEpBqwC,SAAW/uL,SACXy3K,eAAiBD,SAASC,eAoB9BpoC,UAAY,SAAUquB,aAEVgxB,UAAUhxB,KAAM,CAAC,OAAQ,SAEtBjsL,QAAO,SAAUQ,OAAQosL,UAChCC,KAAM7oL,QAASxI,MAAOyd,GAAI8zK,YAC9BF,KAAOowB,UAAUrwB,KAAM,CAAC,SAAS,KAIjC5oL,QAAU6oL,KAAK,GAEf5zK,GAAK8jM,WAAWlwB,KADhBrxL,MAAoB,IAAZwI,QAAgB,GAAK,KACE,GAAK6oL,KAAKrxL,MAAQ,IAAM,GAAKqxL,KAAKrxL,MAAQ,IAAM,EAAIqxL,KAAKrxL,MAAQ,KAChGuxL,KAAOkwB,UAAUrwB,KAAM,CAAC,OAAQ,SAAS,KAKzCpxL,MAAoB,KADpBwI,QAAU+oL,KAAK,IACS,GAAK,GAC7BvsL,OAAOyY,IAAM8jM,WAAWhwB,KAAKvxL,QAAU,GAAKuxL,KAAKvxL,MAAQ,IAAM,GAAKuxL,KAAKvxL,MAAQ,IAAM,EAAIuxL,KAAKvxL,MAAQ,IACjGgF,QALE,MAPA,OAPE,KAuCfwlB,UAAY,SAAU43I,UAAW8qC,cAK3B6U,WAFIN,UAAUvU,SAAU,CAAC,OAAQ,SAEd1oM,QAAO,SAAUsb,IAAK8xK,UASvCowB,SARA/tB,KAAOwtB,UAAU7vB,KAAM,CAAC,SAAS,GAEjCn0K,GAAK8jM,WAAWttB,KAAK,IAAM,GAAKA,KAAK,IAAM,GAAKA,KAAK,IAAM,EAAIA,KAAK,IAEpEguB,MAAQ7/C,UAAU3kJ,KAAO,IAEzBu2K,KAAOytB,UAAU7vB,KAAM,CAAC,SAAS,GACjCjgB,GAAK,IAAIC,SAASoiB,KAAKzoJ,OAAQyoJ,KAAK1rG,WAAY0rG,KAAKzrG,gBASrDtgE,cACoB,iBANtB+5L,SADc,IAAZhuB,KAAK,GACIviB,UAAUuiB,KAAKhiB,SAAS,EAAG,KAE3BL,GAAGG,UAAU,IAKxB7pJ,QAAU+5L,SAAWF,SAASt5H,OAAOy5H,OACR,iBAAbD,UAA0Bj/L,MAAMi/L,YAChD/5L,QAAU+5L,SAAWC,OAEnBh6L,QAAU9Y,OAAO4yJ,mBACnB95I,QAAU9Y,OAAO8Y,UAEfA,QAAUnI,MACZA,IAAMmI,SAEDnI,MACN0I,EAAAA,SAC0B,iBAAfu5L,YAA2BtyI,SAASsyI,YAAcA,WAAa,GAsB/E3C,qBAAuB,SAAU8C,WAAYhV,cAIvCC,QAHAgV,UAAYV,UAAUvU,SAAU,CAAC,OAAQ,SACzCjX,oBAAsB,EACtBI,sBAAwB,KAExB8rB,WAAaA,UAAUzhN,OAAQ,KAI7BuzL,KAAOwtB,UAAUU,UAAU,GAAI,CAAC,SAAS,GACzCjuB,KAAOutB,UAAUU,UAAU,GAAI,CAAC,SAAS,GACzCnuB,KAAOytB,UAAUU,UAAU,GAAI,CAAC,SAAS,MACzCluB,KAEFkZ,QADiBwU,YAAY1tB,MACRkZ,WAEnBnZ,KAEFiC,oBADiB4rB,YAAY7tB,MACIiC,uBAE/B/B,KAAM,KACJkuB,WAAaR,YAAY1tB,MACzBkuB,WAAWztB,SAAWytB,WAAWztB,QAAQj0L,SAC3C21L,sBAAwB+rB,WAAWztB,QAAQ,GAAG0B,uBAAyB,QAMzEj0B,UAAY8/C,WAAW/U,UAAY,IAEJ,iBAAxBlX,sBACTI,sBAAwByrB,SAASt5H,OAAO6tG,uBACxCj0B,UAAY0/C,SAASt5H,OAAO45E,gBAE1Bp9J,QAAUixL,oBAAsBI,uBAAyBj0B,gBACvC,iBAAXp9J,QAAuBA,OAASmK,OAAO4yJ,mBAChD/8J,OAASmK,OAAOnK,SAEXA,QAcTq6M,iBAAmB,SAAU5uB,UACvB4xB,MAAQZ,UAAUhxB,KAAM,CAAC,OAAQ,SACjC6xB,cAAgB,UACpBD,MAAM/9M,SAAQ,SAAU8sL,UAClBmxB,MAAQd,UAAUrwB,KAAM,CAAC,OAAQ,SACjCoxB,MAAQf,UAAUrwB,KAAM,CAAC,SAC7BmxB,MAAMj+M,SAAQ,SAAUktL,KAAMxxL,WAGxB6pF,KAEAsjH,QAJA6P,YAAc0E,YAAYlwB,KAAKxf,SAAS,EAAG,KAC3Cqf,KAAOmxB,MAAMxiN,OAIG,SAAhBg9M,cAGF7P,QAAsB,KAFtBtjH,KAAO,IAAI+nF,SAASyf,KAAK9lJ,OAAQ8lJ,KAAK/oG,WAAY+oG,KAAK9oG,aACxCwzH,SAAS,GACElyH,KAAKioF,UAAU,IAAMjoF,KAAKioF,UAAU,IAC9DwwC,cAAc5gN,KAAKyrM,gBAIlBmV,eAET/C,8BAAgC,SAAUhuB,UAGpCvxL,MAAoB,IADVuxL,KAAK,GACS,GAAK,UAC1BgwB,WAAWhwB,KAAKvxL,QAAU,GAAKuxL,KAAKvxL,MAAQ,IAAM,GAAKuxL,KAAKvxL,MAAQ,IAAM,EAAIuxL,KAAKvxL,MAAQ,KAOpGs/M,UAAY,SAAU7uB,UAChB4xB,MAAQZ,UAAUhxB,KAAM,CAAC,OAAQ,SACjCxhK,OAAS,UACbozL,MAAM/9M,SAAQ,SAAU8sL,UAGlBvnG,KAAM44H,YAFNp4L,MAAQ,GACRgnK,KAAOowB,UAAUrwB,KAAM,CAAC,SAAS,GAGjCC,OAEFoxB,aADA54H,KAAO,IAAI+nF,SAASyf,KAAK9lJ,OAAQ8lJ,KAAK/oG,WAAY+oG,KAAK9oG,aACpCwzH,SAAS,GAC5B1xL,MAAM5M,GAAqB,IAAhBglM,YAAoB54H,KAAKioF,UAAU,IAAMjoF,KAAKioF,UAAU,SAEjE0f,KAAOiwB,UAAUrwB,KAAM,CAAC,OAAQ,SAAS,MAEzCI,KAAM,KACJ5xL,KAAO8hN,YAAYlwB,KAAKxf,SAAS,EAAG,KAEtC3nJ,MAAMzqB,KADK,SAATA,KACW,QACK,SAATA,KACI,QAEAA,SAIb+xL,KAAO8vB,UAAUrwB,KAAM,CAAC,OAAQ,OAAQ,OAAQ,SAAS,MACzDO,KAAM,KACJssB,mBAAqBtsB,KAAK3f,SAAS,GAEvC3nJ,MAAMu8D,MAAQ86H,YAAYzD,mBAAmBjsC,SAAS,EAAG,QAErD0wC,YADAC,SAAWlB,UAAUxD,mBAAoB,CAAC5zL,MAAMu8D,QAAQ,GAExD+7H,WAEE,kBAAkB7gN,KAAKuoB,MAAMu8D,QAG/B87H,YAAcC,SAAS3wC,SAAS,IAER,SADN0vC,YAAYgB,YAAY1wC,SAAS,EAAG,KACpB0wC,YAAYhiN,OAAS,IACrD2pB,MAAMu8D,OAAS,IAGfv8D,MAAMu8D,OAAS46H,YAAYkB,YAAY,IAEvCr4L,MAAMu8D,OAAS46H,YAAYkB,YAAY,KAEvCr4L,MAAMu8D,OAAS46H,YAAYkB,YAAY,MAIvCr4L,MAAMu8D,MAAQ,eAEP,cAAc9kF,KAAKuoB,MAAMu8D,QAElC87H,YAAcC,SAAS3wC,SAAS,IAER,SADN0vC,YAAYgB,YAAY1wC,SAAS,EAAG,KACpB0wC,YAAYhiN,OAAS,IAA0B,IAApBgiN,YAAY,KACvEr4L,MAAMu8D,OAAS,IAAM46H,YAAYkB,YAAY,KAE7Cr4L,MAAMu8D,OAAS,IAAM46H,YAAYkB,YAAY,MAAQ,EAAI,IAAMjmM,QAAQ,KAAM,KAI7E4N,MAAMu8D,MAAQ,aAIhBv8D,MAAMu8D,MAAQv8D,MAAMu8D,MAAM53E,mBAI5BuiL,KAAOkwB,UAAUrwB,KAAM,CAAC,OAAQ,SAAS,GACzCG,OACFlnK,MAAM+3I,UAAYm9C,8BAA8BhuB,OAElDtiK,OAAOvtB,KAAK2oB,UAEP4E,QAaTuwL,WAAa,SAAUoD,iBAAa3lI,8DAAS,MACvC4lI,UAAYpB,UAAUmB,YAAa,CAAC,gBACjCC,UAAU3zM,KAAIsF,WACfsuM,UAAYvC,KAAKS,aAAa,IAAIroL,WAAWnkB,OAC7CuuM,gBAAkBvY,eAAesY,UAAU1B,oBACxC,CACL1yB,QAAS6xB,KAAKc,UAAUyB,UAAUhC,kBAAmBgC,UAAU1gD,UAAW0gD,UAAUlC,wBAAyB3jI,QAC7G9zD,SAAUo3L,KAAKc,UAAUyB,UAAU5B,eAAgB4B,UAAU1gD,WAC7DusB,OAAQo0B,yBAIVC,QAAU,CAEZnwC,QAAS4uC,UACTvP,UAAWwP,YACXt/C,UAAWA,UACX53I,UAAWA,UACX40L,qBAAsBA,qBACtBkD,cAAejD,iBACfpwL,OAAQqwL,UACR2D,4BAA6B1D,8BAC7BC,WAAYA,kBAERQ,UACJA,WACEP,cAEF5sC,QAASqwC,WACPF,YACAG,SAAWpwL,SAuEX4hK,QAAU,CACZyuB,iBAjEuB,SAAUnkI,aAC7BokI,MAAQH,UAAUjkI,QAAS,CAAC,OAAQ,SACpCqkI,MAAQJ,UAAUjkI,QAAS,CAAC,SAC5BskI,cAAgB,UAEpBD,MAAMh/M,SAAQ,SAAUivL,KAAMvzL,WACxBwjN,aAAeH,MAAMrjN,OACzBujN,cAAc7hN,KAAK,CACjB6xL,KAAMA,KACN3B,KAAM4xB,kBAGHD,eAsDPE,aAtCmB,SAAUC,MAAOztB,oBAAqBhC,UACrDuc,WAAava,oBACbyjB,sBAAwBzlB,KAAKylB,uBAAyB,EACtDC,kBAAoB1lB,KAAK0lB,mBAAqB,EAC9CxM,QAAUlZ,KAAKkZ,QACfwW,WAAa,UACjBD,MAAMp/M,SAAQ,SAAU4vL,UAKlBS,QADWqrB,UAAU9rB,MACFS,QACvBA,QAAQrwL,SAAQ,SAAUkyL,aACA9zL,IAApB8zL,OAAOrtK,WACTqtK,OAAOrtK,SAAWuwL,4BAEAh3M,IAAhB8zL,OAAOz8K,OACTy8K,OAAOz8K,KAAO4/L,mBAEhBnjB,OAAO2W,QAAUA,QACjB3W,OAAOgB,IAAMgZ,gBACwB9tM,IAAjC8zL,OAAOH,wBACTG,OAAOH,sBAAwB,GAEP,iBAAfma,YACTha,OAAOe,IAAMiZ,WAAa2S,SAAS36H,OAAOguG,OAAOH,uBACjDma,YAAc2S,SAAS36H,OAAOguG,OAAOrtK,YAErCqtK,OAAOe,IAAMiZ,WAAaha,OAAOH,sBACjCma,YAAcha,OAAOrtK,aAGzBw6L,WAAaA,WAAW7jN,OAAO60L,YAE1BgvB,aAgBLruC,gCAAkC0lB,oBAAoB1lB,gCACtDkzB,cAAgBD,cAAcC,cAC9Bob,UAAY/K,UACZgL,YAAc7K,YACd+G,UAAY9G,aAEdmK,iBAAkBU,mBAClBL,aAAcM,gBACZpvB,QAYAqvB,YAAc,SAAU/mI,OAAQ03G,iBAC9BsvB,kBAAoBhnI,OACfx8E,EAAI,EAAGA,EAAIk0L,QAAQj0L,OAAQD,IAAK,KACnC+1L,OAAS7B,QAAQl0L,MACjBwjN,kBAAoBztB,OAAOz8K,YACtBy8K,OAETytB,mBAAqBztB,OAAOz8K,YAEvB,MA4ELmqM,iBAAmB,SAAUjlI,QAASklI,kBACpCC,YAAc,UACEN,mBAAmB7kI,SACzB36E,SAAQ,SAAU+/M,UAY1Br/M,OAXAuuL,KAAO8wB,KAAK9wB,KACZ3B,KAAOyyB,KAAKzyB,KACZqC,KAAO2vB,UAAUhyB,KAAM,CAAC,SAExB0yB,WAAavE,UAAU9rB,KAAK,IAC5BkZ,QAAUmX,WAAWnX,QACrBnZ,KAAO4vB,UAAUhyB,KAAM,CAAC,SAExBqE,oBAAsBjC,KAAKtzL,OAAS,EAAImjN,YAAY7vB,KAAK,IAAIiC,oBAAsB,EACnFytB,MAAQE,UAAUhyB,KAAM,CAAC,SAIzBuyB,eAAiBhX,SAAWuW,MAAMhjN,OAAS,IAE7CsE,OA9EY,SAAU41M,UAAWjmB,QAASwY,aAM5CoX,OACA9jN,EACAC,OACA8jN,kBARE3J,QAAU,IAAIjpC,SAASgpC,UAAUrvK,OAAQqvK,UAAUtyH,WAAYsyH,UAAUryH,YAC3EvjF,OAAS,CACPy/M,KAAM,GACNC,QAAS,QAMRjkN,EAAI,EAAGA,EAAI,EAAIm6M,UAAUl6M,OAAQD,GAAKC,UACzCA,OAASm6M,QAAQ/oC,UAAUrxK,GAC3BA,GAAK,IAEDC,QAAU,UAGS,GAAfk6M,UAAUn6M,SACX,MACC+T,KAAOomM,UAAU5oC,SAASvxK,EAAI,EAAGA,EAAI,EAAIC,QACzCikN,eAAiBX,YAAYvjN,EAAGk0L,YACpC4vB,OAAS,CACPvsB,YAAa,WACbj+K,KAAMrZ,OACN8T,KAAMA,KACN8nL,YAAahnB,gCAAgC9gK,MAC7C24L,QAASA,SAEPwX,eACFJ,OAAOhtB,IAAMotB,eAAeptB,IAC5BgtB,OAAO/sB,IAAMmtB,eAAentB,IAC5BgtB,kBAAoBG,mBACf,CAAA,IAAIH,kBAKJ,CACLx/M,OAAOy/M,KAAK/iN,KAAK,CACfT,MAAO,OACPqoB,QAAS,gDAAmD7oB,EAAI,gBAAkB0sM,QAAU,4BAL9FoX,OAAOhtB,IAAMitB,kBAAkBjtB,IAC/BgtB,OAAO/sB,IAAMgtB,kBAAkBhtB,IAQjCxyL,OAAO0/M,QAAQhjN,KAAK6iN,eAInBv/M,OA8BM4/M,CAAYrxB,KADXwwB,eAAeL,MAAOztB,oBAAqBquB,YACjBnX,SAC/BiX,YAAYjX,WACfiX,YAAYjX,SAAW,CACrBuX,QAAS,GACTD,KAAM,KAGVL,YAAYjX,SAASuX,QAAUN,YAAYjX,SAASuX,QAAQ5kN,OAAOkF,OAAO0/M,SAC1EN,YAAYjX,SAASsX,KAAOL,YAAYjX,SAASsX,KAAK3kN,OAAOkF,OAAOy/M,UAGjEL,aAoOLS,cA5LgB,eAEdtc,cAEAuc,aAEA3X,QAEA/qC,UAEA2iD,eAEAC,eAXAC,eAAgB,OAiBfA,cAAgB,kBACZA,oBAOJx0B,KAAO,SAAU7qL,SACpB2iM,cAAgB,IAAIC,cACpByc,eAAgB,EAChBD,iBAAiBp/M,SAAUA,QAAQs/M,UAEnC3c,cAAcxxL,GAAG,QAAQ,SAAUpI,OAEjCA,MAAM6b,UAAY7b,MAAM8wL,SAAWr9B,UACnCzzJ,MAAM8b,QAAU9b,MAAM+0L,OAASthC,UAC/B2iD,eAAe/zL,SAAStvB,KAAKiN,OAC7Bo2M,eAAelO,eAAeloM,MAAM89B,SAAU,KAEhD87J,cAAcxxL,GAAG,OAAO,SAAUhW,KAChCgkN,eAAeN,KAAK/iN,KAAKX,cASxBokN,UAAY,SAAU7C,cAAeJ,oBACpCI,eAA0C,IAAzBA,cAAc5hN,QAAgBwhN,YAAoC,iBAAfA,YAA8D,IAAnCn+M,OAAOG,KAAKg+M,YAAYxhN,UAGpHysM,UAAYmV,cAAc,IAAMlgD,YAAc8/C,WAAW/U,gBAa7DhzK,MAAQ,SAAU8kD,QAASqjI,cAAeJ,gBACzCkD,eACC3lN,KAAKwlN,uBACD,KACF,IAAK3C,gBAAkBJ,kBACrB,KACF,GAAIziN,KAAK0lN,UAAU7C,cAAeJ,YAGvC/U,QAAUmV,cAAc,GACxBlgD,UAAY8/C,WAAW/U,cAGlB,GAAgB,OAAZA,UAAqB/qC,iBAC9B0iD,aAAapjN,KAAKu9E,SACX,UAGF6lI,aAAapkN,OAAS,GAAG,KAC1B2kN,cAAgBP,aAAahqM,aAC5Bqf,MAAMkrL,cAAe/C,cAAeJ,mBAE3CkD,WAzGwB,SAAUnmI,QAASkuH,QAAS/qC,cAGtC,OAAZ+qC,eACK,SAGLmY,UADUpB,iBAAiBjlI,QAASkuH,SACZA,UAAY,SACjC,CACLuX,QAASY,UAAUZ,QACnBD,KAAMa,UAAUb,KAChBriD,UAAWA,WA8FEmjD,CAAsBtmI,QAASkuH,QAAS/qC,WACjDgjD,YAAcA,WAAWX,OAC3BM,eAAeN,KAAOM,eAAeN,KAAK3kN,OAAOslN,WAAWX,OAE3C,OAAfW,YAAwBA,WAAWV,cAUlCc,SAASJ,WAAWV,cAEpB9nB,cACEmoB,gBAZDA,eAAeN,KAAK/jN,OACf,CACL+jN,KAAMM,eAAeN,KACrBzzL,SAAU,GACV6lL,eAAgB,IAGb,WAcN2O,SAAW,SAAUtI,UACnBz9M,KAAKwlN,kBAAoB/H,MAAwB,IAAhBA,KAAKx8M,cAClC,KAETw8M,KAAK54M,SAAQ,SAAUmhN,KACrBld,cAAc7mM,KAAK+jN,cAQlB7oB,YAAc,eACZn9L,KAAKwlN,uBACD,KAEJD,eAGHzc,cAAc5X,eAFd4X,cAAchrK,cASbmoL,oBAAsB,WACzBX,eAAe/zL,SAAW,GAC1B+zL,eAAelO,eAAiB,GAChCkO,eAAeN,KAAO,SAOnBkB,mBAAqB,eACnBlmN,KAAKwlN,uBACD,KAET1c,cAAc3zK,cAQXgxL,iBAAmB,gBACjBF,2BACAC,2BAMF/wL,MAAQ,WACXkwL,aAAe,GACf3X,QAAU,KACV/qC,UAAY,KACP2iD,oBAQEW,sBAPLX,eAAiB,CACf/zL,SAAU,GAEV6lL,eAAgB,GAChB4N,KAAM,SAKLkB,2BAEF/wL,eAGDirL,UACJA,WACEJ,aACE5sC,QAAUgmC,WACVoK,4BACJA,6BACED,SACES,aACJA,aADIL,iBAEJA,kBACEzuB,YA0GAkxB,aApGiB,eAEfzjD,UAAY,SAMXquB,KAAO,SAAUxxG,eAEdsyG,KAAO1e,QAAQ5zF,QAAS,CAAC,OAAQ,OAAQ,OAAQ,SAAS,GAC5DsyG,OACFnvB,UAAY6gD,4BAA4B1xB,aASvCu0B,aAAe,SAAU7mI,eACtB8mI,QAAU,GACVxC,cAAgBH,iBAAiBnkI,aACnCg3G,oBAAsB,SAC1BstB,cAAcj/M,SAAQ,SAAU+/M,YACxB2B,QAAU3B,KAAK9wB,KACf0yB,QAAU5B,KAAKzyB,KAEfs0B,QAAUrzC,QAAQozC,QAAS,CAAC,SAAS,GAErCE,QAAUtzC,QAAQozC,QAAS,CAAC,SAAS,GAErCG,UAAYvzC,QAAQozC,QAAS,CAAC,YAChCC,QAAS,OACLlyB,KAAO6rB,UAAUqG,SACvBjwB,oBAAsBjC,KAAKiC,uBAEzBmwB,UAAU1lN,QAAUylN,QAAS,OACzBxxB,QAAU8uB,aAAa2C,UAAWnwB,oBAAqBkwB,aACzDE,WAAa,EACjB1xB,QAAQrwL,SAAQ,SAAUkyL,cAGlB8vB,YAAc,IAAIruL,YADV,SAMRsuL,WAAaP,QAAQ9lN,MAAMmmN,WAAYA,WAAa7vB,OAAOz8K,SAEjD84J,QAAQ0zC,WAAY,CAAC,SAAS,eAG5CF,YAAc7vB,OAAOz8K,MAKL84J,QAAQ0zC,WAAY,CAAC,SAC7BjiN,SAAQ,SAAUkiN,eAEpBC,QAAU5zC,QAAQ2zC,QAAS,CAAC,SAAS,GAErCE,QAAU7zC,QAAQ2zC,QAAS,CAAC,SAAS,GACrC9+L,MAAQ8uK,OAAOe,IAAMn1B,UACrBz6I,KAAO6uK,OAAOe,IAAMf,OAAOrtK,UAAYi5I,cACzCukD,QAAS9oL,YAET4oL,YAEAE,QAAUL,YAAY9tL,OAAOiuL,SAC7B,MAAOh1M,GACP7P,QAAQwB,MAAMqO,MAIdi1M,YAEA7oL,SAAWyoL,YAAY9tL,OAAOkuL,SAC9B,MAAOj1M,GACP7P,QAAQwB,MAAMqO,GAGd+kL,OAAOrtK,UAAYw9L,SACrBZ,QAAQrkN,KAAK,CACXilN,QAAAA,QACAj/L,MAAAA,MACAC,IAAAA,IACAkW,SAAAA,cAINwoL,YAAc7vB,OAAOz8K,YAIpBgsM,UAaPa,cAAgBne,YAChBoe,SAAW,SAAU9pB,YACnB0P,IAAkB,GAAZ1P,OAAO,UACjB0P,MAAQ,EACRA,KAAO1P,OAAO,IAGZ+pB,+BAAiC,SAAU/pB,iBACvB,GAAZA,OAAO,KAEfgqB,mBAAqB,SAAUhqB,YAC7B9/G,OAAS,SAMI,GAAZ8/G,OAAO,MAAe,EAAI,IAC7B9/G,QAAU8/G,OAAO,GAAK,GAEjB9/G,QA0HL+pI,iBAAmB,SAAUpnN,aACvBA,WACD,QACI,iDACJ,QACI,gBACJ,QACI,8BACJ,QACI,8BACJ,QACI,4CAEA,OA4ETqnN,QAAU,CACZ/U,UAlNc,SAAUnV,OAAQsP,YAC5BI,IAAMoa,SAAS9pB,eACP,IAAR0P,IACK,MACEA,MAAQJ,OACV,MACEA,OACF,MAEF,MA0MPR,SAxMa,SAAU9O,YACnBmqB,KAAOJ,+BAA+B/pB,QACtC9/G,OAAS,EAAI8pI,mBAAmBhqB,eAChCmqB,OACFjqI,QAAU8/G,OAAO9/G,QAAU,IAEC,GAAtB8/G,OAAO9/G,OAAS,MAAe,EAAI8/G,OAAO9/G,OAAS,KAmM3D6uH,SAjMa,SAAU/O,YACnBiP,gBAAkB,GAClBkb,KAAOJ,+BAA+B/pB,QACtCoqB,cAAgB,EAAIJ,mBAAmBhqB,WACvCmqB,OACFC,eAAiBpqB,OAAOoqB,eAAiB,GAOT,EAA5BpqB,OAAOoqB,cAAgB,QAGV5a,SAGnBA,SAAW,IADkC,GAA5BxP,OAAOoqB,cAAgB,KAAc,EAAIpqB,OAAOoqB,cAAgB,IAClD,UAK3BlqI,OAAS,KAFqC,GAA7B8/G,OAAOoqB,cAAgB,MAAe,EAAIpqB,OAAOoqB,cAAgB,KAG/ElqI,OAASsvH,UAAU,KACpB9rM,EAAI0mN,cAAgBlqI,OAExB+uH,iBAAiC,GAAhBjP,OAAOt8L,EAAI,KAAc,EAAIs8L,OAAOt8L,EAAI,IAAMs8L,OAAOt8L,GAGtEw8E,QAA0D,IAA9B,GAAhB8/G,OAAOt8L,EAAI,KAAc,EAAIs8L,OAAOt8L,EAAI,WAE/CurM,kBAkKP8a,+BAAgCA,+BAChCM,aAjKiB,SAAUrqB,OAAQiP,wBAExBA,gBADD6a,SAAS9pB,eAGZ6pB,cAAcle,uBACV,aACJke,cAAcje,uBACV,aACJie,cAAche,2BACV,gCAEA,OAuJXye,aApJiB,SAAUtqB,YAChB+pB,+BAA+B/pB,eAEjC,SAEL9/G,OAAS,EAAI8pI,mBAAmBhqB,WAChC9/G,QAAU8/G,OAAOx0G,kBAWZ,SAGL8kH,YADAD,IAAM,YAcQ,KATlBC,YAActQ,OAAO9/G,OAAS,OAU5BmwH,IAAM,IAIF7V,KAA4B,GAArBwF,OAAO9/G,OAAS,KAAc,IAA4B,IAAtB8/G,OAAO9/G,OAAS,MAAe,IAA4B,IAAtB8/G,OAAO9/G,OAAS,MAAe,IAA4B,IAAtB8/G,OAAO9/G,OAAS,MAAe,GAA2B,IAAtB8/G,OAAO9/G,OAAS,OAAgB,EAC7LmwH,IAAI7V,KAAO,EAEX6V,IAAI7V,MAA8B,EAAtBwF,OAAO9/G,OAAS,OAAgB,EAE5CmwH,IAAI5V,IAAM4V,IAAI7V,IACI,GAAd8V,cACFD,IAAI5V,KAA6B,GAAtBuF,OAAO9/G,OAAS,MAAe,IAA4B,IAAtB8/G,OAAO9/G,OAAS,MAAe,IAA4B,IAAtB8/G,OAAO9/G,OAAS,MAAe,IAA4B,IAAtB8/G,OAAO9/G,OAAS,MAAe,GAA2B,IAAtB8/G,OAAO9/G,OAAS,OAAgB,EAC9LmwH,IAAI5V,KAAO,EAEX4V,IAAI5V,MAA8B,EAAtBuF,OAAO9/G,OAAS,OAAgB,IAGzCmwH,KAkGPka,4BAhFgC,SAAUvqB,gBACtC9/G,OAAS,EAAI8pI,mBAAmBhqB,QAChCwqB,YAAcxqB,OAAO/qB,SAAS/0F,QAC9BuqI,OAAS,EACTC,eAAiB,EACjBC,eAAgB,EAGbD,eAAiBF,YAAYh/H,WAAa,EAAGk/H,oBACV,IAApCF,YAAYE,eAAiB,GAAU,CAEzCD,OAASC,eAAiB,aAIvBD,OAASD,YAAYh/H,mBAGlBg/H,YAAYC,cACb,KAE6B,IAA5BD,YAAYC,OAAS,GAAU,CACjCA,QAAU,QAEL,GAAgC,IAA5BD,YAAYC,OAAS,GAAU,CACxCA,eAGEC,eAAiB,IAAMD,OAAS,GAElB,8CADNR,iBAAmD,GAAlCO,YAAYE,eAAiB,MAEtDC,eAAgB,MAKlBF,eAC+B,IAAxBD,YAAYC,SAAiBA,OAASD,YAAY7mN,QAC3D+mN,eAAiBD,OAAS,EAC1BA,QAAU,aAEP,KAE6B,IAA5BD,YAAYC,OAAS,IAAwC,IAA5BD,YAAYC,OAAS,GAAU,CAClEA,QAAU,QAII,8CADNR,iBAAmD,GAAlCO,YAAYE,eAAiB,MAEtDC,eAAgB,GAElBD,eAAiBD,OAAS,EAC1BA,QAAU,gBAKVA,QAAU,SAIhBD,YAAcA,YAAYv1C,SAASy1C,gBACnCD,QAAUC,eACVA,eAAiB,EAEbF,aAAeA,YAAYh/H,WAAa,GAE1B,8CADNy+H,iBAAmD,GAAlCO,YAAYE,eAAiB,MAEtDC,eAAgB,GAGbA,gBAoBLC,YAAclf,YACda,eAAiBF,wBAAwBE,eACzCse,MAAQ,GACZA,MAAMhlL,GAAKqkL,QACXW,MAAMzvK,IAAM0uI,UACRqS,iBAAmBD,QAAQC,iBAgD3B2uB,eAAiB,SAAUx/H,MAAOikH,IAAKtnM,gBAGvC+3L,OAEA+qB,QACAZ,KACAa,OANEnsD,WAAa,EACf2I,SAjDqB,IAuDnByjD,SAAU,EAEPzjD,UAAYl8E,MAAME,eAvDb,KAyDNF,MAAMuzE,aAzDA,KAyD8BvzE,MAAMk8E,WAA2BA,WAAal8E,MAAME,WA4B5FqzE,aACA2I,mBA3BEw4B,OAAS10G,MAAM2pF,SAASpW,WAAY2I,UAG7B,QAFAqjD,MAAMhlL,GAAGsvK,UAAUnV,OAAQuP,IAAIG,KAGlCqb,QAAUF,MAAMhlL,GAAGwkL,aAAarqB,OAAQuP,IAAI2b,OAC5Cf,KAAOU,MAAMhlL,GAAGkkL,+BAA+B/pB,QAC/B,UAAZ+qB,SAAuBZ,OACzBa,OAASH,MAAMhlL,GAAGykL,aAAatqB,WAE7BgrB,OAAOnoN,KAAO,QACdoF,OAAOi7B,MAAMv+B,KAAKqmN,QAClBC,SAAU,MAKdA,cAGJpsD,YAhFmB,IAiFnB2I,UAjFmB,QA4FvB3I,YADA2I,SAAWl8E,MAAME,YA3FM,IA6FvBy/H,SAAU,EACHpsD,YAAc,MA5FT,KA8FNvzE,MAAMuzE,aA9FA,KA8F8BvzE,MAAMk8E,WAA2BA,WAAal8E,MAAME,WA4B5FqzE,aACA2I,mBA3BEw4B,OAAS10G,MAAM2pF,SAASpW,WAAY2I,UAG7B,QAFAqjD,MAAMhlL,GAAGsvK,UAAUnV,OAAQuP,IAAIG,KAGlCqb,QAAUF,MAAMhlL,GAAGwkL,aAAarqB,OAAQuP,IAAI2b,OAC5Cf,KAAOU,MAAMhlL,GAAGkkL,+BAA+B/pB,QAC/B,UAAZ+qB,SAAuBZ,OACzBa,OAASH,MAAMhlL,GAAGykL,aAAatqB,WAE7BgrB,OAAOnoN,KAAO,QACdoF,OAAOi7B,MAAMv+B,KAAKqmN,QAClBC,SAAU,MAKdA,cAGJpsD,YArHmB,IAsHnB2I,UAtHmB,MAsIrB2jD,eAAiB,SAAU7/H,MAAOikH,IAAKtnM,gBAGvC+3L,OAEA+qB,QACAZ,KACAa,OACA1wB,MACA52L,EACA2sM,IATExxC,WAAa,EACf2I,SAxIqB,IAiJnByjD,SAAU,EACVlwB,aAAe,CACjBtjL,KAAM,GACNuF,KAAM,GAGDwqJ,SAAWl8E,MAAME,eArJZ,KAuJNF,MAAMuzE,aAvJA,KAuJ6BvzE,MAAMk8E,UA2D7C3I,aACA2I,mBA1DEw4B,OAAS10G,MAAM2pF,SAASpW,WAAY2I,UAG7B,QAFAqjD,MAAMhlL,GAAGsvK,UAAUnV,OAAQuP,IAAIG,QAGlCqb,QAAUF,MAAMhlL,GAAGwkL,aAAarqB,OAAQuP,IAAI2b,OAC5Cf,KAAOU,MAAMhlL,GAAGkkL,+BAA+B/pB,QAC/B,UAAZ+qB,UACEZ,OAASc,UACXD,OAASH,MAAMhlL,GAAGykL,aAAatqB,WAE7BgrB,OAAOnoN,KAAO,QACdoF,OAAOu7B,MAAM7+B,KAAKqmN,QAClBC,SAAU,IAGThjN,OAAOmjN,eAAe,IACrBjB,MACwB,IAAtBpvB,aAAa/9K,KAAY,KAC3Bs9K,MAAQ,IAAI1+J,WAAWm/J,aAAa/9K,MACpCtZ,EAAI,EACGq3L,aAAatjL,KAAK9T,QACvB0sM,IAAMtV,aAAatjL,KAAKsG,QACxBu8K,MAAM7xL,IAAI4nM,IAAK3sM,GACfA,GAAK2sM,IAAI7kH,cAEPq/H,MAAMhlL,GAAG0kL,4BAA4BjwB,OAAQ,KAC3C8wB,cAAgBP,MAAMhlL,GAAGykL,aAAahwB,OAItC8wB,eACFnjN,OAAOmjN,cAAgBA,cACvBnjN,OAAOmjN,cAAcvoN,KAAO,SAG5BgC,QAAQuB,KAAK,+RAGjB20L,aAAa/9K,KAAO,EAGxB+9K,aAAatjL,KAAK9S,KAAKq7L,QACvBjF,aAAa/9K,MAAQgjL,OAAOx0G,cAKhCy/H,SAAWhjN,OAAOmjN,oBAGtBvsD,YA7MmB,IA8MnB2I,UA9MmB,QAyNvB3I,YADA2I,SAAWl8E,MAAME,YAxNM,IA0NvBy/H,SAAU,EACHpsD,YAAc,MAzNT,KA2NNvzE,MAAMuzE,aA3NA,KA2N6BvzE,MAAMk8E,UA4B7C3I,aACA2I,mBA3BEw4B,OAAS10G,MAAM2pF,SAASpW,WAAY2I,UAG7B,QAFAqjD,MAAMhlL,GAAGsvK,UAAUnV,OAAQuP,IAAIG,KAGlCqb,QAAUF,MAAMhlL,GAAGwkL,aAAarqB,OAAQuP,IAAI2b,OAC5Cf,KAAOU,MAAMhlL,GAAGkkL,+BAA+B/pB,QAC/B,UAAZ+qB,SAAuBZ,OACzBa,OAASH,MAAMhlL,GAAGykL,aAAatqB,WAE7BgrB,OAAOnoN,KAAO,QACdoF,OAAOu7B,MAAM7+B,KAAKqmN,QAClBC,SAAU,MAKdA,cAGJpsD,YAlPmB,IAmPnB2I,UAnPmB,MA6XrB6jD,WAAa,SAAU//H,WACrBikH,IAAM,CACRG,IAAK,KACLwb,MAAO,MAELjjN,OAAS,OAER,IAAIynM,OA5XK,SAAUpkH,MAAOikH,aAG7BvP,OAFEnhC,WAAa,EACf2I,SAVqB,IAahBA,SAAWl8E,MAAME,eAXZ,KAaNF,MAAMuzE,aAbA,KAa6BvzE,MAAMk8E,UAuB7C3I,aACA2I,uBAtBEw4B,OAAS10G,MAAM2pF,SAASpW,WAAY2I,UAC7BqjD,MAAMhlL,GAAGsvK,UAAUnV,OAAQuP,IAAIG,UAE/B,MACHH,IAAIG,IAAMmb,MAAMhlL,GAAGipK,SAAS9O,kBAEzB,UACCkrB,MAAQL,MAAMhlL,GAAGkpK,SAAS/O,QAC9BuP,IAAI2b,MAAQ3b,IAAI2b,OAAS,GACzBlkN,OAAOG,KAAK+jN,OAAO3jN,SAAQ,SAAUC,KACnC+nM,IAAI2b,MAAM1jN,KAAO0jN,MAAM1jN,QAI7Bq3J,YA/BmB,IAgCnB2I,UAhCmB,KAmYvB8jD,CAAUhgI,MAAOikH,KACDA,IAAI2b,MAAO,IACrB3b,IAAI2b,MAAM3kN,eAAempM,YAChBH,IAAI2b,MAAMxb,WAEdkb,YAAYjf,iBACf1jM,OAAOu7B,MAAQ,GACf2nL,eAAe7/H,MAAOikH,IAAKtnM,QACC,IAAxBA,OAAOu7B,MAAM7/B,eACRsE,OAAOu7B,iBAGbonL,YAAYhf,iBACf3jM,OAAOi7B,MAAQ,GACf4nL,eAAex/H,MAAOikH,IAAKtnM,QACC,IAAxBA,OAAOi7B,MAAMv/B,eACRsE,OAAOi7B,cAMjBj7B,QAyBLsjN,oBAdU,SAAUjgI,MAAOkgI,mBAEzBvjN,cAEFA,OAHc4iN,MAAMzvK,IAAI45J,gBAAgB1pH,OA3H1B,SAAUA,eAOxB00G,OANEirB,SAAU,EACZQ,WAAa,EACblxC,WAAa,KACbC,UAAY,KACZkzB,UAAY,EACZhhH,UAAY,EAEPpB,MAAM3nF,OAAS+oF,WAAa,GAAG,QACzBm+H,MAAMzvK,IAAI+5J,UAAU7pH,MAAOoB,gBAE/B,oBAGCpB,MAAM3nF,OAAS+oF,UAAY,GAAI,CACjCu+H,SAAU,YAGZvd,UAAYmd,MAAMzvK,IAAI25J,gBAAgBzpH,MAAOoB,YAG7BpB,MAAM3nF,OAAQ,CAC5BsnN,SAAU,QAGM,OAAdzwC,YACFwlB,OAAS10G,MAAM2pF,SAASvoF,UAAWA,UAAYghH,WAC/ClzB,UAAYqwC,MAAMzvK,IAAIi6J,kBAAkBrV,SAE1CtzG,WAAaghH,oBAEV,WAGCpiH,MAAM3nF,OAAS+oF,UAAY,EAAG,CAChCu+H,SAAU,YAGZvd,UAAYmd,MAAMzvK,IAAI65J,cAAc3pH,MAAOoB,YAG3BpB,MAAM3nF,OAAQ,CAC5BsnN,SAAU,QAGO,OAAf1wC,aACFylB,OAAS10G,MAAM2pF,SAASvoF,UAAWA,UAAYghH,WAC/CnzB,WAAaswC,MAAMzvK,IAAIg6J,gBAAgBpV,SAEzCyrB,aACA/+H,WAAaghH,wBAGbhhH,eAGAu+H,eACK,QAGQ,OAAf1wC,YAAqC,OAAdC,iBAClB,SAELkxC,eAAiBvvB,iBAAmB5hB,iBAC3B,CACXr3I,MAAO,CAAC,CACNrgC,KAAM,QACN43L,IAAKjgB,UACLggB,IAAKhgB,WACJ,CACD33K,KAAM,QACN43L,IAAKjgB,UAAyB,KAAbixC,WAAoBC,eACrClxB,IAAKhgB,UAAyB,KAAbixC,WAAoBC,kBAsD9BC,CAAYrgI,OAEZ+/H,WAAW//H,OAEjBrjF,SAAWA,OAAOi7B,OAAUj7B,OAAOu7B,QA1KnB,SAAU0rI,YAAas8C,kBACxCt8C,YAAYhsI,OAASgsI,YAAYhsI,MAAMv/B,OAAQ,KAC7CioN,mBAAqBJ,oBACS,IAAvBI,oBAAsC5lM,MAAM4lM,uBACrDA,mBAAqB18C,YAAYhsI,MAAM,GAAGu3J,KAE5CvrB,YAAYhsI,MAAM37B,SAAQ,SAAUzC,MAClCA,KAAK21L,IAAM8R,eAAeznM,KAAK21L,IAAKmxB,oBACpC9mN,KAAK01L,IAAM+R,eAAeznM,KAAK01L,IAAKoxB,oBAEpC9mN,KAAK+mN,QAAU/mN,KAAK21L,IAAM0B,iBAC1Br3L,KAAKgnN,QAAUhnN,KAAK01L,IAAM2B,uBAG1BjtB,YAAY1rI,OAAS0rI,YAAY1rI,MAAM7/B,OAAQ,KAC7CooN,mBAAqBP,uBACS,IAAvBO,oBAAsC/lM,MAAM+lM,uBACrDA,mBAAqB78C,YAAY1rI,MAAM,GAAGi3J,KAE5CvrB,YAAY1rI,MAAMj8B,SAAQ,SAAUzC,MAClCA,KAAK21L,IAAM8R,eAAeznM,KAAK21L,IAAKsxB,oBACpCjnN,KAAK01L,IAAM+R,eAAeznM,KAAK01L,IAAKuxB,oBAEpCjnN,KAAK+mN,QAAU/mN,KAAK21L,IAAM0B,iBAC1Br3L,KAAKgnN,QAAUhnN,KAAK01L,IAAM2B,oBAExBjtB,YAAYk8C,cAAe,KACzB9wB,MAAQprB,YAAYk8C,cACxB9wB,MAAMG,IAAM8R,eAAejS,MAAMG,IAAKsxB,oBACtCzxB,MAAME,IAAM+R,eAAejS,MAAME,IAAKuxB,oBAEtCzxB,MAAMuxB,QAAUvxB,MAAMG,IAAM0B,iBAC5B7B,MAAMwxB,QAAUxxB,MAAME,IAAM2B,mBA6IhC6vB,CAAiB/jN,OAAQujN,eAClBvjN,QAHE,YAgJLgkN,gBACJlkN,YAAYvF,KAAMqG,cACXA,QAAUA,SAAW,QACrBrG,KAAOA,UACPkxL,OAMPA,OACMhxL,KAAKi0M,iBACFA,WAAWl1L,eAEbk1L,WAAa,IAAIA,WAAWd,WAAWnzM,KAAKmG,SA3IxB,SAAUrG,KAAMm0M,YAC3CA,WAAW38L,GAAG,QAAQ,SAAUkoE,eAKxBgqI,UAAYhqI,QAAQykF,YAC1BzkF,QAAQykF,YAAc,CACpBlvJ,KAAMy0M,UAAU19K,OAChB+8C,WAAY2gI,UAAU3gI,WACtBC,WAAY0gI,UAAU1gI,kBAElBghH,WAAatqH,QAAQzqE,KAC3ByqE,QAAQzqE,KAAO+0L,WAAWh+J,OAC1BhsC,KAAK2pN,YAAY,CACfpuK,OAAQ,OACRmkC,QAAAA,QACAqJ,WAAYihH,WAAWjhH,WACvBC,WAAYghH,WAAWhhH,YACtB,CAACtJ,QAAQzqE,UAEdk/L,WAAW38L,GAAG,QAAQ,SAAUvC,MAC9BjV,KAAK2pN,YAAY,CACfpuK,OAAQ,YAGZ44J,WAAW38L,GAAG,WAAW,SAAUoyM,SACjC5pN,KAAK2pN,YAAY,CACfpuK,OAAQ,UACRquK,QAAAA,aAGJzV,WAAW38L,GAAG,0BAA0B,SAAUqyM,kBAC1CC,uBAAyB,CAC7B3hM,MAAO,CACL8Q,OAAQygK,QAAQ/hB,iBAAiBkyC,WAAW1hM,MAAM8vK,KAClD8xB,aAAcrwB,QAAQ/hB,iBAAiBkyC,WAAW1hM,MAAM6vK,MAE1D5vK,IAAK,CACH6Q,OAAQygK,QAAQ/hB,iBAAiBkyC,WAAWzhM,IAAI6vK,KAChD8xB,aAAcrwB,QAAQ/hB,iBAAiBkyC,WAAWzhM,IAAI4vK,MAExDtB,oBAAqBgD,QAAQ/hB,iBAAiBkyC,WAAWnzB,sBAEvDmzB,WAAWpV,2BACbqV,uBAAuBrV,yBAA2B/a,QAAQ/hB,iBAAiBkyC,WAAWpV,2BAExFz0M,KAAK2pN,YAAY,CACfpuK,OAAQ,yBACRuuK,uBAAAA,4BAGJ3V,WAAW38L,GAAG,0BAA0B,SAAUqyM,kBAE1CG,uBAAyB,CAC7B7hM,MAAO,CACL8Q,OAAQygK,QAAQ/hB,iBAAiBkyC,WAAW1hM,MAAM8vK,KAClD8xB,aAAcrwB,QAAQ/hB,iBAAiBkyC,WAAW1hM,MAAM6vK,MAE1D5vK,IAAK,CACH6Q,OAAQygK,QAAQ/hB,iBAAiBkyC,WAAWzhM,IAAI6vK,KAChD8xB,aAAcrwB,QAAQ/hB,iBAAiBkyC,WAAWzhM,IAAI4vK,MAExDtB,oBAAqBgD,QAAQ/hB,iBAAiBkyC,WAAWnzB,sBAEvDmzB,WAAWpV,2BACbuV,uBAAuBvV,yBAA2B/a,QAAQ/hB,iBAAiBkyC,WAAWpV,2BAExFz0M,KAAK2pN,YAAY,CACfpuK,OAAQ,yBACRyuK,uBAAAA,4BAGJ7V,WAAW38L,GAAG,YAAY,SAAUkhM,UAClC14M,KAAK2pN,YAAY,CACfpuK,OAAQ,WACRm9J,SAAAA,cAGJvE,WAAW38L,GAAG,WAAW,SAAU6/L,SACjCr3M,KAAK2pN,YAAY,CACfpuK,OAAQ,UACR87J,QAAAA,aAGJlD,WAAW38L,GAAG,aAAa,SAAUyyM,WACnCjqN,KAAK2pN,YAAY,CACfpuK,OAAQ,YACR0uK,UAAAA,eAGJ9V,WAAW38L,GAAG,mBAAmB,SAAU0yM,iBAEzClqN,KAAK2pN,YAAY,CACfpuK,OAAQ,kBACR2uK,gBAAiB,CACf/hM,MAAOuxK,QAAQ/hB,iBAAiBuyC,gBAAgB/hM,OAChDC,IAAKsxK,QAAQ/hB,iBAAiBuyC,gBAAgB9hM,WAIpD+rL,WAAW38L,GAAG,mBAAmB,SAAUswK,iBACzC9nL,KAAK2pN,YAAY,CACfpuK,OAAQ,kBACRusI,gBAAiB,CACf3/J,MAAOuxK,QAAQ/hB,iBAAiBmQ,gBAAgB3/J,OAChDC,IAAKsxK,QAAQ/hB,iBAAiBmQ,gBAAgB1/J,WAIpD+rL,WAAW38L,GAAG,OAAO,SAAUhW,KAC7BxB,KAAK2pN,YAAY,CACfpuK,OAAQ,MACR/5C,IAAAA,SA2BF2oN,CAAqBjqN,KAAKF,KAAME,KAAKi0M,YAEvCiW,gBAAgBn1M,MACT/U,KAAKolN,qBACHA,cAAgB,IAAIA,mBACpBA,cAAcp0B,cAEfxxG,QAAU,IAAItmD,WAAWnkB,KAAKA,KAAMA,KAAK8zE,WAAY9zE,KAAK+zE,YAC1Dw/H,OAAStoN,KAAKolN,cAAc1qL,MAAM8kD,QAASzqE,KAAKo1M,SAAUp1M,KAAK0tM,iBAChE3iN,KAAK2pN,YAAY,CACpBpuK,OAAQ,cACR9pB,SAAU+2L,QAAUA,OAAO/2L,UAAY,GACvCyzL,KAAMsD,QAAUA,OAAOtD,MAAQ,GAC/BjwM,KAAMyqE,QAAQ1zC,QACb,CAAC0zC,QAAQ1zC,SAQds+K,oBAAoBr1M,MACb/U,KAAKqqN,oBACHA,aAAe,IAAIjE,oBAEpB5mI,QAAU,IAAItmD,WAAWnkB,KAAKA,KAAMA,KAAK8zE,WAAY9zE,KAAK+zE,iBAG3DuhI,aAAar5B,KAAKxxG,SASzB8qI,iBAAiBv1M,MACV/U,KAAKqqN,oBAGHA,aAAe,IAAIjE,oBAEpB5mI,QAAU,IAAItmD,WAAWnkB,KAAKA,KAAMA,KAAK8zE,WAAY9zE,KAAK+zE,YAC1Dw/H,OAAStoN,KAAKqqN,aAAahE,aAAa7mI,cACzC1/E,KAAK2pN,YAAY,CACpBpuK,OAAQ,mBACRkvK,WAAYjC,QAAU,GACtBvzM,KAAMyqE,QAAQ1zC,QACb,CAAC0zC,QAAQ1zC,SAEd0+K,8BAAkB/H,WAChBA,WADgB1tM,KAEhBA,mBAEMgW,UAAYw4L,QAAQx4L,UAAU03L,WAAY1tM,WAC3CjV,KAAK2pN,YAAY,CACpBpuK,OAAQ,oBACRtwB,UAAAA,UACAhW,KAAAA,MACC,CAACA,KAAK+2B,SAEX2+K,2BAAe11M,KACbA,mBAEMya,OAAS+zL,QAAQ/zL,OAAOza,WACzBjV,KAAK2pN,YAAY,CACpBpuK,OAAQ,iBACR7rB,OAAAA,OACAza,KAAAA,MACC,CAACA,KAAK+2B,SAWX4+K,yBAAa31M,KACXA,KADWyoE,OAEXA,qBAEMmtI,UAAYpH,QAAQxD,WAAWhrM,KAAMyoE,aACtC19E,KAAK2pN,YAAY,CACpBpuK,OAAQ,eACRsvK,UAAAA,UACAC,SAAU71M,MACT,CAACA,KAAK+2B,SAgBX++K,oBAAQ91M,KACNA,KADM+1M,cAENA,4BAEMC,YAAuC,iBAAlBD,eAA+BxnM,MAAMwnM,oBAA4D,EAA3CA,cAAgBtxB,QAAQC,iBACnGuxB,SAAWnC,oBAAoB9zM,KAAMg2M,iBACvCxlN,OAAS,KACTylN,WACFzlN,OAAS,CAEP2yM,SAAU8S,SAASlqL,OAAmC,IAA1BkqL,SAASlqL,MAAM7/B,SAAgB,EAC3Dg3M,SAAU+S,SAASxqL,OAAmC,IAA1BwqL,SAASxqL,MAAMv/B,SAAgB,GAEzDsE,OAAO2yM,WACT3yM,OAAO0lN,WAAaD,SAASlqL,MAAM,GAAGsoL,SAEpC7jN,OAAO0yM,WACT1yM,OAAO2lN,WAAaF,SAASxqL,MAAM,GAAG4oL,eAGrCtpN,KAAK2pN,YAAY,CACpBpuK,OAAQ,UACR91C,OAAAA,OACAwP,KAAAA,MACC,CAACA,KAAK+2B,SAEXq/K,sBACMnrN,KAAKolN,oBACFA,cAAce,mBAGvBiF,yBACMprN,KAAKolN,oBACFA,cAAca,sBAUvBhkN,KAAK8S,YAEGyqE,QAAU,IAAItmD,WAAWnkB,KAAKA,KAAMA,KAAK8zE,WAAY9zE,KAAK+zE,iBAC3DmrH,WAAWhyM,KAAKu9E,SAOvBrqD,aACO8+K,WAAW9+K,QAUlBk2L,mBAAmBt2M,YACXu2M,gBAAkBv2M,KAAKu2M,iBAAmB,OAC3CrX,WAAWwE,uBAAuB1nM,KAAKw4B,MAAMiwJ,QAAQjiB,iBAAiB+zC,mBAE7E1W,oBAAoB7/L,WACbk/L,WAAWW,oBAAoB7jM,KAAK44B,KAAK6vJ,QAAQjiB,iBAAiBxiK,KAAKw2M,eAE9ElU,SAAStiM,WACFk/L,WAAWoD,SAAStiM,KAAKyhM,OAShC14K,MAAM/oB,WACCk/L,WAAWn2K,QAEhBh+B,KAAK2pN,YAAY,CACfpuK,OAAQ,OACRl7C,KAAM,eAGVgxL,mBACO8iB,WAAW9iB,cAGhBrxL,KAAK2pN,YAAY,CACfpuK,OAAQ,gBACRl7C,KAAM,eAGVk2M,cAActhM,WACPk/L,WAAWoC,cAActhM,KAAK+/L,gBAAgBr0M,UAWvDX,KAAK0rN,UAAY,SAAUt8M,OACC,SAAtBA,MAAM6F,KAAKsmC,QAAqBnsC,MAAM6F,KAAK5O,aACxCslN,gBAAkB,IAAIlC,gBAAgBzpN,KAAMoP,MAAM6F,KAAK5O,UAGzDnG,KAAKyrN,uBACHA,gBAAkB,IAAIlC,gBAAgBzpN,OAEzCoP,MAAM6F,MAAQ7F,MAAM6F,KAAKsmC,QAAgC,SAAtBnsC,MAAM6F,KAAKsmC,QAC5Cr7C,KAAKyrN,gBAAgBv8M,MAAM6F,KAAKsmC,cAC7BowK,gBAAgBv8M,MAAM6F,KAAKsmC,QAAQnsC,MAAM6F,gBAKlD22M,eAAiBlsN,QAAQsxL,oBAiDvB66B,gBAAkBxlN,gBAChB8tM,WACJA,WADIrrH,MAEJA,MAFIgjI,iBAGJA,iBAHI9W,gBAIJA,gBAJI0B,MAKJA,MALIqV,OAMJA,OANIC,YAOJA,YAPIC,kBAQJA,kBARIC,kBASJA,kBATIC,yBAUJA,yBAVIC,yBAWJA,yBAXIC,MAYJA,MAZIC,WAaJA,WAbIC,OAcJA,OAdIC,gBAeJA,gBAfIC,gBAgBJA,gBAhBIC,gBAiBJA,gBAjBIhtI,QAkBJA,QAlBIitI,sBAmBJA,uBACEtmN,QACEumN,eAAiB,CACrB5gL,OAAQ,QAEN6gL,0BAA4BH,mBAyEhCvY,WAAWuX,UAxEWt8M,QAChB+kM,WAAW2Y,kBAAoBzmN,UAIT,SAAtB+I,MAAM6F,KAAKsmC,QA7EC,EAACnsC,MAAOw9M,eAAgBn3M,kBACpCpV,KACJA,KADI8jK,YAEJA,YAFI1yI,SAGJA,SAHI6lL,eAIJA,eAJIjtL,SAKJA,SALI0iM,kBAMJA,kBANIC,kBAOJA,mBACE59M,MAAM6F,KAAKyqE,QACfktI,eAAe5gL,OAAO7pC,KAAK,CACzBsvB,SAAAA,SACA6lL,eAAAA,eACAjtL,SAAAA,iBAEI0gB,MAAQ37B,MAAM6F,KAAKyqE,QAAQ30C,OAAS,CACxC91B,KAAM7F,MAAM6F,KAAKyqE,QAAQzqE,MAErBxP,OAAS,CACbpF,KAAAA,KAEA4U,KAAM,IAAImkB,WAAW2R,MAAM91B,KAAM81B,MAAM91B,KAAK8zE,WAAYh+C,MAAM91B,KAAK+zE,YACnEm7E,YAAa,IAAI/qI,WAAW+qI,YAAYlvJ,KAAMkvJ,YAAYp7E,WAAYo7E,YAAYn7E,kBAEnD,IAAtB+jI,oBACTtnN,OAAOsnN,kBAAoBA,wBAEI,IAAtBC,oBACTvnN,OAAOunN,kBAAoBA,mBAE7Bv3M,SAAShQ,SAgDLwnN,CAAY79M,MAAOw9M,eAAgBb,QAEX,cAAtB38M,MAAM6F,KAAKsmC,QACbywK,YAAY58M,MAAM6F,KAAKg1M,WAEC,YAAtB76M,MAAM6F,KAAKsmC,QAxCI,EAACnsC,MAAOw9M,kBAC7BA,eAAehD,QAAUx6M,MAAM6F,KAAK20M,SAwChCsD,CAAe99M,MAAOw9M,gBAEE,oBAAtBx9M,MAAM6F,KAAKsmC,QACb0wK,kBAAkB78M,MAAM6F,KAAKi1M,iBAEL,oBAAtB96M,MAAM6F,KAAKsmC,QACb2wK,kBAAkB98M,MAAM6F,KAAK6yK,iBAEL,2BAAtB14K,MAAM6F,KAAKsmC,QACb4wK,yBAAyB/8M,MAAM6F,KAAK60M,wBAEZ,2BAAtB16M,MAAM6F,KAAKsmC,QACb6wK,yBAAyBh9M,MAAM6F,KAAK+0M,wBAEZ,aAAtB56M,MAAM6F,KAAKsmC,QACb8wK,MAAM,CAACj9M,MAAM6F,KAAKyjM,UAAWtpM,MAAM6F,KAAKyjM,SAASjN,cAEzB,YAAtBr8L,MAAM6F,KAAKsmC,QACb+wK,WAAWl9M,MAAM6F,KAAKoiM,SAEE,kBAAtBjoM,MAAM6F,KAAKsmC,SACbsxK,2BAA4B,EAC5BL,mBAEwB,QAAtBp9M,MAAM6F,KAAKsmC,QACbkxK,gBAAgBr9M,MAAM6F,KAAKzT,KAGL,eAApB4N,MAAM6F,KAAK5U,OAOXwsN,4BAGJ1Y,WAAWuX,UAAY,KA1FPyB,CAAAA,aAACP,eACnBA,eADmBn3M,SAEnBA,iBAIAm3M,eAAe5gL,OAAS,GAGxBv2B,SAASm3M,iBAkFPQ,CAAY,CACVR,eAAAA,eACAn3M,SAAU82M,SAIZc,QAAQlZ,gBAgBVA,WAAW/3K,QAbS,WACZv4B,MAAQ,CACZkmB,QAAS,uDACTM,SAAU,CACR+zJ,UAAWn+K,QAAQ+D,MAAM22E,iCACzB+xF,YAAa4gD,mBAAmB,CAC9B5tI,QAAAA,YAIN6sI,OAAO,KAAM1oN,QAIXioN,kBACF3X,WAAWwV,YAAY,CACrBpuK,OAAQ,sBACRkwK,YAAaK,mBAIbtpN,MAAMC,QAAQuyM,kBAChBb,WAAWwV,YAAY,CACrBpuK,OAAQ,gBACRy5J,gBAAAA,uBAGiB,IAAV0B,OACTvC,WAAWwV,YAAY,CACrBpuK,OAAQ,WACRm7J,MAAAA,QAGA5tH,MAAME,WAAY,OACdh9C,OAAS88C,iBAAiBH,YAAcG,MAAQA,MAAM98C,OACtD+8C,WAAaD,iBAAiBH,YAAc,EAAIG,MAAMC,WAC5D4jI,sBAAsB,CACpBtsN,KAAM,0BACNq/E,QAAAA,UAEFy0H,WAAWwV,YAAY,CACrBpuK,OAAQ,OAIRtmC,KAAM+2B,OAGN+8C,WAAAA,WACAC,WAAYF,MAAME,YACjB,CAACh9C,SAEF0gL,iBACFvY,WAAWwV,YAAY,CACrBpuK,OAAQ,gBAKZ44J,WAAWwV,YAAY,CACrBpuK,OAAQ,WAGN8xK,QAAUlZ,aACdA,WAAW2Y,gBAAkB,KACzB3Y,WAAWoZ,cAAcpsN,SAC3BgzM,WAAW2Y,gBAAkB3Y,WAAWoZ,cAAchyM,QACZ,mBAA/B44L,WAAW2Y,gBACpB3Y,WAAW2Y,kBAEXjB,gBAAgB1X,WAAW2Y,mBAI3BU,cAAgB,CAACrZ,WAAY54J,UACjC44J,WAAWwV,YAAY,CACrBpuK,OAAAA,SAEF8xK,QAAQlZ,aAEJsZ,cAAgB,CAAClyK,OAAQ44J,kBACxBA,WAAW2Y,uBACd3Y,WAAW2Y,gBAAkBvxK,YAC7BiyK,cAAcrZ,WAAY54J,QAG5B44J,WAAWoZ,cAAcprN,KAAKqrN,cAAct0M,KAAK,KAAMi7L,WAAY54J,UAQ/DmyK,SAAWrnN,cACVA,QAAQ8tM,WAAW2Y,uBACtBzmN,QAAQ8tM,WAAW2Y,gBAAkBzmN,aACrCwlN,gBAAgBxlN,SAGlBA,QAAQ8tM,WAAWoZ,cAAcprN,KAAKkE,cAkBpCsnN,wBA9BUxZ,aACZsZ,cAAc,QAAStZ,aA6BrBwZ,mCAhBqBtnN,gBACjB8tM,WAAa,IAAIyX,eACvBzX,WAAW2Y,gBAAkB,KAC7B3Y,WAAWoZ,cAAgB,SACrBK,KAAOzZ,WAAWtjB,iBACxBsjB,WAAWtjB,UAAY,KACrBsjB,WAAW2Y,gBAAkB,KAC7B3Y,WAAWoZ,cAAcpsN,OAAS,EAC3BysN,KAAKtoN,KAAK6uM,aAEnBA,WAAWwV,YAAY,CACrBpuK,OAAQ,OACRl1C,QAAAA,UAEK8tM,kBAQH0Z,eAAiB,SAAUxnN,eACzB8tM,WAAa9tM,QAAQ8tM,WACrB2Z,UAAYznN,QAAQynN,WAAaznN,QAAQk1C,OACzC9lC,SAAWpP,QAAQoP,SACnBsU,QAAU8J,WAAW,GAAIxtB,QAAS,CACtCynN,UAAW,KACX3Z,WAAY,KACZ1+L,SAAU,OAENs4M,kBAAoB3+M,QACpBA,MAAM6F,KAAKsmC,SAAWuyK,YAG1B3Z,WAAW//L,oBAAoB,UAAW25M,mBAEtC3+M,MAAM6F,KAAKA,OACb7F,MAAM6F,KAAKA,KAAO,IAAImkB,WAAWhqB,MAAM6F,KAAKA,KAAM5O,QAAQ0iF,YAAc,EAAG1iF,QAAQ2iF,YAAc55E,MAAM6F,KAAKA,KAAK+zE,YAC7G3iF,QAAQ4O,OACV5O,QAAQ4O,KAAO7F,MAAM6F,KAAKA,OAG9BQ,SAASrG,MAAM6F,WAEjBk/L,WAAW7/L,iBAAiB,UAAWy5M,mBACnC1nN,QAAQ4O,KAAM,OACV+4M,cAAgB3nN,QAAQ4O,gBAAgB0zE,YAC9C5+D,QAAQg/D,WAAailI,cAAgB,EAAI3nN,QAAQ4O,KAAK8zE,WACtDh/D,QAAQi/D,WAAa3iF,QAAQ4O,KAAK+zE,iBAC5BilI,UAAY,CAACD,cAAgB3nN,QAAQ4O,KAAO5O,QAAQ4O,KAAK+2B,QAC/DmoK,WAAWwV,YAAY5/L,QAASkkM,gBAEhC9Z,WAAWwV,YAAY5/L,UAGrBmkM,uBACK,EADLA,wBAEM,IAFNA,wBAGM,IASNC,SAAWC,aACfA,WAAWrpN,SAAQq1B,MACjBA,IAAIuC,YA8CF0xL,aAAe,CAACxqN,MAAOiqE,iBACrB/zC,YACJA,aACE+zC,QACEzjD,SAAWwzJ,iCAAiC,CAChD9jJ,YAAAA,YACA+zC,QAAAA,QACAjqE,MAAAA,eAEEiqE,QAAQuwG,SACH,CACLj0J,OAAQ0jD,QAAQ1jD,OAChBL,QAAS,iCAAmC+jD,QAAQl0C,IACpDna,KAAMyuM,uBACN9zL,IAAK0zC,QACLzjD,SAAAA,UAGAyjD,QAAQ7yC,QACH,CACL7Q,OAAQ0jD,QAAQ1jD,OAChBL,QAAS,+BAAiC+jD,QAAQl0C,IAClDna,KAAMyuM,uBACN9zL,IAAK0zC,QACLzjD,SAAAA,UAGAxmB,MACK,CACLumB,OAAQ0jD,QAAQ1jD,OAChBL,QAAS,+BAAiC+jD,QAAQl0C,IAClDna,KAAMyuM,uBACN9zL,IAAK0zC,QACLzjD,SAAAA,UAGyB,gBAAzByjD,QAAQxzC,cAAkE,IAAhCwzC,QAAQx1C,SAAS0wD,WACtD,CACL5+D,OAAQ0jD,QAAQ1jD,OAChBL,QAAS,8BAAgC+jD,QAAQl0C,IACjDna,KAAMyuM,uBACN9zL,IAAK0zC,QACLzjD,SAAAA,UAGG,MAaHikM,kBAAoB,CAAC5uI,QAASqiF,QAASwsD,mBAAoB5B,wBAA0B,CAAC9oN,MAAOiqE,iBAC3Fx1C,SAAWw1C,QAAQx1C,SACnBk2L,SAAWH,aAAaxqN,MAAOiqE,YACjC0gJ,gBACKD,mBAAmBC,SAAU9uI,YAEV,KAAxBpnD,SAAS0wD,kBACJulI,mBAAmB,CACxBnkM,OAAQ0jD,QAAQ1jD,OAChBL,QAAS,2BAA6B+jD,QAAQl0C,IAC9Cna,KAAMyuM,uBACN9zL,IAAK0zC,SACJ4R,eAEC4K,KAAO,IAAI+nF,SAAS/5I,UACpBwwD,MAAQ,IAAI9J,YAAY,CAACsL,KAAKioF,UAAU,GAAIjoF,KAAKioF,UAAU,GAAIjoF,KAAKioF,UAAU,GAAIjoF,KAAKioF,UAAU,UAClG,IAAIrxK,EAAI,EAAGA,EAAI6gK,QAAQ5gK,OAAQD,IAClC6gK,QAAQ7gK,GAAG4nF,MAAQA,YAEf2lI,QAAU,CACd70L,IAAKk0C,QAAQl0C,YAEf+yL,sBAAsB,CACpBtsN,KAAM,yBACNq/E,QAAAA,QACA+uI,QAAAA,UAEKF,mBAAmB,KAAM7uI,UA4C5BgvI,iBAAmB,CAAChvI,QAASjqE,kBAC3BpV,KAAOy3K,wBAAwBp4F,QAAQ/vE,IAAIm5E,UAGpC,QAATzoF,KAAgB,OACZu5B,IAAM8lD,QAAQ/vE,IAAI0yJ,aAAe3iF,QAAQ/vE,IAAIiqB,IAC7CkuD,UAAYznF,MAAQ,iBACnBoV,SAAS,CACd03K,UAAU,EACVpjK,oCAA8B+9D,mEAA0DluD,KACxFna,KAAMyuM,uBACN7jM,SAAU,CACRy9D,UAAAA,aAIN+lI,eAAe,CACbtyK,OAAQ,iBACRtmC,KAAMyqE,QAAQ/vE,IAAIm5E,MAClBqrH,WAAYz0H,QAAQy0H,WACpB1+L,SAAUk5M,aAACj/L,OACTA,OADSza,KAETA,oBAGAyqE,QAAQ/vE,IAAIm5E,MAAQ7zE,KACpBya,OAAO3qB,SAAQ,SAAU+lB,OACvB40D,QAAQ/vE,IAAI+f,OAASgwD,QAAQ/vE,IAAI+f,QAAU,GAEvCgwD,QAAQ/vE,IAAI+f,OAAO5E,MAAMzqB,QAG7Bq/E,QAAQ/vE,IAAI+f,OAAO5E,MAAMzqB,MAAQyqB,MACT,iBAAbA,MAAM5M,IAAmB4M,MAAM+3I,YACxCnjF,QAAQ/vE,IAAIgzM,WAAajjI,QAAQ/vE,IAAIgzM,YAAc,GACnDjjI,QAAQ/vE,IAAIgzM,WAAW73L,MAAM5M,IAAM4M,MAAM+3I,WAExB,SAAf/3I,MAAMzqB,MAxEE,EAACq/E,QAAS2H,SArJR,SAsJhBA,OACF3H,QAAQy0H,WAAWwV,YAAY,CAC7BpuK,OAAQ,sBACRtmC,KAAMyqE,QAAQ/vE,IAAIm5E,SAqEd8lI,CAAYlvI,QAAS50D,MAAMu8D,WAGxB5xE,SAAS,UAsDhBo5M,sBAAwBC,aAACpvI,QAC7BA,QAD6B6uI,mBAE7BA,mBAF6Bj0L,aAG7BA,aAH6BqyL,sBAI7BA,oCACI,CAAC9oN,MAAOiqE,iBACN0gJ,SAAWH,aAAaxqN,MAAOiqE,YACjC0gJ,gBACKD,mBAAmBC,SAAU9uI,SAEtCitI,sBAAsB,CACpBtsN,KAAM,gBACNq/E,QAAAA,gBAEIqvI,SAMW,gBAAjBz0L,cAAmCwzC,QAAQzzC,aA/2TjBpd,CAAAA,eACpBqtE,KAAO,IAAIlxD,WAAW,IAAIuvD,YAAY1rE,OAAO9b,aAC9C,IAAID,EAAI,EAAGA,EAAI+b,OAAO9b,OAAQD,IACjCopF,KAAKppF,GAAK+b,OAAOoqB,WAAWnmC,UAEvBopF,KAAKt+C,QA02TiEgjL,CAAoBlhJ,QAAQzzC,aAAaihB,UAAUokC,QAAQuvI,iBAAmB,IAAjGnhJ,QAAQx1C,gBAClEonD,QAAQwvI,MA1RcphJ,CAAAA,UACf,CACLqN,UAAWrN,QAAQqN,UACnB8gG,cAAenuG,QAAQmuG,eAAiB,EACxCoJ,cAAev3G,QAAQu3G,eAAiB,IAsR1B8pC,CAAgBrhJ,SAC5B4R,QAAQ16E,IACV06E,QAAQ0vI,eAAiB,IAAIh2L,WAAW21L,UAExCrvI,QAAQoJ,MAAQ,IAAI1vD,WAAW21L,UAE1BR,mBAAmB,KAAM7uI,WAE5B2vI,kBAAoBC,aAAC5vI,QACzBA,QADyBoJ,MAEzBA,MAFyBymI,YAGzBA,YAHyBC,aAIzBA,aAJyBC,yBAKzBA,yBALyBC,yBAMzBA,yBANyBC,MAOzBA,MAPyBC,WAQzBA,WARyBlD,gBASzBA,gBATyBmD,gBAUzBA,gBAVyBC,OAWzBA,OAXyBC,OAYzBA,OAZyBtD,gBAazBA,gBAbyBE,sBAczBA,oCAEMqD,WAAatwI,QAAQ/vE,KAAO+vE,QAAQ/vE,IAAI+f,QAAU,GAClDugM,QAAUxoN,QAAQuoN,WAAWtvL,OAASsvL,WAAWhvL,WAInDkvL,aAAeV,aAAat2M,KAAK,KAAMwmE,QAAS,QAAS,eACvDywI,WAAaX,aAAat2M,KAAK,KAAMwmE,QAAS,QAAS,WACzD0wI,aAAeZ,aAAat2M,KAAK,KAAMwmE,QAAS,QAAS,eACvD2wI,WAAab,aAAat2M,KAAK,KAAMwmE,QAAS,QAAS,OAyG7DmuI,eAAe,CACbtyK,OAAQ,UACR44J,WAAYz0H,QAAQy0H,WACpBl/L,KAAM6zE,MACNkiI,cAAetrI,QAAQsrI,cACvBv1M,SAAUR,OACRyqE,QAAQoJ,MAAQA,MAAQ7zE,KAAKA,WACvBq7M,YAAcr7M,KAAKxP,OACrB6qN,cACFf,YAAY7vI,QAAS,CACnBy4H,SAAUmY,YAAYnY,SACtBC,SAAUkY,YAAYlY,SACtB6X,QAAAA,UAEFV,YAAc,MAtHC7B,SAAS,CAC5B5kI,MAAAA,MACAqrH,WAAYz0H,QAAQy0H,WACpB2X,iBAAkBpsI,QAAQosI,iBAC1B9W,gBAAiBt1H,QAAQs1H,gBACzB0B,MAAOuZ,QACPlE,OAAQtmN,SACNA,OAAOpF,KAAuB,aAAhBoF,OAAOpF,KAAsB,QAAUoF,OAAOpF,KAC5DyvN,OAAOpwI,QAASj6E,SAElBumN,YAAa/B,YACPsF,cACEU,UACFhG,UAAUgG,SAAU,GAEtBV,YAAY7vI,QAASuqI,aAGzBgC,kBAAmB/B,kBAEbgG,mBAAiD,IAA1BhG,gBAAgB/hM,QACzC+nM,aAAahG,gBAAgB/hM,OAC7B+nM,aAAe,MAGbC,iBAA6C,IAAxBjG,gBAAgB9hM,KACvC+nM,WAAWjG,gBAAgB9hM,MAG/B8jM,kBAAmBpkC,kBAEbsoC,mBAAiD,IAA1BtoC,gBAAgB3/J,QACzCioM,aAAatoC,gBAAgB3/J,OAC7BioM,aAAe,MAGbC,iBAA6C,IAAxBvoC,gBAAgB1/J,KACvCioM,WAAWvoC,gBAAgB1/J,MAG/B+jM,yBAA0BrC,+BAClBD,WAAa,CACjB7xB,IAAK,CACH7vK,MAAO2hM,uBAAuB3hM,MAAM4hM,aACpC3hM,IAAK0hM,uBAAuB1hM,IAAI2hM,cAElC9xB,IAAK,CACH9vK,MAAO2hM,uBAAuB3hM,MAAM8Q,OACpC7Q,IAAK0hM,uBAAuB1hM,IAAI6Q,SAGpC0zL,sBAAsB,CACpBtsN,KAAM,wCACNq/E,QAAAA,QACAmqI,WAAAA,aAEF4F,yBAAyB3F,yBAE3BsC,yBAA0BpC,+BAClBH,WAAa,CACjB7xB,IAAK,CACH7vK,MAAO6hM,uBAAuB7hM,MAAM6vK,IACpC5vK,IAAK4hM,uBAAuB5hM,IAAI4vK,KAElCC,IAAK,CACH9vK,MAAO6hM,uBAAuB7hM,MAAM8vK,IACpC7vK,IAAK4hM,uBAAuB5hM,IAAI6vK,MAGpC00B,sBAAsB,CACpBtsN,KAAM,wCACNq/E,QAAAA,QACAmqI,WAAAA,aAEF6F,yBAAyB1F,yBAE3BqC,MAAO,CAACxB,UAAWpf,gBACjBkkB,MAAMjwI,QAASmrI,UAAWpf,eAE5B6gB,WAAY76L,WACVm+L,WAAWlwI,QAAS,CAACjuD,YAEvBi7L,gBAAAA,gBACAF,gBAAiB,KACfqD,mBAEFpD,gBAAAA,gBACAF,OAAQ,CAAC9mN,OAAQ5B,SACVksN,SAGLtqN,OAAOpF,KAAuB,aAAhBoF,OAAOpF,KAAsB,QAAUoF,OAAOpF,KAC5DssN,sBAAsB,CACpBtsN,KAAM,6BACNq/E,QAAAA,UAEFqwI,OAAOlsN,MAAO67E,QAASj6E,UAEzBi6E,QAAAA,QACAitI,sBAAAA,4BAyBE4D,mBAAqBC,aAAC9wI,QAC1BA,QAD0BoJ,MAE1BA,MAF0BymI,YAG1BA,YAH0BC,aAI1BA,aAJ0BC,yBAK1BA,yBAL0BC,yBAM1BA,yBAN0BC,MAO1BA,MAP0BC,WAQ1BA,WAR0BlD,gBAS1BA,gBAT0BmD,gBAU1BA,gBAV0BC,OAW1BA,OAX0BC,OAY1BA,OAZ0BtD,gBAa1BA,gBAb0BE,sBAc1BA,8BAEI8D,kBAAoB,IAAIr3L,WAAW0vD,UA5tcV,SAAkCA,cACxDwqF,QAAQxqF,MAAO,CAAC,SAAS3nF,OAAS,EAiucrCuvN,CAAyBD,oBAC3B/wI,QAAQixI,QAAS,QACXjhM,OACJA,QACEgwD,QAAQ/vE,OACa+f,OAAOlkB,QAAUkkB,OAAOgR,QAAUhR,OAAOsR,cAEhE8uL,OAAOpwI,QAAS,CACdzqE,KAAMw7M,kBACNpwN,KAAM,aAlUc,EAACq/E,QAAS2H,MAAO0oI,UAtKvB,SAuKhB1oI,OACFwmI,eAAe,CACbtyK,OAAQ,mBACRtmC,KAAMyqE,QAAQoJ,MACdqrH,WAAYz0H,QAAQy0H,WACpB1+L,SAAUm7M,aAAC37M,KACTA,KADSw1M,WAETA,mBAEA/qI,QAAQoJ,MAAQ7zE,KAChB86M,OAAO,KAAMrwI,QAAS,CACpB+qI,WAAAA,iBAwTJoG,CAAoBnxI,QAAShwD,OAAOlkB,KAAK67E,MAAO0oI,cAG5C9F,UAAY,CAChB0G,QAAQ,EACRvY,WAAY1oL,OAAOsR,MACnBm3K,WAAYzoL,OAAOgR,OAIjBhR,OAAOgR,OAAShR,OAAOgR,MAAM2mD,OAAgC,SAAvB33D,OAAOgR,MAAM2mD,QACrD4iI,UAAU6G,WAAaphM,OAAOgR,MAAM2mD,OAIlC33D,OAAOsR,OAAStR,OAAOsR,MAAMqmD,OAAgC,SAAvB33D,OAAOsR,MAAMqmD,QACrD4iI,UAAU8G,WAAarhM,OAAOsR,MAAMqmD,OAElC33D,OAAOsR,OAAStR,OAAOgR,QACzBupL,UAAUgG,SAAU,GAItBV,YAAY7vI,QAASuqI,iBAOf+G,cAAgB,CAACv/L,SAAUo5L,aAK/BiF,OAAOpwI,QAAS,CACdzqE,KAAMw7M,kBACNpwN,KAAM4pN,UAAU9R,WAAa8R,UAAUgG,QAAU,QAAU,UAEzDpF,WAAaA,UAAU1pN,QACzBwuN,MAAMjwI,QAASmrI,WAEbp5L,UAAYA,SAAStwB,QACvByuN,WAAWlwI,QAASjuD,UAEtBs+L,OAAO,KAAMrwI,QAAS,KAExBmuI,eAAe,CACbtyK,OAAQ,oBACRonK,WAAYjjI,QAAQ/vE,IAAIgzM,WACxB1tM,KAAMw7M,kBACNtc,WAAYz0H,QAAQy0H,WACpB1+L,SAAUw7M,aAACh8M,KACTA,KADSgW,UAETA,kBAGA69D,MAAQ7zE,KAAK+2B,OACb0zC,QAAQoJ,MAAQ2nI,kBAAoBx7M,KAChCg1M,UAAU9R,WAAa8R,UAAUgG,SACnCT,aAAa9vI,QAAS,QAAS,QAASz0D,WAEtCg/L,UAAU7R,UACZoX,aAAa9vI,QAAS,QAAS,QAASz0D,WAE1C4iM,eAAe,CACbtyK,OAAQ,eACRtmC,KAAMw7M,kBACNtc,WAAYz0H,QAAQy0H,WACpBz2H,OAAQzyD,UACRxV,SAAUy7M,aAACpG,SACTA,SADSD,UAETA,kBAGA/hI,MAAQgiI,SAAS9+K,OACjB0zC,QAAQoJ,MAAQ2nI,kBAAoB3F,SAG/Bp7L,OAAOsR,OAAU8pL,SAAS9hI,YAAetJ,QAAQy0H,WAItD0Z,eAAe,CACbtyK,OAAQ,kBACRuyK,UAAW,cACX3Z,WAAYz0H,QAAQy0H,WACpBl/L,KAAMw7M,kBACN9N,WAAYjjI,QAAQ/vE,IAAIgzM,WACxB0H,SAAU,CAAC36L,OAAOsR,MAAM9iB,IACxBzI,SAAUsU,UAER++D,MAAQ/+D,QAAQ9U,KAAK+2B,OACrB0zC,QAAQoJ,MAAQ2nI,kBAAoB1mM,QAAQ9U,KAC5C8U,QAAQm7L,KAAKngN,SAAQ,SAAUvD,KAC7BirN,gBAAgB7lN,MAAMpF,IAAK,CACzB0rC,OAAQ,yBAGZ8jL,cAAcjnM,QAAQ0H,SAAUo5L,cAnBlCmG,mBAAc7tN,EAAW0nN,yBA6BhCnrI,QAAQy0H,oBAIoB,IAAtBz0H,QAAQ10C,YACjB00C,QAAQ10C,UAAY8sI,wBAAwB24C,oBAEpB,OAAtB/wI,QAAQ10C,WAA4C,QAAtB00C,QAAQ10C,iBACxCukL,YAAY7vI,QAAS,CACnBy4H,UAAU,EACVC,UAAU,SAEZ2X,OAAO,KAAMrwI,QAAS,IAIxB2vI,kBAAkB,CAChB3vI,QAAAA,QACAoJ,MAAAA,MACAymI,YAAAA,YACAC,aAAAA,aACAC,yBAAAA,yBACAC,yBAAAA,yBACAC,MAAAA,MACAC,WAAAA,WACAlD,gBAAAA,gBACAmD,gBAAAA,gBACAC,OAAAA,OACAC,OAAAA,OACAtD,gBAAAA,gBACAE,sBAAAA,6BA7BAoD,OAAO,KAAMrwI,QAAS,KAgCpByxI,QAAU,gBAOb17M,cAPuByI,GACxBA,GADwBlZ,IAExBA,IAFwBoqN,eAGxBA,eAHwBgC,iBAIxBA,iBAJwB1xI,QAKxBA,QALwBqwI,OAMxBA,qBAEMsB,kBAAoBjiN,WACpBA,MAAM6F,KAAKtP,SAAWuY,GAAI,CAC5BkzM,iBAAiBh9M,oBAAoB,UAAWi9M,yBAC1CC,UAAYliN,MAAM6F,KAAKq8M,UAC7B77M,SAAS,IAAI2jB,WAAWk4L,UAAUxoI,MAAOwoI,UAAUvoI,WAAYuoI,UAAUtoI,mBAsBzEuoI,SAnBJH,iBAAiBh1L,QAAU,WACnBrS,QAAU,6CACV2iJ,YAAc4gD,mBAAmB,CACrC5tI,QAAAA,UAEI8xI,aAAe,CACnBznM,QAAAA,QACAM,SAAU,CACRxmB,MAAO,IAAIG,MAAM+lB,SACjBq0J,UAAWn+K,QAAQ+D,MAAM02E,gCACzBgyF,YAAAA,YACA+hD,QAAS,CACP70L,IAAK8lD,QAAQ16E,IAAIq9J,aAAe3iF,QAAQ/vE,IAAI3K,IAAIq9J,eAItD0tD,OAAOyB,aAAc9xI,UAEvB0xI,iBAAiB98M,iBAAiB,UAAW+8M,mBAG3CE,SADEvsN,IAAI8jF,MAAMnoF,MACDqE,IAAI8jF,MAAMnoF,QAEV,IAAIq+E,YAAYx8E,MAAMiC,UAAU9D,MAAM2E,KAAKN,IAAI8jF,QAG5DsoI,iBAAiBzH,YAAY3iC,0BAA0B,CACrDrhL,OAAQuY,GACRuzM,UAAWrC,eACXpqN,IAAKusN,SACLzuI,GAAI99E,IAAI89E,KACN,CAACssI,eAAepjL,OAAQulL,SAASvlL,UA2GjC0lL,kBAAoBC,aAACvD,WACzBA,WADyBgD,iBAEzBA,iBAFyB7B,YAGzBA,YAHyBC,aAIzBA,aAJyBC,yBAKzBA,yBALyBC,yBAMzBA,yBANyBC,MAOzBA,MAPyBC,WAQzBA,WARyBlD,gBASzBA,gBATyBmD,gBAUzBA,gBAVyBC,OAWzBA,OAXyBC,OAYzBA,OAZyBtD,gBAazBA,gBAbyBE,sBAczBA,8BAEItjL,MAAQ,EACRuoL,UAAW,QACR,CAAC/tN,MAAO67E,eACTkyI,aAGA/tN,aACF+tN,UAAW,EAEXzD,SAASC,YAYF2B,OAAOlsN,MAAO67E,YAEvBr2C,OAAS,EACLA,QAAU+kL,WAAWjtN,OAAQ,OACzB0wN,cAAgB,cAChBnyI,QAAQ0vI,qBA1HG0C,CAAAA,aAACV,iBACtBA,iBADsB1xI,QAEtBA,QAFsB6vI,YAGtBA,YAHsBC,aAItBA,aAJsBC,yBAKtBA,yBALsBC,yBAMtBA,yBANsBC,MAOtBA,MAPsBC,WAQtBA,WARsBlD,gBAStBA,gBATsBmD,gBAUtBA,gBAVsBC,OAWtBA,OAXsBC,OAYtBA,OAZsBtD,gBAatBA,gBAbsBE,sBActBA,8BAEAA,sBAAsB,CACpBtsN,KAAM,2BAER8wN,QAAQ,CACNjzM,GAAIwhE,QAAQqyI,UACZ/sN,IAAK06E,QAAQ16E,IACboqN,eAAgB1vI,QAAQ0vI,eACxBgC,iBAAAA,iBACA1xI,QAAAA,QACAqwI,OAAAA,SACCiC,iBACDtyI,QAAQoJ,MAAQkpI,eAChBrF,sBAAsB,CACpBtsN,KAAM,4BACNq/E,QAAAA,UAEF6wI,mBAAmB,CACjB7wI,QAAAA,QACAoJ,MAAOpJ,QAAQoJ,MACfymI,YAAAA,YACAC,aAAAA,aACAC,yBAAAA,yBACAC,yBAAAA,yBACAC,MAAAA,MACAC,WAAAA,WACAlD,gBAAAA,gBACAmD,gBAAAA,gBACAC,OAAAA,OACAC,OAAAA,OACAtD,gBAAAA,gBACAE,sBAAAA,4BA6EWsF,CAAe,CACpBb,iBAAAA,iBACA1xI,QAAAA,QACA6vI,YAAAA,YACAC,aAAAA,aACAC,yBAAAA,yBACAC,yBAAAA,yBACAC,MAAAA,MACAC,WAAAA,WACAlD,gBAAAA,gBACAmD,gBAAAA,gBACAC,OAAAA,OACAC,OAAAA,OACAtD,gBAAAA,gBACAE,sBAAAA,wBAIJ4D,mBAAmB,CACjB7wI,QAAAA,QACAoJ,MAAOpJ,QAAQoJ,MACfymI,YAAAA,YACAC,aAAAA,aACAC,yBAAAA,yBACAC,yBAAAA,yBACAC,MAAAA,MACAC,WAAAA,WACAlD,gBAAAA,gBACAmD,gBAAAA,gBACAC,OAAAA,OACAC,OAAAA,OACAtD,gBAAAA,gBACAE,sBAAAA,4BAIJjtI,QAAQwyI,iBAAmBpzI,KAAKxlE,MAC5BomE,QAAQ/vE,KAAO+vE,QAAQ/vE,IAAIy/M,iBAAmB1vI,QAAQ/vE,IAAIm5E,aAC5D6jI,sBAAsB,CACpBtsN,KAAM,yBACNq/E,QAAAA,UAEKyxI,QAAQ,CACbC,iBAAAA,iBAIAlzM,GAAIwhE,QAAQqyI,UAAY,QACxB3C,eAAgB1vI,QAAQ/vE,IAAIy/M,eAC5BpqN,IAAK06E,QAAQ/vE,IAAI3K,IACjB06E,QAAAA,QACAqwI,OAAAA,SACCiC,iBACDtyI,QAAQ/vE,IAAIm5E,MAAQkpI,eACpBrF,sBAAsB,CACpBtsN,KAAM,4BACNq/E,QAAAA,UAEFgvI,iBAAiBhvI,SAASyyI,gBACpBA,kBACFhE,SAASC,YACF2B,OAAOoC,WAAYzyI,SAE5BmyI,sBAINA,oBAgDAO,eAAiBC,aAAC3yI,QACtBA,QADsB4yI,WAEtBA,WAFsB/C,YAGtBA,YAHsBC,aAItBA,aAJsBC,yBAKtBA,yBALsBC,yBAMtBA,yBANsBC,MAOtBA,MAPsBC,WAQtBA,WARsBlD,gBAStBA,gBATsBmD,gBAUtBA,gBAVsBC,OAWtBA,sBACI1gN,YACYA,MAAMoB,OACVyqB,eAGZykD,QAAQwvI,MAAQtoN,MAAM84E,QAAQwvI,MAh6BPqD,CAAAA,sBACjBzkJ,QAAUykJ,cAAc/hN,OAExB0+M,MAAQ,CACZ/zI,UAAWlyD,EAAAA,EACXgzJ,cAAe,EACfoJ,cAJoBvmG,KAAKxlE,MAAQw0D,QAAQw3G,aAIT,UAElC4pC,MAAMjzC,cAAgBs2C,cAAc7nC,OAIpCwkC,MAAM/zI,UAAYlqE,KAAK4X,MAAMqmM,MAAMjzC,cAAgBizC,MAAM7pC,cAAgB,EAAI,KACtE6pC,OAm5B8BsD,CAAiBpjN,SAEjDswE,QAAQwvI,MAAMuD,sBAAwB/yI,QAAQwvI,MAAMjzC,gBACvDv8F,QAAQwvI,MAAMuD,qBAAuB3zI,KAAKxlE,OAErCg5M,WAAWljN,MAAOswE,WAuErBgzI,oBAAsBC,aAACv4L,IAC3BA,IAD2Bw4L,WAE3BA,WAF2BxB,iBAG3BA,iBAH2B1xI,QAI3BA,QAJ2BmzI,QAK3BA,QAL2BP,WAM3BA,WAN2B/C,YAO3BA,YAP2BC,aAQ3BA,aAR2BC,yBAS3BA,yBAT2BC,yBAU3BA,yBAV2BC,MAW3BA,MAX2BC,WAY3BA,WAZ2BlD,gBAa3BA,gBAb2BmD,gBAc3BA,gBAd2BC,OAe3BA,OAf2BC,OAgB3BA,OAhB2BtD,gBAiB3BA,gBAjB2BE,sBAkB3BA,oCAEMyB,WAAa,GACbG,mBAAqBmD,kBAAkB,CAC3CtD,WAAAA,WACAgD,iBAAAA,iBACA7B,YAAAA,YACAC,aAAAA,aACAC,yBAAAA,yBACAC,yBAAAA,yBACAC,MAAAA,MACAC,WAAAA,WACAlD,gBAAAA,gBACAmD,gBAAAA,gBACAC,OAAAA,OACAC,OAAAA,OACAtD,gBAAAA,gBACAE,sBAAAA,2BAGEjtI,QAAQ16E,MAAQ06E,QAAQ16E,IAAI8jF,MAAO,OAC/Bi5E,QAAU,CAACriF,QAAQ16E,KACrB06E,QAAQ/vE,MAAQ+vE,QAAQ/vE,IAAIm5E,OAASpJ,QAAQ/vE,IAAI3K,KAAO06E,QAAQ/vE,IAAI3K,IAAIq9J,cAAgB3iF,QAAQ16E,IAAIq9J,aACtGN,QAAQ5/J,KAAKu9E,QAAQ/vE,IAAI3K,WAErB8tN,kBAAoBlsN,MAAMgsN,WAAY,CAC1Ch5L,IAAK8lD,QAAQ16E,IAAIq9J,YACjB/nI,aAAc,cACdP,YAAa,gBAETg5L,mBAAqBzE,kBAAkB5uI,QAASqiF,QAASwsD,mBAAoB5B,uBAInFA,sBAAsB,CACpBtsN,KAAM,sBACNq/E,QAAAA,QACA+uI,QANc,CACd70L,IAAK8lD,QAAQ16E,IAAIq9J,qBAOb2wD,OAAS54L,IAAI04L,kBAAmBC,oBACtC3E,WAAWjsN,KAAK6wN,WAGdtzI,QAAQ/vE,MAAQ+vE,QAAQ/vE,IAAIm5E,MAAO,IACbpJ,QAAQ/vE,IAAI3K,OAAS06E,QAAQ16E,KAAO06E,QAAQ16E,IAAIq9J,cAAgB3iF,QAAQ/vE,IAAI3K,IAAIq9J,aACnF,OACb4wD,qBAAuBrsN,MAAMgsN,WAAY,CAC7Ch5L,IAAK8lD,QAAQ/vE,IAAI3K,IAAIq9J,YACrB/nI,aAAc,cACdP,YAAa,gBAETm5L,sBAAwB5E,kBAAkB5uI,QAAS,CAACA,QAAQ/vE,IAAI3K,KAAMupN,mBAAoB5B,uBAIhGA,sBAAsB,CACpBtsN,KAAM,sBACNq/E,QAAAA,QACA+uI,QANc,CACd70L,IAAK8lD,QAAQ/vE,IAAI3K,IAAIq9J,qBAOjB8wD,UAAY/4L,IAAI64L,qBAAsBC,uBAC5C9E,WAAWjsN,KAAKgxN,iBAEZC,mBAAqBxsN,MAAMgsN,WAAY,CAC3Ch5L,IAAK8lD,QAAQ/vE,IAAI0yJ,YACjB/nI,aAAc,cACdtB,QAASwtJ,kBAAkB9mG,QAAQ/vE,KACnCoqB,YAAa,iCAETs5L,2BAr3BwBC,CAAAA,aAAC5zI,QACjCA,QADiC6uI,mBAEjCA,mBAFiC5B,sBAGjCA,oCACI,CAAC9oN,MAAOiqE,iBACN0gJ,SAAWH,aAAaxqN,MAAOiqE,YACjC0gJ,gBACKD,mBAAmBC,SAAU9uI,eAEhCoJ,MAAQ,IAAI1vD,WAAW00C,QAAQx1C,aACrCq0L,sBAAsB,CACpBtsN,KAAM,gBACNq/E,QAAAA,UAIEA,QAAQ/vE,IAAI3K,WACd06E,QAAQ/vE,IAAIy/M,eAAiBtmI,MACtBylI,mBAAmB,KAAM7uI,SAElCA,QAAQ/vE,IAAIm5E,MAAQA,MACpB4lI,iBAAiBhvI,SAAS,SAAUyyI,eAC9BA,kBACFA,WAAW/3L,IAAM0zC,QACjBqkJ,WAAW/nM,OAAS0jD,QAAQ1jD,OACrBmkM,mBAAmB4D,WAAYzyI,SAExC6uI,mBAAmB,KAAM7uI,cA01BU6zI,CAA0B,CAC3D7zI,QAAAA,QACA6uI,mBAAAA,mBACA5B,sBAAAA,wBAEFA,sBAAsB,CACpBtsN,KAAM,mBACNq/E,QAAAA,gBAEI8zI,eAAiBp5L,IAAIg5L,mBAAoBC,4BAC/CjF,WAAWjsN,KAAKqxN,sBAEZC,sBAAwB7sN,MAAMgsN,WAAY,CAC9Ch5L,IAAK8lD,QAAQj3B,MAAQi3B,QAAQj3B,KAAK45G,aAAe3iF,QAAQ2iF,YACzD/nI,aAAc,cACdtB,QAASwtJ,kBAAkB9mG,SAC3B3lD,YAAa,YAET25L,uBAAyB7E,sBAAsB,CACnDnvI,QAAAA,QACA6uI,mBAAAA,mBACAj0L,aAAcm5L,sBAAsBn5L,aACpCqyL,sBAAAA,wBAEFA,sBAAsB,CACpBtsN,KAAM,mBACNq/E,QAAAA,gBAEIi0I,WAAav5L,IAAIq5L,sBAAuBC,wBAC9CC,WAAWr/M,iBAAiB,WAAY89M,eAAe,CACrD1yI,QAAAA,QACA4yI,WAAAA,WACA/C,YAAAA,YACAC,aAAAA,aACAC,yBAAAA,yBACAC,yBAAAA,yBACAC,MAAAA,MACAC,WAAAA,WACAlD,gBAAAA,gBACAmD,gBAAAA,gBACAC,OAAAA,UAEF1B,WAAWjsN,KAAKwxN,kBAGVC,aAAe,UACrBxF,WAAWrpN,SAAQ8uN,YACjBA,UAAUv/M,iBAAiB,UAvQTw/M,CAAAA,aAACF,aACrBA,aADqBf,QAErBA,uBACIzjN,QACYA,MAAMoB,OACVyqB,SAAW43L,UAAYe,aAAaG,gBAC9ClB,UACAe,aAAaG,eAAgB,KAgQSC,CAAc,CAClDJ,aAAAA,aACAf,QAAAA,cAGG,IAAM1E,SAASC,aAOlB6F,QAAU57C,OAAO,cAiBjB67C,OAAS,CAACxiM,KAAM1e,eACdmhN,gBAAkBnhN,MAAMnI,YAAc,UACrC6mB,MAAQA,KAAKuxD,aAAevxD,KAAKuxD,YAAY4kF,OAASssD,gBAAgBtsD,OAASn2I,KAAKuxD,YAAY4kF,MAAMssD,gBAAgBtsD,QAmBzHusD,gBAAkB,SAAUC,iBAC1B1sI,OAAS,UACf0sI,UAAUtvN,SAAQuvN,aAACxsI,UACjBA,UADiBznF,KAEjBA,KAFiBwnF,QAGjBA,gBAEAF,OAAOG,WAAaH,OAAOG,YAAc,GACzCH,OAAOG,WAAW3lF,KAAKilF,+BAAwB/mF,aAAOwnF,cAExDrjF,OAAOG,KAAKgjF,QAAQ5iF,SAAQ,SAAU+iF,cAChCH,OAAOG,WAAW3mF,OAAS,SAC7B8yN,2BAAoBnsI,kDAAyCH,OAAOG,WAAWn1E,KAAK,+GACpFg1E,OAAOG,WAAa,MAGtBH,OAAOG,WAAaH,OAAOG,WAAW,MAEjCH,QAEH4sI,WAAa,SAAUC,cACvBnrL,MAAQ,SACRmrL,SAAS9zL,OACX2I,QAEEmrL,SAASxzL,OACXqI,QAEKA,OAeHorL,kBAAoB,SAAU/iM,KAAM1e,aAClCmhN,gBAAkBnhN,MAAMnI,YAAc,GACtC6pN,UAAYN,gBA1EF,SAAUphN,aAGpBmhN,gBAAkBnhN,MAAMnI,YAAc,MACxCspN,gBAAgBxsD,cACXlgF,YAAY0sI,gBAAgBxsD,QAqEHgtD,CAAU3hN,QAAU,OAGlDkhN,OAAOxiM,KAAM1e,SAAW0hN,UAAUh0L,QAjExB,EAAChP,KAAM1e,aAChBkhN,OAAOxiM,KAAM1e,cACT,QAEHmhN,gBAAkBnhN,MAAMnI,YAAc,GACtC+pN,WAAaljM,KAAKuxD,YAAY4kF,MAAMssD,gBAAgBtsD,WACrD,MAAMiV,WAAW83C,eAKfA,WAAW93C,SAASljJ,MAAQg7L,WAAW93C,SAAS95F,iBAC5C,SAGJ,GAmDAitI,CAAQv+L,KAAM1e,OAAQ,OAInB6hN,cAAgBT,gBAx3uBJ,SAA2B5uD,OAAQsvD,kBACpDtvD,OAAOviF,YAAY4kF,QAAUitD,oBACzB,SAELF,WAAapvD,OAAOviF,YAAY4kF,MAAMitD,kBACrCF,kBACI,SAEJ,IAAIrzN,QAAQqzN,WAAY,KACvBG,UAAYH,WAAWrzN,SACvBwzN,UAAU73L,SAAW63L,UAAU/xI,iBAE1ByE,YAAYstI,UAAU/xI,UAAU,GAAGn4E,WAAW88J,eAGlD,KAy2uBmCqtD,CAAkBtjM,KAAMyiM,gBAAgBtsD,QAAU,IACpFgtD,cAAcn0L,QAChBg0L,UAAUh0L,MAAQm0L,cAAcn0L,cAI/Bg0L,WAEHO,MAAQ58C,OAAO,oBACf68C,uBAAyB,SAAUj6I,oBAClCA,iBAAmBA,eAAe8H,sBAGjCA,SAAW9H,eAAe8H,gBACzBpoD,KAAKsB,UAAU,CACpB/d,GAAI6kE,SAAS7kE,GACbi9D,UAAWF,eAAeE,UAC1B1sE,MAAOwsE,eAAexsE,MACtBF,OAAQ0sE,eAAe1sE,OACvBo5E,OAAQ5E,SAASl4E,YAAck4E,SAASl4E,WAAW88J,QAAU,MAe3DwtD,qBAAuB,SAAUpqN,GAAIqqN,cACpCrqN,SACI,SAEHtF,OAASrD,OAAO6N,iBAAiBlF,WAClCtF,OAGEA,OAAO2vN,UAFL,IAYLC,WAAa,SAAUr4L,MAAOs4L,cAC5BC,SAAWv4L,MAAMr8B,QACvBq8B,MAAMu/B,MAAK,SAAU3tD,KAAMkV,aACnB0xM,IAAMF,OAAO1mN,KAAMkV,cACb,IAAR0xM,IACKD,SAAS70N,QAAQkO,MAAQ2mN,SAAS70N,QAAQojB,OAE5C0xM,QAcLC,yBAA2B,SAAU7mN,KAAMkV,WAC3C4xM,cACAC,sBACA/mN,KAAK/D,WAAW8zE,YAClB+2I,cAAgB9mN,KAAK/D,WAAW8zE,WAElC+2I,cAAgBA,eAAiBtzN,OAAOwN,OAAOqrK,UAC3Cn3J,MAAMjZ,WAAW8zE,YACnBg3I,eAAiB7xM,MAAMjZ,WAAW8zE,WAEpCg3I,eAAiBA,gBAAkBvzN,OAAOwN,OAAOqrK,UAC1Cy6C,cAAgBC,oBAmDrBC,eAAiB,SAAUlkM,KAAMmkM,gBAAiBlzK,YAAaL,aAAcwzK,iCAAkCC,wBAE5GrkM,kBAGCrrB,QAAU,CACd80E,UAAW06I,gBACXpnN,MAAOk0C,YACPp0C,OAAQ+zC,aACRwzK,iCAAAA,sCAEE9yI,UAAYtxD,KAAKsxD,UAEjBs4F,SAAS5T,YAAYh2I,QACvBsxD,UAAY+yI,mBAAmBC,0BAG/B3vN,QAAQkiK,WAAY,OAGlB0tD,mBAAqBjzI,UAAUrzE,KAAIozE,eACjC5H,gBACE1sE,MAAQs0E,SAASl4E,YAAck4E,SAASl4E,WAAW6zE,YAAcqE,SAASl4E,WAAW6zE,WAAWjwE,MAChGF,OAASw0E,SAASl4E,YAAck4E,SAASl4E,WAAW6zE,YAAcqE,SAASl4E,WAAW6zE,WAAWnwE,cACvG4sE,UAAY4H,SAASl4E,YAAck4E,SAASl4E,WAAW8zE,UACvDxD,UAAYA,WAAa/4E,OAAOwN,OAAOqrK,UAChC,CACL9/F,UAAAA,UACA1sE,MAAAA,MACAF,OAAAA,OACAw0E,SAAAA,aAGJsyI,WAAWY,oBAAoB,CAACrnN,KAAMkV,QAAUlV,KAAKusE,UAAYr3D,MAAMq3D,YAGvE86I,mBAAqBA,mBAAmBhyN,QAAOiyN,MAAQ56C,SAASV,eAAes7C,IAAInzI,gBAG/EozI,oBAAsBF,mBAAmBhyN,QAAOiyN,KAAO56C,SAAST,UAAUq7C,IAAInzI,YAC7EozI,oBAAoBh1N,SAIvBg1N,oBAAsBF,mBAAmBhyN,QAAOiyN,MAAQ56C,SAASQ,WAAWo6C,IAAInzI,mBAI5EqzI,sBAAwBD,oBAAoBlyN,QAAOiyN,KAAOA,IAAI/6I,UAAYm0G,OAAOM,mBAAqBimC,sBACxGQ,6BAA+BD,sBAAsBA,sBAAsBj1N,OAAS,SAGlFm1N,iBAAmBF,sBAAsBnyN,QAAOiyN,KAAOA,IAAI/6I,YAAck7I,6BAA6Bl7I,YAAW,OAE9E,IAArC26I,iCAA4C,OACxCS,UAAYD,kBAAoBH,oBAAoB,IAAMF,mBAAmB,MAC/EM,WAAaA,UAAUxzI,SAAU,KAC/B1iF,KAAO,4BACPi2N,mBACFj2N,KAAO,oBAEL81N,oBAAoB,KACtB91N,KAAO,uBAET40N,yBAAkBC,uBAAuBqB,6BAAoBl2N,sBAAqBgG,SAC3EkwN,UAAUxzI,gBAEnBkyI,MAAM,2CAA4C5uN,SAC3C,WAGHmwN,eAAiBJ,sBAAsBnyN,QAAOiyN,KAAOA,IAAIznN,OAASynN,IAAI3nN,SAE5E8mN,WAAWmB,gBAAgB,CAAC5nN,KAAMkV,QAAUlV,KAAKH,MAAQqV,MAAMrV,cAEzDgoN,sBAAwBD,eAAevyN,QAAOiyN,KAAOA,IAAIznN,QAAUk0C,aAAeuzK,IAAI3nN,SAAW+zC,eACvG+zK,6BAA+BI,sBAAsBA,sBAAsBt1N,OAAS,SAE9Eu1N,kBAAoBD,sBAAsBxyN,QAAOiyN,KAAOA,IAAI/6I,YAAck7I,6BAA6Bl7I,YAAW,OACpHw7I,sBACAC,0BACAC,qBAYAC,qBATCJ,oBACHC,sBAAwBH,eAAevyN,QAAOiyN,KAAOA,IAAIznN,MAAQk0C,aAAeuzK,IAAI3nN,OAAS+zC,eAE7Fs0K,0BAA4BD,sBAAsB1yN,QAAOiyN,KAAOA,IAAIznN,QAAUkoN,sBAAsB,GAAGloN,OAASynN,IAAI3nN,SAAWooN,sBAAsB,GAAGpoN,SAGxJ8nN,6BAA+BO,0BAA0BA,0BAA0Bz1N,OAAS,GAC5F01N,qBAAuBD,0BAA0B3yN,QAAOiyN,KAAOA,IAAI/6I,YAAck7I,6BAA6Bl7I,YAAW,IAMvH46I,mBAAmBgB,uBAAwB,OAEvCC,mBAAqBR,eAAe7mN,KAAIumN,MAC5CA,IAAIe,UAAYhmN,KAAK24B,IAAIssL,IAAIznN,MAAQk0C,aAAe1xC,KAAK24B,IAAIssL,IAAI3nN,OAAS+zC,cACnE4zK,OAGTb,WAAW2B,oBAAoB,CAACpoN,KAAMkV,QAEhClV,KAAKqoN,YAAcnzM,MAAMmzM,UACpBnzM,MAAMq3D,UAAYvsE,KAAKusE,UAEzBvsE,KAAKqoN,UAAYnzM,MAAMmzM,YAEhCH,kBAAoBE,mBAAmB,SAGnCT,UAAYO,mBAAqBD,sBAAwBH,mBAAqBJ,kBAAoBH,oBAAoB,IAAMF,mBAAmB,MACjJM,WAAaA,UAAUxzI,SAAU,KAC/B1iF,KAAO,4BACPy2N,kBACFz2N,KAAO,oBACEw2N,qBACTx2N,KAAO,uBACEq2N,kBACTr2N,KAAO,oBACEi2N,iBACTj2N,KAAO,mBACE81N,oBAAoB,KAC7B91N,KAAO,uBAET40N,yBAAkBC,uBAAuBqB,6BAAoBl2N,sBAAqBgG,SAC3EkwN,UAAUxzI,gBAEnBkyI,MAAM,2CAA4C5uN,SAC3C,YAcH6wN,sBAAwB,eACxBC,WAAaj3N,KAAKk3N,qBAAsBh1N,OAAOi1N,kBAAwB,SACtE7zM,MAAMtjB,KAAKo3N,oBACdH,WAAaj3N,KAAKo3N,kBAEb1B,eAAe11N,KAAK8iF,UAAUtxD,KAAMxxB,KAAKq3N,gBAAiBl0M,SAAS8xM,qBAAqBj1N,KAAKi+B,MAAMpzB,KAAM,SAAU,IAAMosN,WAAY9zM,SAAS8xM,qBAAqBj1N,KAAKi+B,MAAMpzB,KAAM,UAAW,IAAMosN,WAAYj3N,KAAK41N,iCAAkC51N,KAAKs3N,+BA+K7PC,6BAA6Bp1D,wBAE3B,IAAI3vI,IAAI2vI,aAAaq1D,SAAShrN,MAAM,KAAK/L,OAAO,GAAGgS,KAAK,KAC/D,MAAOT,SACA,UA2ILylN,YAAcC,aAACC,iBACnBA,iBADmB5oC,cAEnBA,cAFmBu8B,gBAGnBA,gBAHmBsM,cAInBA,0BAEK7oC,2BAGC8oC,IAAM31N,OAAO41N,eAAiB51N,OAAOu9B,OACrCs4L,cAAgBJ,iBAAiBK,mBAClCD,wBAGLhpC,cAAclqL,SAAQslB,iBACdi7B,KAAOj7B,SAAS8kK,QAAUq8B,kBAKZ,iBAATlmK,MAAqBljD,OAAOohB,MAAM8hC,OAASA,KAAO,IAAOA,KAAOr8B,EAAAA,GAItEoB,SAAS+kK,QAAW/kK,SAAS+kK,OAAOjuL,QAGzCkpB,SAAS+kK,OAAOrqL,SAAQ+yL,cAChB9sK,IAAM,IAAI+sM,IAAIzyK,KAAMA,KAAMwyI,MAAM1yL,OAAS0yL,MAAMrlK,KAAOqlK,MAAM7iL,MAAQ,IAC1E+V,IAAI8sK,MAAQA,MACZ9sK,IAAI5lB,MAAQ0yL,MA/DM,SAAU9sK,KAChCxmB,OAAO46B,iBAAiBpU,IAAI8sK,MAAO,CACjC55K,GAAI,CACF3X,IAAG,KACDtG,QAAQuB,IAAIoC,KAAK,0DACVonB,IAAI5lB,MAAMJ,MAGrBI,MAAO,CACLmB,IAAG,KACDtG,QAAQuB,IAAIoC,KAAK,8DACVonB,IAAI5lB,MAAM6P,OAGrB81L,YAAa,CACXxkM,IAAG,KACDtG,QAAQuB,IAAIoC,KAAK,oEACVonB,IAAI5lB,MAAM6P,SA+CnBkjN,CAAgBntM,KAChBitM,cAAcpsM,OAAOb,YAGpBitM,cAAcltM,OAASktM,cAAcltM,KAAK5pB,oBAMzC4pB,KAAOktM,cAAcltM,KACrBqtM,UAAY,OAGb,IAAIl3N,EAAI,EAAGA,EAAI6pB,KAAK5pB,OAAQD,IAC3B6pB,KAAK7pB,IACPk3N,UAAUj2N,KAAK4oB,KAAK7pB,UAIlBm3N,uBAAyBD,UAAUnzN,QAAO,CAACa,IAAKklB,aAC9CstM,SAAWxyN,IAAIklB,IAAIC,YAAc,UACvCqtM,SAASn2N,KAAK6oB,KACdllB,IAAIklB,IAAIC,WAAaqtM,SACdxyN,MACN,IAEGyyN,iBAAmB/zN,OAAOG,KAAK0zN,wBAAwB97J,MAAK,CAAC33B,EAAG77B,IAAM6G,OAAOg1B,GAAKh1B,OAAO7G,KAE/FwvN,iBAAiBxzN,SAAQ,CAACkmB,UAAWqyK,aAC7Bk7B,SAAWH,uBAAuBptM,WAClCwtM,eAAiBvoJ,SAAS4nJ,eAAiBA,cAAgB7sM,UAC3DytM,SAAW9oN,OAAO2oN,iBAAiBj7B,IAAM,KAAOm7B,eAEtDD,SAASzzN,SAAQimB,MACfA,IAAIE,QAAUwtM,gBAKdC,cAAgB,CACpBz6M,GAAI,KACJg/C,MAAO,QACPmoB,UAAW,aACXz7D,SAAU,WACVw7D,QAAS,WACTI,UAAW,cACXF,gBAAiB,mBACjBszI,UAAW,aACXC,SAAU,aAENC,oBAAsB,IAAIr6M,IAAI,CAAC,KAAM,QAAS,YAAa,WAAY,UAAW,YAAa,YAAa,UAAW,qBAiDvHs6M,+BAAiC,CAAClB,iBAAkBpsB,aAAcrgL,QAClEysM,iBAAiBK,iBAGrBL,iBAAiBK,eAAiB9sM,KAAKQ,mBAAmB,CACxDkF,KAAM,WACNnE,MAAO,mBACN,GAAO7B,MACL7qB,QAAQ0J,QAAQD,gBACnBmuN,iBAAiBK,eAAec,gCAAkCvtB,gBAYhEwtB,oBAAsB,SAAU9wM,MAAOC,IAAK0C,WAC5C5pB,EACA8pB,OACCF,OAGAA,MAAMC,SAGX7pB,EAAI4pB,MAAMC,KAAK5pB,OACRD,KACL8pB,IAAMF,MAAMC,KAAK7pB,GAEb8pB,IAAIC,WAAa9C,OAAS6C,IAAIE,SAAW9C,KAC3C0C,MAAM+U,UAAU7U,MAwMhBkuM,OAASn2M,KAAsB,iBAARA,KAAoBmtD,SAASntD,KAqDpDo2M,kBAAoBzsD,oBAClB0sD,eACJA,eADIxvM,SAEJA,SAFI81D,QAGJA,QAHIj3B,KAIJA,KACAs6B,UACEV,cAAe++G,IADPljL,GAERA,GAFQmjE,SAGRA,SAAW,IAEbg4I,WAAY54N,MAVRgkF,UAWJA,UAXI9C,SAYJA,UACE+qF,YACE4sD,WAAaj4I,SAASlgF,OAAS,MACjCo4N,UAAY,iCACZ7sD,YAAY6O,oBACdg+C,yCAAoC7sD,YAAY6O,yBACvC7O,YAAY8sD,gBACrBD,UAAY,2CAEV7sD,YAAY+sD,cACdF,uCAAkC7sD,YAAY+sD,oBAE1CC,aAAoC,iBAAdj1I,UACtBljF,KAAOmrK,YAAYhtF,QAAQ9lD,IAAM,UAAY,cAC7C+/L,mBAAqBD,aAAepgD,kBAAkB,CAC1D13F,eAAgBlC,UACb,EAAI,QACF,UAAGn+E,kBAAS6/L,IAAM3gM,kBAAS2gM,IAAMk4B,iBAAiBI,8BAAyBj1I,sBAAak1I,wBAAwB,kCAA6Bj6I,QAAQv3D,qBAAYu3D,QAAQt3D,UAAUsxM,wCAAmCjxK,KAAKtgC,qBAAYsgC,KAAKrgC,SAAS,+BAA0BgxM,yCAAkCxvM,mCAA4B+3D,sCAA+B43I,oCAA6Br7M,SAE5Y07M,2BAA6B9xI,qBAAgBA,wBAuK7C+xI,4BAA8BC,aAACC,yBACnCA,yBADmC/4I,gBAEnCA,gBAFmC6pF,gBAGnCA,gBAHmCmvD,WAInCA,WAJmCC,cAKnCA,yBAEIj5I,kBAAoB6pF,uBACf,KAEU,UAAfmvD,WAAwB,OACpBE,uBAAyBH,yBAAyBI,mBAAmB,CACzE95N,KAAM,gBAMA65N,wBAA0BA,uBAAuBr9M,KAAOguJ,mBAM/C,SAAfmvD,YAAyBC,cAAe,OACpCG,2BAA6BL,yBAAyBM,sBAAsB,CAChFh6N,KAAM,iBAoBJ+5N,4BAA8BA,2BAA2Bv9M,KAAOguJ,uBAK/D,GA6CHyvD,qBAAuBC,sBACrB7tD,YAAc6tD,cAAcC,oBAC7B9tD,sBAG4BmtD,4BAA4B,CAC3DE,yBAA0BQ,cAAcE,0BACxCz5I,gBAAiBu5I,cAAcG,iBAC/B7vD,gBAAiB6B,YAAY/qF,SAC7Bq4I,WAAYO,cAAcI,YAC1BV,cAAeM,cAAcK,kBArDGb,CAAAA,+BAC7BA,gCACI,QAEHK,2BAA6BL,yBAAyBM,sBAAsB,CAChFh6N,KAAM,UAEFw6N,0BAA4Bd,yBAAyBM,sBAAsB,CAC/Eh6N,KAAM,SAEFy6N,0BAA4BV,4BAA8BS,0BAC1DE,wBAA0BD,2BAA6BV,2BAA2Bv9M,KAAOg+M,0BAA0Bh+M,YAC/Ei+M,4BAAkE,IAArCV,2BAA2Bx9M,OAAmD,IAApCi+M,0BAA0Bj+M,OAClGm+M,0BA0CTC,CAA4BT,cAAcE,2BAA4B,IA7B1EF,CAAAA,sBACtBH,2BAA6BG,cAAcE,0BAA0BJ,sBAAsB,CAC/Fh6N,KAAM,UAEFw6N,0BAA4BN,cAAcE,0BAA0BJ,sBAAsB,CAC9Fh6N,KAAM,gBAE0B+5N,4BAA8BS,2BAC5BT,2BAA2Bv9M,GAAKg+M,0BAA0Bh+M,IAsBxFo+M,CAAsBV,2BACxBA,cAAcE,0BAA0BriN,QAAQ,uBAGlDmiN,cAAcE,0BAA0BriN,QAAQ,0BA+B9C8iN,eAAiBC,aAACn4D,gBACtBA,gBADsBo4D,YAEtBA,4BAIKp4D,iBAcE/xJ,KAAKw4B,MAAMu5H,iBAAmBo4D,YAxtgBb,oBA0tgBpBC,qCAAuC,CAAC3uD,YAAa4uD,iBAGtC,QAAfA,kBACK,WAEHt4D,gBAxDcu4D,CAAAA,kBAChBH,YAAc,SACjB,QAAS,SAASr2N,SAAQ,SAAU1E,YAC7Bm7N,eAAiBD,sBAAel7N,wBACjCm7N,4BAGCrzM,MACJA,MADIC,IAEJA,KACEozM,mBACA5xM,SACiB,iBAAVzB,OAAqC,iBAARC,IACtCwB,SAAWxnB,OAAO6mF,OAAO7gE,KAAOhmB,OAAO6mF,OAAO9gE,OACpB,iBAAVA,OAAqC,iBAARC,MAC7CwB,SAAWxB,IAAMD,YAEK,IAAbyB,UAA4BA,SAAWwxM,cAChDA,YAAcxxM,aAKS,iBAAhBwxM,aAA4BA,YAAcxrN,OAAO4yJ,mBAC1D44D,YAAcxrN,OAAOwrN,cAEhBA,aA8BiBK,CAAc,CACpCvR,gBAAiBx9C,YAAYw9C,gBAC7BpiC,gBAAiBpb,YAAYob,sBAM1B9kB,uBACI,WAEHhjF,eAAiB0sF,YAAY3pF,SAAS/C,eACtC07I,oBAAsBR,eAAe,CACzCl4D,gBAAAA,gBACAo4D,YAA8B,EAAjBp7I,iBAET27I,yBAA2BT,eAAe,CAC9Cl4D,gBAAAA,gBACAo4D,YAAap7I,iBAET47I,sBAAwB,6BAAsBlvD,YAAY2sD,wCAAiC3sD,YAAY3pF,SAAS7kE,oCAA6B8kJ,6DAAsD0J,YAAY9iJ,mDAA4Co2D,qBAAnO,iQAC1B07I,qBAAuBC,yBAClB,CACLE,SAAUH,oBAAsB,OAAS,OACzC3xM,QAAS6xM,uBAGN,MAQHtO,mBAAqBwO,aAACz7N,KAC1BA,KAD0Bq/E,QAE1BA,oBAEKA,qBAGCq8I,YAAct0N,QAAQi4E,QAAQ16E,KAAO06E,QAAQ/vE,KAAO+vE,QAAQ/vE,IAAIqsN,IAChEC,sBAAwBx0N,QAAQi4E,QAAQ/vE,MAAQ+vE,QAAQ/vE,IAAIm5E,OAC5D3gE,WAAmChlB,IAA3Bu8E,QAAQ05I,eAA+B15I,QAAQv3D,MAAQu3D,QAAQ05I,qBACtE,CACL/4N,KAAMA,MAAQq/E,QAAQr/E,KACtBu5B,IAAK8lD,QAAQ2iF,aAAe3iF,QAAQ9lD,IACpCzR,MAAAA,MACAyB,SAAU81D,QAAQ91D,SAClBmyM,YAAAA,YACAE,sBAAAA,8BAWEC,sBAAsBj8N,QAAQ65E,YAClCv0E,YAAY+4B,sBAGLA,eACG,IAAI3J,UAAU,2CAEc,mBAAzB2J,SAASiB,kBACZ,IAAI5K,UAAU,uCAEjB2J,SAAS69L,kBACN,IAAIxnM,UAAU,iCAGjBwmD,UAAY78C,SAAS68C,eACrBihJ,WAAa,CAChB9mK,KAAM,EACNjsB,MAAO,QAEJgzL,UAAYr6J,SACZs6J,mBACAjD,WAAa,UACb50I,UAAY,UAEZ83I,WAAaj+L,SAASk+L,eACtB/xK,aAAensB,SAASiB,iBACxBk9L,UAAYn+L,SAAS6Y,cACrBulL,SAAWp+L,SAAS+sC,aACpBx5B,UAAYvT,SAAS1U,cACrB+yM,aAAer+L,SAAS69L,iBACxBn8C,KAAO1hJ,SAASm1C,SAChBknJ,YAAcr8L,SAAS07L,gBACvB4C,uBAAoB,OACpBC,wBAAqB,OACrBC,sBAAwBx+L,SAASy+L,0BACjCC,kBAAoB1+L,SAAS2+L,sBAC7BC,YAAc5+L,SAASg9L,gBACvB6B,eAAiB7+L,SAAS8+L,mBAC1BC,kBAAoB/+L,SAASu5L,sBAC7ByF,OAAS,YACT7C,0BAA4Bn8L,SAASy7L,8BACrCwD,8BAA+B,OAC/BhhC,kBAAoBj+J,SAASk+J,sBAC7BghC,0BAA4Bl/L,SAASm/L,8BACrCC,iBAAmBp/L,SAASkrI,qBAC5BkS,qBAAuBp9I,SAASo9I,0BAChC6Q,uBAAyBjuJ,SAASiuJ,4BAElCoxC,oBAAsB,UACtBrrL,YAAS,OACTooL,kBAAoB,OACpBkD,wCAAyC,OACzCpD,gBAAkB,UAClBqD,YAAc,UACdC,iBAAmB,QACnBlD,gBAAiB,OACjBmD,2BAA4B,OAE5BC,WAAa,QACbC,aAAe,OACfC,aAAc,OACdC,mBAAqB,CACxBz9L,OAAO,EACPM,OAAO,QAEJo9L,2BAA6B,CAChC19L,MAAO,KACPM,MAAO,WAEJq9L,WAAa,QAMbC,WAAa,QACbC,eAAiB,CACpBhzB,IAAK,GACL8L,QAAS,SAENmnB,kBAAmB,OACnBC,gCAAkC,UAElCC,qBAAuB,UACvBC,cAAgB,QAEhBC,qBAAuBtgM,SAASugM,yBAChCC,UAAY,QACZC,WAAazgM,SAAS0gM,eAItBC,gBAAkB3gM,SAAS4gM,oBAC3BC,WAAa,CAChB36I,aAAc,EACdl/B,KAAM,QAEH85K,YAAcl/N,KAAKm/N,yBACnBC,uBAAyB,IAAMp/N,KAAKkY,QAAQ,uBAC5C6mN,gBAAgBznN,GAAG,iBAAkBtX,KAAKo/N,6BAC1C3C,aAAaroN,iBAAiB,cAAc,KAC1CpU,KAAKq/N,wBACHC,QAAS,WAIbC,gBAAiB,OACjB1/C,QAAU1H,+BAAwBn4K,KAAKy6N,kBAC5Cn2N,OAAO0B,eAAehG,KAAM,QAAS,CACnCqG,aACSrG,KAAKo9N,QAEdr3N,IAAIy5N,UACEA,WAAax/N,KAAKo9N,cACfv9C,kBAAW7/K,KAAKo9N,sBAAaoC,gBAC7BpC,OAASoC,cACTtnN,QAAQ,wBAId+kN,eAAe3lN,GAAG,SAAS,KAC1BtX,KAAKy/N,8BACFC,oBAELtF,qBAAqBp6N,cAGpBi9N,eAAe3lN,GAAG,gBAAgB6S,gBAChCjS,QAAQyb,WAAW,CACtBxzB,KAAM,gBACLgqB,cAMoB,SAArBnqB,KAAKy6N,kBACFF,0BAA0BjjN,GAAG,yBAAyB,KACrDtX,KAAKy/N,8BACFC,oBAELtF,qBAAqBp6N,SAOF,UAArBA,KAAKy6N,kBACFF,0BAA0BjjN,GAAG,kBAAkB6S,gBAC7CjS,QAAQyb,WAAW,CACtBxzB,KAAM,kBACLgqB,WACCnqB,KAAK2/N,4BACFC,oBAELxF,qBAAqBp6N,MAEnBA,KAAKy/N,8BACFC,oBAELtF,qBAAqBp6N,SAczB6/N,gCACK7/N,KAAK++N,gBAAgBe,qBAAqB9/N,KAAKy6N,aAExD0E,2BACS1R,mCAAmC,CACxCjX,OAAO,EACPhB,eAAgBx1M,KAAKg+N,YACrBzkC,wBAAwB,EACxB+C,iBAAkBt8L,KAAKq8L,kBACvB/yB,gBAAiBtpK,KAAKw9N,mBAS1BpB,mBACO2D,sBAAwB,OACxBC,cAAgB,OAChBC,qBAAuB,OACvBC,sBAAwB,OACxBC,qBAAuB,OACvBC,sBAAwB,OACxBC,mBAAqB,OACrBC,aAAe,EAMtBvhN,eACO7G,QAAQ,gBACRoE,MAAQ,gBACR4Q,aACAqzM,SACDvgO,KAAKk/N,kBACFA,YAAYvuC,iBAEdyrC,cACDp8N,KAAKy9N,qBACPv7N,OAAOuX,aAAazZ,KAAKy9N,qBAEvBz9N,KAAK++N,iBAAmB/+N,KAAKo/N,6BAC1BL,gBAAgBv7N,IAAI,iBAAkBxD,KAAKo/N,6BAE7C57N,MAEPg9N,SAASp8N,aACFs2N,gBAAkBt2N,OACnBA,YACG65N,mBAAmBz9L,OAAQ,OAG3By8L,eAAewD,YAAY,EAAGzgO,KAAK2xC,aAQ5ClV,WACqB,YAAfz8B,KAAKsc,aACHtc,KAAKs6N,uBACFA,gBAAkB,gBAEpBC,0BAA0BmG,2BAA2B1gO,KAAKy6N,kBAG5D8F,cAKAjkN,MAAQ,QAGRtc,KAAKgtB,eACH2zM,iBASTJ,SACMvgO,KAAKs6N,iBAAmBt6N,KAAKs6N,gBAAgBsG,oBAC1CtG,gBAAgBsG,qBAGlBtG,gBAAkB,UAClB6D,WAAa,QACbC,WAAa,QACbC,eAAehzB,IAAM,QACrBgzB,eAAelnB,QAAU,QACzBojB,0BAA0BmG,2BAA2B1gO,KAAKy6N,kBAC1D6D,kBAAmB,EACxBp8N,OAAOuX,aAAazZ,KAAKu+N,sCACpBA,gCAAkC,KAEzCsC,eAAehP,iBAGM,cAAf7xN,KAAKsc,OAA0Btc,KAAKs6N,iBAInCt6N,KAAKs6N,iBAAmBt6N,KAAKs6N,gBAAgBzI,YAAcA,gBAHzDv1M,MAAQ,SACN,GAcX3Y,MAAMA,mBACiB,IAAVA,aACJk8K,QAAQ,kBAAmBl8K,YAC3ByuC,OAASzuC,YAEX22N,gBAAkB,KAChBt6N,KAAKoyC,OAEd0uL,mBACOxB,QAAS,EACVt/N,KAAKk/N,aAEPzR,wBAAwBztN,KAAKk/N,kBAE1BpB,WAAW78N,OAAS,OACpBisB,aACAhV,QAAQ,SASf6oN,kBACQhX,UAAY/pN,KAAKghO,oBAClBhhO,KAAKi9N,iBAAmBlT,iBACpBzgM,sBAEgB,SAArBtpB,KAAKy6N,YAAwB,OACzBxiB,SACJA,SADIC,SAEJA,SAFI6X,QAGJA,SACEhG,aACA7R,UAAYD,WAAaj4M,KAAK06N,iBAAmB3K,eAC5C/vN,KAAKi9N,eAAexzM,cAEzByuL,gBACKl4M,KAAKi9N,eAAegE,uBAKxBjhO,KAAKi9N,eAAeiE,gBAa7BC,kBAAkB1xN,SAAK1J,gEAChB0J,WACI,WAEHuO,GAAKgpK,cAAcv3K,SACrB2xN,UAAYphO,KAAKy+N,cAAczgN,WAC/BjY,MAAQq7N,WAAa3xN,IAAIm5E,aACtB61I,cAAczgN,IAAMojN,UAAY,CACnCj/D,YAAa1yJ,IAAI0yJ,YACjB5jF,UAAW9uE,IAAI8uE,UACfqK,MAAOn5E,IAAIm5E,MACXp5D,OAAQ/f,IAAI+f,OACZizL,WAAYhzM,IAAIgzM,aAGb2e,WAAa3xN,IAatB4xN,WAAWv8N,SAAKiB,gEACTjB,WACI,WAEHkZ,GAAKipK,aAAaniL,SACpBw8N,UAAYthO,KAAK4+N,UAAU5gN,IAG3Bhe,KAAK0+N,sBAAwB34N,MAAQu7N,WAAax8N,IAAI8jF,aACnDg2I,UAAU5gN,IAAMsjN,UAAY,CAC/Bn/D,YAAar9J,IAAIq9J,YACjBv5E,MAAO9jF,IAAI8jF,cAGTrjF,OAAS,CACb48J,aAAcm/D,WAAax8N,KAAKq9J,oBAE9Bm/D,YACF/7N,OAAOqjF,MAAQ04I,UAAU14I,OAEpBrjF,OASTg8N,4BACSvhO,KAAKwhO,YAAcxhO,KAAKgtB,SAMjCoT,eAEOugM,iBAGA3gO,KAAKwhO,gBAIS,SAAfxhO,KAAKsc,OAAoBtc,KAAKuhO,qBACzBvhO,KAAKyhO,cAITzhO,KAAKuhO,sBAAuC,UAAfvhO,KAAKsc,OAAoC,SAAftc,KAAKsc,aAG5DA,MAAQ,UAUfmlN,oBACOnlN,MAAQ,aAGRolN,kBACE1hO,KAAK2gO,iBAQd99I,SAAS8+I,iBAAax7N,+DAAU,OACzBw7N,sBAGD3hO,KAAKwhO,WAAaxhO,KAAKwhO,UAAUv/I,SAAW0/I,YAAY1/I,SAAWjiF,KAAKwhO,UAAU9nM,MAAQioM,YAAYjoM,iBAIpG0sI,YAAcpmK,KAAKwhO,UACnBh1D,YAAcxsK,KAAKs6N,qBACpBkH,UAAYG,iBACZhE,YAAcx3N,QAQA,SAAfnG,KAAKsc,QACPqlN,YAAYC,SAAW,CACrBz/I,cAAew/I,YAAYx/I,cAC3B/8B,KAAM,GAUiB,SAArBplD,KAAKy6N,kBACFsE,gBAAgB8C,2BAA2BF,kBAGhDG,MAAQ,QACR17D,cACEA,YAAYpoJ,GACd8jN,MAAQ17D,YAAYpoJ,GACXooJ,YAAY1sI,MACrBooM,MAAQ17D,YAAY1sI,WAGnBmmJ,mCAA4BiiD,qBAAYH,YAAY3jN,IAAM2jN,YAAYjoM,UACvE15B,KAAK6/N,0BACFA,mBAAmBxgL,OAAOsiL,YAAa3hO,KAAKuqD,qBAC5Cs1H,iDACE7/K,KAAKuqD,yCACLsuH,gBAAgB74K,KAAK+gO,mBACjC/gO,KAAK6/N,mBAAmBkC,mBAIhB7pN,QAAQ,kBAGM,SAAflY,KAAKsc,OAAoBtc,KAAKuhO,4BACzBvhO,KAAKyhO,YAETr7D,aAAeA,YAAY1sI,MAAQioM,YAAYjoM,IAAK,IAC/B,OAApB15B,KAAKm5N,WAAqB,EASXwI,YAAY1/I,SAAqD,iBAAnC0/I,YAAY5hJ,wBAEpDiiJ,mBAEAC,2BAGJvF,uBAAoB,YACpBxkN,QAAQ,wBAMTgqN,kBAAoBP,YAAYx/I,cAAgBikF,YAAYjkF,sBAC7D09F,qCAA8BqiD,wBAIX,OAApBliO,KAAKm5N,mBACFA,YAAc+I,kBAIfliO,KAAKm5N,WAAa,OACfA,WAAa,UACb50I,UAAY,SACZ,OACC/E,QAAUx/E,KAAKwhO,UAAUrgJ,SAASnhF,KAAKm5N,eAIzCn5N,KAAKukF,aAAe/E,QAAQ+B,QAAU/B,QAAQ+B,MAAMtgF,SAAWu+E,QAAQ+B,MAAMvhF,KAAKukF,YAAa,OAC3F40I,WAAan5N,KAAKm5N,gBACnBt5C,mDAA4C7/K,KAAKukF,uCACjDy9I,mBAIA7I,WAAaA,YAOpB3sD,cACFA,YAAY2sD,YAAc+I,kBACtB11D,YAAY2sD,WAAa,GAC3B3sD,YAAY2sD,WAAa,KACzB3sD,YAAYjoF,UAAY,OAKpBioF,YAAY2sD,YAAc,IAC5B3sD,YAAYhtF,QAAUmiJ,YAAYxgJ,SAASqrF,YAAY2sD,aAErD3sD,YAAYjoF,WAAa,GAAKioF,YAAYhtF,QAAQ+B,QACpDirF,YAAYjkH,KAAOikH,YAAYhtF,QAAQ+B,MAAMirF,YAAYjoF,mBAI1Dw6I,gBAAgBoD,uBAAuB/7D,YAAau7D,aAS3Dz0M,QACMltB,KAAKy9N,sBACPv7N,OAAOuX,aAAazZ,KAAKy9N,0BACpBA,oBAAsB,MAS/BzwM,gBACsC,OAA7BhtB,KAAKy9N,oBASdiE,gBAAgBltM,WACT8qM,QAAS,OACTd,qBAAuB,UACvBP,mBAAqB,CACxBz9L,OAAO,EACPM,OAAO,QAEJkhM,mBAIAr1N,OAAO,EAAGoc,EAAAA,EAAUyL,MAErBx0B,KAAKk/N,mBACFA,YAAYzV,YAAY,CAC3BpuK,OAAQ,6BAGL6jL,YAAYzV,YAAY,CAC3BpuK,OAAQ,WAWd2mL,mBACOzC,gBAAiB,EAClBv/N,KAAK6/N,yBACFA,mBAAmBuC,2BAErBH,eAOPA,eACMjiO,KAAKk/N,aAEPzR,wBAAwBztN,KAAKk/N,kBAE1B/F,WAAa,UACb50I,UAAY,UACZ06I,WAAa,UACbpB,2BAA4B,QAG3BpN,OAASzwN,KAAK08N,mBAAqB18N,KAAK08N,kBAAkBjM,OAC3B,QAArBzwN,KAAKg9N,cAA0BvM,cAExCiN,wCAAyC,QAE3CS,WAAa,QACbC,WAAa,QACbC,eAAehzB,IAAM,QACrBgzB,eAAelnB,QAAU,QACzB16K,QACDz8B,KAAKk/N,kBACFA,YAAYzV,YAAY,CAC3BpuK,OAAQ,2BAcd1uC,OAAOsb,MAAOC,SAAKsM,4DAAO,OAAU6tM,iEAI9Bn6M,MAAQa,EAAAA,IACVb,IAAMloB,KAAK2xC,aAKTzpB,KAAOD,uBACJ43J,QAAQ,+DAGV7/K,KAAKi9N,iBAAmBj9N,KAAKghO,iCAC3BnhD,QAAQ,wEAKXyiD,iBAAmB,QACjBC,eAAiB,KACrBD,mBACyB,IAArBA,kBACF9tM,SAGA6tM,OAAUriO,KAAK06N,iBACjB4H,wBACKrF,eAAewD,YAAYx4M,MAAOC,IAAKq6M,kBAU1CF,OAA8B,SAArBriO,KAAKy6N,oBACXqD,WA5yCa,EAAChyL,OAAQ7jB,MAAOC,IAAKs6M,iBACrCxiC,SAAWjvL,KAAK44B,MAAM1hB,MAAQu6M,SAAWzqD,SACzCksB,OAASlzL,KAAK44B,MAAMzhB,IAAMs6M,SAAWzqD,SACrC0qD,cAAgB32L,OAAOrrC,YACzBO,EAAI8qC,OAAO7qC,YACRD,OACD8qC,OAAO9qC,GAAG82L,KAAOmM,cAIZ,IAAPjjM,SAEKyhO,kBAEL1kL,EAAI/8C,EAAI,OACL+8C,OACDjS,OAAOiS,GAAG+5I,KAAOkI,mBAKvBjiJ,EAAIhtC,KAAKC,IAAI+sC,EAAG,GAChB0kL,cAAc/hO,OAAOq9C,EAAG/8C,EAAI+8C,EAAI,GACzB0kL,eAqxCeC,CAAgB1iO,KAAK89N,WAAY71M,MAAOC,IAAKloB,KAAK+9N,cACpEuE,wBACKrF,eAAe0F,YAAY16M,MAAOC,IAAKq6M,qBAGzC,MAAM33M,SAAS5qB,KAAKm9N,kBACvBpE,oBAAoB9wM,MAAOC,IAAKloB,KAAKm9N,kBAAkBvyM,QAEzDmuM,oBAAoB9wM,MAAOC,IAAKloB,KAAK48N,uBAErC2F,iBAQF5B,iBACM3gO,KAAKy9N,qBACPv7N,OAAOuX,aAAazZ,KAAKy9N,0BAEtBA,oBAAsBv7N,OAAO8R,WAAWhU,KAAK4iO,mBAAmB5pN,KAAKhZ,MAAO,GASnF4iO,qBACqB,UAAf5iO,KAAKsc,YACFumN,cAEH7iO,KAAKy9N,qBACPv7N,OAAOuX,aAAazZ,KAAKy9N,0BAEtBA,oBAAsBv7N,OAAO8R,WAAWhU,KAAK4iO,mBAAmB5pN,KAAKhZ,MApvCnD,KAgwCzB6iO,iBAGM7iO,KAAKi9N,eAAe6F,wBAIlBt2D,YAAcxsK,KAAK+iO,yBACpBv2D,yBAGCriJ,SAAW,CACfqiJ,YAAa4gD,mBAAmB,CAC9BjtN,KAAMH,KAAKy6N,YACXj7I,QAASgtF,oBAGRt0J,QAAQ,CACX/X,KAAM,kBACNgqB,SAAAA,WAEyC,iBAAhCqiJ,YAAY8+C,uBAChBuS,2BAA4B,OAC5BtD,0BAA0BJ,sBAAsB,CACnDh6N,KAAMH,KAAKy6N,YACX/9M,KAAM1c,KAAKw6N,iBACX79M,GAAI6vJ,YAAY/qF,iBAGfuhJ,aAAax2D,aAYpB6yD,qBAAelG,kEAAan5N,KAAKm5N,WAAYt2I,gEAAW7iF,KAAKwhO,UAAWj9I,iEAAYvkF,KAAKukF,cAClF1B,WAAa7iF,KAAKy8N,oBACd,QAEHj9I,QAAgC,iBAAf25I,YAA2Bt2I,SAAS1B,SAASg4I,YAE9D8J,oBAAsB9J,WAAa,IAAMt2I,SAAS1B,SAASlgF,OAE3DiiO,kBAAoB1jJ,UAAYA,QAAQ+B,OAASgD,UAAY,IAAM/E,QAAQ+B,MAAMtgF,cAIhF4hF,SAASZ,SAA4C,SAAjCjiF,KAAKy8N,aAAatoN,YAAyB8uN,qBAAuBC,iBAQ/FH,2BACQt5M,SAAWzpB,KAAK+gO,YAChB14K,YAAcwwH,gBAAgBpvJ,WAAa,EAC3C05M,aAAerqD,YAAYrvJ,SAAUzpB,KAAKuqD,gBAC1C64K,WAAapjO,KAAKq8N,cAAgB8G,cAAgB,EAClDE,iBAAmBF,cAAgBnjO,KAAK88N,oBACxC37I,SAAWnhF,KAAKwhO,UAAUrgJ,aAK3BA,SAASlgF,QAAUmiO,WAAaC,wBAC5B,UAEJpE,WAAaj/N,KAAKi/N,YAAcj/N,KAAK++N,gBAAgBuE,aAAatjO,KAAKwhO,UAAWxhO,KAAK2xC,YAAa3xC,KAAKw6N,iBAAkBx6N,KAAKuqD,eAAgBvqD,KAAKy6N,mBACpJrmM,KAAO,CACXmwD,UAAW,KACX40I,WAAY,KACZD,eAAgB,KAChBr2I,SAAU7iF,KAAKwhO,UACflI,cAAe/xN,SAASvH,KAAKi/N,gBAE3B7qM,KAAKklM,cACPllM,KAAK+kM,WA92CqB,SAAUr4I,gBAAiBK,SAAUoiJ,YACnEpiJ,SAAWA,UAAY,SACjBqiJ,iBAAmB,OACrBp+K,KAAO,MACN,IAAIpkD,EAAI,EAAGA,EAAImgF,SAASlgF,OAAQD,IAAK,OAClCw+E,QAAU2B,SAASngF,MACrB8/E,kBAAoBtB,QAAQiC,WAC9B+hJ,iBAAiBvhO,KAAKjB,GACtBokD,MAAQo6B,QAAQ91D,SACZ07B,KAAOm+K,mBACFviO,SAImB,IAA5BwiO,iBAAiBviO,OACZ,EAGFuiO,iBAAiBA,iBAAiBviO,OAAS,GA41C5BwiO,CAAwBzjO,KAAKw6N,iBAAkBr5I,SAAU94B,kBACtEw3H,yFAAkFzrJ,KAAK+kM,kBACvF,GAAwB,OAApBn5N,KAAKm5N,WAAqB,OAC7B35I,QAAU2B,SAASnhF,KAAKm5N,YACxB50I,UAAsC,iBAAnBvkF,KAAKukF,UAAyBvkF,KAAKukF,WAAa,EACzEnwD,KAAK8kM,eAAiB15I,QAAQt3D,IAAMs3D,QAAQt3D,IAAMmgC,YAC9Cm3B,QAAQ+B,OAAS/B,QAAQ+B,MAAMgD,UAAY,IAC7CnwD,KAAK+kM,WAAan5N,KAAKm5N,WACvB/kM,KAAKmwD,UAAYA,UAAY,GAE7BnwD,KAAK+kM,WAAan5N,KAAKm5N,WAAa,MAEjC,KACD70I,aACAC,UACAx5D,gBACEw4M,WAAavjO,KAAKu/N,eAAiBl3K,YAAcroD,KAAKuqD,kBACxDvqD,KAAK6/N,yBACFhgD,oFACG0jD,sCACHvjO,KAAKuqD,yCACLlC,0CACIroD,KAAKu/N,qBACrBv/N,KAAK6/N,mBAAmBkC,aAEf/hO,KAAK6/N,oBAAsB7/N,KAAK6/N,mBAAmB6D,WAAY,OAC3D9B,SAAW5hO,KAAK2jO,kCAAkCJ,gBACnD3B,SAAU,OACP/3M,QAAU,iEACXlmB,MAAM,CACTkmB,QAAAA,QACAM,SAAU,CACR+zJ,UAAWn+K,QAAQ+D,MAAMy2E,mCACzB52E,MAAO,IAAIG,MAAM+lB,iBAGhBg2J,QAAQ,qEAEN,UAEJA,6DAAsD+hD,SAAS35M,yBAAa25M,SAAS15M,UAC1Fo8D,aAAes9I,SAASt9I,aACxBC,UAAYq9I,SAASr9I,UACrBx5D,UAAY62M,SAAS35M,UAChB,MACA43J,QAAQ,uGAEP+jD,iBAAmBxoD,SAASC,oBAAoB,CACpDG,qBAAsBx7K,KAAKw7K,qBAC3B34F,SAAU7iF,KAAKwhO,UACfniM,YAAakkM,WACbhoD,kBAAmBv7K,KAAKi/N,WAAW16I,UACnC+2F,qBAAsBt7K,KAAKi/N,WAAW36I,aACtCv5D,UAAW/qB,KAAKi/N,WAAW75K,OAE7Bk/B,aAAes/I,iBAAiBt/I,aAChCC,UAAYq/I,iBAAiBr/I,UAC7Bx5D,UAAY64M,iBAAiB74M,UAE/BqJ,KAAKinJ,oBAAsBr7K,KAAKu/N,qCAAgCgE,kCAA8BA,YAC9FnvM,KAAK+kM,WAAa70I,aAClBlwD,KAAK8kM,eAAiBnuM,UACtBqJ,KAAKmwD,UAAYA,eACZs7F,gGAAyFzrJ,KAAK+kM,uBAE/F0K,YAAc1iJ,SAAS/sD,KAAK+kM,gBAC9Bv4C,SAAWijD,aAAyC,iBAAnBzvM,KAAKmwD,WAA0Bs/I,YAAYtiJ,OAASsiJ,YAAYtiJ,MAAMntD,KAAKmwD,eAG3Gs/I,aAAyC,iBAAnBzvM,KAAKmwD,YAA2Bq8F,gBAClD,KAIqB,iBAAnBxsJ,KAAKmwD,WAA0Bs/I,YAAYtiJ,QACpDntD,KAAKmwD,UAAY,EACjBq8F,SAAWijD,YAAYtiJ,MAAM,UAKzBuiJ,uBAAyB9jO,KAAK8/K,KAAKh9F,WAAa9iF,KAAK8/K,KAAKh9F,UAAUtxD,MAAQxxB,KAAK8/K,KAAKh9F,UAAUtxD,KAAKm0D,qBAAuB3lF,KAAKwhO,UAAU77I,wBAK5Iw9I,cAAgBviD,WAAakjD,yBAA2BljD,SAAS24C,eAC7C,IAAnBnlM,KAAKmwD,UAAiB,OAClB40F,YAAch4F,SAAS/sD,KAAK+kM,WAAa,GACzC4K,oBAAsB5qD,YAAY53F,OAAS43F,YAAY53F,MAAMtgF,QAAUk4K,YAAY53F,MAAM43F,YAAY53F,MAAMtgF,OAAS,GACtH8iO,qBAAuBA,oBAAoBxK,cAC7CnlM,KAAK+kM,YAAc,EACnB/kM,KAAKmwD,UAAY40F,YAAY53F,MAAMtgF,OAAS,EAC5CmzB,KAAKmlM,YAAc,yBAEZsK,YAAYtiJ,MAAMntD,KAAKmwD,UAAY,GAAGg1I,cAC/CnlM,KAAKmwD,WAAa,EAClBnwD,KAAKmlM,YAAc,uBAGjBpiL,MAAQn3C,KAAKy8N,cAAiD,UAAjCz8N,KAAKy8N,aAAatoN,kBAKjDigB,KAAK+kM,YAAch4I,SAASlgF,OAAS,GAAKk2C,QAAUn3C,KAAKw8N,WACpD,MAELx8N,KAAK09N,8CACFA,wCAAyC,EAC9CtpM,KAAK4vM,sBAAuB,OACvBnkD,QAAQ,oEAER7/K,KAAKikO,qBAAqB7vM,OAEnCuvM,kCAAkCJ,gBAC3BvjO,KAAK6/N,0BACD,WAGHqE,gBAAkBnzN,KAAKC,IAAIuyN,WAAYvjO,KAAK6/N,mBAAmB53M,OACjEs7M,aAAeW,sBACZrkD,6EAAsE0jD,0BAAiBW,wBAExFC,sBAAwBnkO,KAAK6/N,mBAAmBuE,mBAAmBF,qBACpEC,6BAEI,SAEJA,sBAAsBE,kBAElBF,4BAIHG,0BAA4BtkO,KAAK6/N,mBAAmBuE,mBAAmBD,sBAAsBj8M,YAC9Fo8M,2BAIDA,0BAA0BD,iBACvBxkD,QAAQ,6HAGRykD,2BANE,KAQXL,qBAAqB99N,eACbozN,YACJA,YADI12I,SAEJA,SAFIs2I,WAGJA,WAHID,eAIJA,eAJII,cAKJA,cALI/0I,UAMJA,UANIy/I,qBAOJA,qBAPI3oD,oBAQJA,qBACEl1K,QACEq5E,QAAUqD,SAAS1B,SAASg4I,YAC5B5wK,KAA4B,iBAAdg8B,WAA0B/E,QAAQ+B,MAAMgD,WACtDioF,YAAc,CAClBqlD,UAAW,kBAAoB9gN,KAAKgnB,SAEpC2B,IAAK6uB,MAAQA,KAAK45G,aAAe3iF,QAAQ2iF,YAEzCg3D,WAAAA,WACA50I,UAAWh8B,KAAOg8B,UAAY,KAG9B+0I,cAAAA,cACAJ,eAAAA,eAEAr2I,SAAAA,SAEA+F,MAAO,KAEPsmI,eAAgB,KAGhB5D,gBAAiB,KAEjB7pI,SAAUjC,QAAQiC,SAElB/3D,SAAU6+B,MAAQA,KAAK7+B,UAAY81D,QAAQ91D,SAE3C81D,QAAAA,QACAj3B,KAAAA,KACAugC,WAAY,EACZmrH,WAAYj0M,KAAKk/N,YAEjB7jD,oBAAAA,oBACAk+C,YAAAA,aAEIgL,mBAAgD,IAAzBP,qBAAuCA,qBAAuBhkO,KAAK69N,0BAChGrxD,YAAY8+C,gBAAkBtrN,KAAKwkO,2BAA2B,CAC5D75D,gBAAiBnrF,QAAQiC,SACzBX,gBAAiB9gF,KAAKw6N,iBACtBtB,eAAAA,eACAzvM,SAAUzpB,KAAK+gO,YACfwD,cAAAA,sBAEIE,iBAAmB5rD,gBAAgB74K,KAAKi9N,eAAeiE,uBAC7B,iBAArBuD,mBAGTj4D,YAAYo/C,iBAAmB6Y,iBAAmBzkO,KAAKi9N,eAAeyH,wBAEpE1kO,KAAKi9N,eAAegE,gBAAgBhgO,SACtCurK,YAAYsoC,gBA/rDU,EAAChpK,OAAQzM,YAAamjM,cAC5C,MAAOnjM,cAAwDyM,OAAO7qC,aACjE,SAGH0jO,eAAiB5zN,KAAK44B,MAAMtK,YAAcmjM,QAAU,GAAKzqD,aAC3D/2K,MACCA,EAAI,EAAGA,EAAI8qC,OAAO7qC,UACjB6qC,OAAO9qC,GAAG82L,IAAM6sC,gBADS3jO,YAKxB8qC,OAAOrrC,MAAMO,IAmrDc4jO,CAAoB5kO,KAAK89N,WAGvD99N,KAAKuqD,eAAiBvqD,KAAKi9N,eAAe4H,uBAAwB7kO,KAAK+9N,eAElEvxD,YAKTg4D,2BAA2Br+N,eAl8CK2+N,CAAAA,aAACn6D,gBACjCA,gBADiC7pF,gBAEjCA,gBAFiCo4I,eAGjCA,eAHiCzvM,SAIjCA,SAJiC86M,cAKjCA,6BAQKA,eAAiB55D,kBAAoB7pF,gBA2BtC6pF,gBAAkB7pF,gBACbo4I,eAOFzvM,SAASxoB,OAASwoB,SAASvB,IAAIuB,SAASxoB,OAAS,GAAKi4N,eAlCpD,MAq7CA6L,CAA0B5+N,SAYnC6+N,sBAAsBhW,UAChBhvN,KAAK8/K,KAAK7hJ,MAAMjR,WAInBhtB,KAAK29N,YAAYpkN,UAEjBvZ,KAAKwhO,UAAU72N,WAAW8zE,oBAMvBG,KAAKxlE,OAAS41M,MAAMuD,sBAAwB3zI,KAAKxlE,OAAS,iBAGxDimB,YAAcr/B,KAAKuqD,eACnB06K,kBAAoBjW,MAAM/zI,UAC1B6nF,gBAAkB9iK,KAAKs6N,gBAAgB5wM,SACvCw7M,qBAAuB9pD,SAASU,2BAA2BhZ,gBAAiBmiE,kBAAmBjlO,KAAKwhO,UAAWxS,MAAMjzC,eAIrHopD,oBA7tiBgB,SAAU17M,SAAU4V,iBAAag2B,oEAAe,UACpD5rC,SAASxoB,OAASwoB,SAASvB,IAAIuB,SAASxoB,OAAS,GAAK,GACpDo+B,aAAeg2B,aA2tiBP+vK,CAAkBplO,KAAK+gO,YAAa1hM,YAAar/B,KAAK8/K,KAAK7hJ,MAAMo3B,gBAAkB,KAG3G6vK,sBAAwBC,iCAGtBE,gBAzrE8B,SAAUjnM,gBAC1C5M,KACJA,KADI6N,YAEJA,YAFI47C,UAGJA,UAHIvxD,SAIJA,SAJIo5I,gBAKJA,gBALIsiE,kBAMJA,kBANItkJ,gBAOJA,gBAPIk+I,eAQJA,gBACE5gM,SAGEknM,oBAAsB9zM,KAAKsxD,UAAU/+E,QAAO8+E,WAAau4F,SAASV,eAAe73F,gBAGnF0iJ,iBAAmBD,oBAAoBvhO,OAAOq3K,SAAST,WACtD4qD,iBAAiBtkO,SAIpBskO,iBAAmBD,oBAAoBvhO,QAAO8+E,WAAau4F,SAASQ,WAAW/4F,mBAG3E2iJ,qBADqBD,iBAAiBxhO,OAAOq3K,SAASrsJ,aAAa/V,KAAK,KAAM,cACpCvJ,KAAIozE,iBAI5C4iJ,YAHYzG,eAAesE,aAAazgJ,SAAUn5D,SAAUo3D,gBAAiBzhD,aAGnD,EAAI,QAG7B,CACLwjD,SAAAA,SACA6iJ,kBAJ0BtqD,SAASU,2BAA2BhZ,gBAAiB7nF,UAAW4H,UAC5C4iJ,YAAcL,sBAM1DO,uBAAyBH,qBAAqBzhO,QAAO6hO,UAAYA,SAASF,mBAAqB,WAErGvQ,WAAWwQ,wBAAwB,CAACjhM,EAAG77B,IAAM0sN,yBAAyB1sN,EAAEg6E,SAAUn+C,EAAEm+C,YAChF8iJ,uBAAuB1kO,OAClB0kO,uBAAuB,IAEhCxQ,WAAWqQ,sBAAsB,CAAC9gM,EAAG77B,IAAM67B,EAAEghM,kBAAoB78N,EAAE68N,oBAC5DF,qBAAqB,IAAM,MA8oERK,CAAgC,CACtDr0M,KAAMxxB,KAAK8/K,KAAKh9F,UAAUtxD,KAC1B6N,YAAAA,YACA47C,UAAWgqJ,kBACXv7M,SAAU1pB,KAAK2xC,YACfmxH,gBAAAA,gBACAsiE,kBAAmBD,oBACnBrkJ,gBAAiB9gF,KAAKw6N,iBACtBwE,eAAgBh/N,KAAK++N,sBAElBsG,6BAICS,qBADoBZ,qBAAuBC,oBACAE,gBAAgBK,sBAC7DK,kBAAoB,GAIpBZ,qBAj6iBkB,qBAk6iBpBY,kBAAoB,IAEjBV,gBAAgBxiJ,UAAYwiJ,gBAAgBxiJ,SAASnpD,MAAQ15B,KAAKwhO,UAAU9nM,KAAOosM,qBAAuBC,yBAM1G9qJ,UAAYoqJ,gBAAgBxiJ,SAASl4E,WAAW8zE,UAAY2wG,OAAOM,mBAAqB,OACxFx3K,QAAQ,eAEf8tN,aAAax5D,kBACNqT,2BAAoBo5C,kBAAkBzsD,oBACtCyzD,sBAAwB,EAY/BgG,gBAAgB/2N,MAAOg3N,oBAChBlB,sBAAsBkB,cAAclX,OACrChvN,KAAK6gO,eAAeqF,cAAcrU,iBAGjC35M,QAAQ,YAEfiuN,iBAAiBD,cAAenc,iBACxB9R,SACJA,SADIC,SAEJA,UACE6R,UACE5/L,SAAW,CACfqiJ,YAAa4gD,mBAAmB,CAC9BjtN,KAAMH,KAAKy6N,YACXj7I,QAAS0mJ,gBAEXnc,UAAW,CACT9R,SAAAA,SACAC,SAAAA,gBAGChgM,QAAQ,CACX/X,KAAM,uCACNgqB,SAAAA,gBAEG66M,sBAAsBkB,cAAclX,OACrChvN,KAAK6gO,eAAeqF,cAAcrU,YAGlC7xN,KAAKomO,2BAA2Brc,aAGpCA,UAAYA,WAAa,GA1uDR,SAAUrlL,EAAG77B,OAI3B67B,IAAM77B,IAAM67B,GAAK77B,GAAK67B,IAAM77B,SACxB,KAGL67B,IAAM77B,SACD,QAIHw9N,MAAQ/hO,OAAOG,KAAKigC,GAAG23B,OACvBiqK,MAAQhiO,OAAOG,KAAKoE,GAAGwzD,UAEzBgqK,MAAMplO,SAAWqlO,MAAMrlO,cAClB,MAEJ,IAAID,EAAI,EAAGA,EAAIqlO,MAAMplO,OAAQD,IAAK,OAC/B8D,IAAMuhO,MAAMrlO,MAEd8D,MAAQwhO,MAAMtlO,UACT,KAGL0jC,EAAE5/B,OAAS+D,EAAE/D,YACR,SAGJ,EAgtDAyhO,CAAavmO,KAAK08N,kBAAmB3S,kBACnCkU,mBAAqB,CACxBz9L,OAAO,EACPM,OAAO,QAEJ67L,mBAAqB5S,eACrB2S,kBAAoB3S,eACpBlqC,QAAQ,mBAAoBkqC,gBAC5B7xM,QAAQ,cAIXlY,KAAK6gO,eAAeqF,cAAcrU,kBAKjCyI,gBAAgBvQ,UAAYA,UAE7B/pN,KAAKy/N,8BACFC,oBAELtF,qBAAqBp6N,QAGzBwmO,kBAAkBN,cAAet+I,UAAW6+I,SAAUrhL,cAC/C4/K,sBAAsBkB,cAAclX,OACrChvN,KAAK6gO,eAAeqF,cAAcrU,wBAGhCrlD,YAAcxsK,KAAKs6N,gBACnBoM,mBAAqBhN,2BAA2B9xI,WACtD4kF,YAAYk6D,oBAAsBl6D,YAAYk6D,qBAAuB,GACrEl6D,YAAYk6D,oBAAoBD,UAAYrhL,UACvCy6H,8BAAuBj4F,wBAAe6+I,uBAAcrhL,OAErDplD,KAAKy/N,8BACFC,oBAELtF,qBAAqBp6N,MAGzB2mO,gBAAgBT,cAAeU,qBACxB5B,sBAAsBkB,cAAclX,OACrChvN,KAAK6gO,eAAeqF,cAAcrU,qBAKX,IAAvB+U,YAAY3lO,wBACT4+K,QAAQ,+DAGK7/K,KAAKs6N,gBAGRuM,kCACVxI,eAAelnB,QAAQl1M,KAAKjC,KAAK2mO,gBAAgB3tN,KAAKhZ,KAAMkmO,cAAeU,oBAG5Etb,gBAAiE,OAA/CtrN,KAAKi9N,eAAe4H,uBAAkC7kO,KAAKi9N,eAAeyH,uBAAyB1kO,KAAKi9N,eAAe4H,uBACzIiC,cAAgB,GAEtBF,YAAY/hO,SAAQsyM,UAGlB2vB,cAAc3vB,QAAQnqK,QAAU85L,cAAc3vB,QAAQnqK,SAAW,CAE/DjiB,UAAWhC,EAAAA,EACXwI,SAAU,GAEVvG,QAAS,SAEL+7M,aAAeD,cAAc3vB,QAAQnqK,QAC3C+5L,aAAah8M,UAAYha,KAAKE,IAAI81N,aAAah8M,UAAWosL,QAAQpsL,UAAYugM,iBAC9Eyb,aAAa/7M,QAAUja,KAAKC,IAAI+1N,aAAa/7M,QAASmsL,QAAQnsL,QAAUsgM,iBACxEyb,aAAax1M,SAAStvB,KAAKk1M,YAE7B7yM,OAAOG,KAAKqiO,eAAejiO,SAAQmiO,kBAC3Bj8M,UACJA,UADIC,QAEJA,QAFIuG,SAGJA,UACEu1M,cAAcE,WACZrP,iBAAmB33N,KAAKm9N,uBACzBt9C,mCAA4B90J,yBAAgBC,wBAAeg8M,YAtuE/B,SAAUrP,iBAAkBzsM,KAAM49K,mBAClE6uB,iBAAiB7uB,eAAgB,CACpC59K,KAAKhT,QAAQ,CACX/X,KAAM,QACNkB,KAAM,gBAEJiiF,WAAawlH,cAEb,UAAUzmM,KAAKymM,iBACjBxlH,WAAa,UAAYwlH,cAAct8L,MAAM,KAAK,UAE9Coe,MAAQM,KAAKM,aAAauE,aAAauzD,eACzC14D,MAIF+sM,iBAAiB7uB,eAAiBl+K,UAC7B,KAID6B,MAAQq8K,cACRtpL,SAAWspL,cACX/mH,KAAM,QACJklJ,gBAJkB/7M,KAAKpN,SAASy1D,KAAOroD,KAAKpN,SAASy1D,IAAI+1F,iBAAmB,IAI3ChmF,YACnC2jJ,iBACFx6M,MAAQw6M,eAAex6M,MACvBjN,SAAWynN,eAAeznN,SAC1BuiE,IAAMklJ,eAAejqM,SAIvB26L,iBAAiB7uB,eAAiB59K,KAAKQ,mBAAmB,CACxDkF,KAAM,WACN5S,GAAIslE,WAEJtmD,QAAS+kD,IACTt1D,MAAAA,MACAjN,SAAAA,WACC,GAAOoL,QAgsEVs8M,CAA+BvP,iBAAkB33N,KAAK8/K,KAAK7hJ,MAAO+oM,WAKlEjO,oBAAoBhuM,UAAWC,QAAS2sM,iBAAiBqP,YAvrExC,qBAAUrP,iBAC/BA,iBAD+BwP,aAE/BA,aAF+B7b,gBAG/BA,4BAEK6b,0BAGCtP,IAAM31N,OAAO41N,eAAiB51N,OAAOu9B,OAC3C0nM,aAAatiO,SAAQsyM,gBACbvsL,MAAQusL,QAAQnqK,OAGlBmqK,QAAQvsM,QACVusM,QAAQvsM,QAAQ/F,SAAQK,cAChB4lB,IAAM,IAAI+sM,IAAI1gB,QAAQpsL,UAAYugM,gBAAiBnU,QAAQnsL,QAAUsgM,gBAAiBpmN,MAAMoG,MAClGwf,IAAIkZ,KAAO9+B,MAAM8+B,KACjBlZ,IAAIqZ,MAAQ,OACZrZ,IAAI1a,SAAWlL,MAAMkL,SACrB0a,IAAIuZ,cAAgB,YACpBszL,iBAAiB/sM,OAAOe,OAAOb,QAIjC6sM,iBAAiB/sM,OAAOe,OAAO,IAAIksM,IAAI1gB,QAAQpsL,UAAYugM,gBAAiBnU,QAAQnsL,QAAUsgM,gBAAiBnU,QAAQ7rM,UAgqEvH87N,CAAe,CACbD,aAAc51M,SACdomM,iBAAAA,iBACArM,gBAAAA,qBAKAtrN,KAAKk/N,kBACFA,YAAYzV,YAAY,CAC3BpuK,OAAQ,2BAIdgsL,WAAWnB,cAAevb,UAAWpf,sBAC9By5B,sBAAsBkB,cAAclX,OACrChvN,KAAK6gO,eAAeqF,cAAcrU,kBAGlB7xN,KAAKs6N,gBAERuM,sBAIZx6C,uBAAuBkf,aAAcof,UAAW3qN,KAAK2xC,kBAHnD0sL,eAAehzB,IAAIppM,KAAKjC,KAAKqnO,WAAWruN,KAAKhZ,KAAMkmO,cAAevb,UAAWpf,eAKtF+7B,6BACOjJ,eAAehzB,IAAIxmM,SAAQzE,IAAMA,YACjCi+N,eAAelnB,QAAQtyM,SAAQzE,IAAMA,YACrCi+N,eAAehzB,IAAM,QACrBgzB,eAAelnB,QAAU,GAEhCuoB,0BACQ6H,UAAYvnO,KAAKm+N,gBAIlBA,WAAa,GAClBoJ,UAAU1iO,SAAQ2iO,KAAOA,QAE3B5H,0BACQ6H,UAAYznO,KAAKo+N,gBAIlBA,WAAa,GAClBqJ,UAAU5iO,SAAQ2iO,KAAOA,QAS3B7H,0BAG2B,UAArB3/N,KAAKy6N,mBACA,QAEHjuD,YAAcxsK,KAAKs6N,wBAGpB9tD,eAOAxsK,KAAK0nO,yBAmBV/N,4BAA4B,CAC1BE,yBAA0B75N,KAAKu6N,0BAC/Bz5I,gBAAiB9gF,KAAKw6N,iBACtB7vD,gBAAiB6B,YAAY/qF,SAC7Bq4I,WAAY95N,KAAKy6N,YACjBV,cAAe/5N,KAAK06N,kBAMxBgN,2BAAqBl7D,mEAAcxsK,KAAKs6N,uBAC/B9tD,aAAeA,YAAYu9C,WAAa/pN,KAAK08N,kBAEtDsE,oBAAcx0D,mEAAcxsK,KAAKs6N,uBACxBt6N,KAAK0nO,qBAAqBl7D,cAAgBxsK,KAAK28N,mBAExDgL,mCACS3nO,KAAKs6N,gBAAkBt6N,KAAKs6N,gBAAgBz3I,SAAW,KAEhE48I,6BACOz/N,KAAKi9N,eAAex/M,eAChB,KAILzd,KAAKs+N,kBAAoBt+N,KAAKu+N,uCACzB,QAEH/xD,YAAcxsK,KAAKs6N,gBACnBvQ,UAAY/pN,KAAK0nO,2BAIlBl7D,cAAgBu9C,iBACZ,QAEH9R,SACJA,SADIC,SAEJA,SAFI6X,QAGJA,SACEhG,kBACA7R,WAAa1rC,YAAYob,qBAIzBqwB,WAAaj4M,KAAK06N,iBAAmB3K,UAAYvjD,YAAYw9C,mBAI7D2P,4BAA4B,CAC9BE,yBAA0B75N,KAAKu6N,0BAC/Bz5I,gBAAiB9gF,KAAKw6N,iBACtB7vD,gBAAiB6B,YAAY/qF,SAC7Bq4I,WAAY95N,KAAKy6N,YACjBV,cAAe/5N,KAAK06N,kBAMxB3N,YAAYmZ,cAAe3gO,gBACpBy/N,sBAAsBkB,cAAclX,OACrChvN,KAAK6gO,eAAeqF,cAAcrU,qBAKlC7xN,KAAKm+N,WAAWl9N,SAAWjB,KAAKy/N,gCAClCrF,qBAAqBp6N,gBAChBm+N,WAAWl8N,KAAKjC,KAAK+sN,YAAY/zM,KAAKhZ,KAAMkmO,cAAe3gO,eAG5DinK,YAAcxsK,KAAKs6N,wBAEpBsN,gBAAgBp7D,YAAY/qF,eAE5BomJ,0BAA0Br7D,YAAYjkH,MAAQikH,YAAYhtF,SAM1B,WAAjCx/E,KAAKy8N,aAAatoN,eAKlB+xN,cAAcz2N,MAChBy2N,cAAcz2N,IAAMzP,KAAKmhO,kBAAkB+E,cAAcz2N,KAAK,GAE9D+8J,YAAYhtF,QAAQ/vE,IAAMy2N,cAAcz2N,KAGtCy2N,cAAcphO,UACXu8N,WAAW6E,cAAcphO,KAAK,GAErC0nK,YAAYikD,OAASyV,cAAczV,OACnCjkD,YAAYm9C,WAAan9C,YAAYm9C,YAAc,GAC/Cn9C,YAAYikD,YACTv4M,QAAQ,QACbs0J,YAAYm9C,WAAW1hM,MAAQukJ,YAAYktD,2BAA2Bn0N,OAAOpF,OAAO8nB,UAC/E,OACC8hM,UAAY/pN,KAAK0nO,uBACjBI,mBAA0C,SAArB9nO,KAAKy6N,aAA0B1Q,WAAaA,UAAU7R,aAC7E6vB,2BACAD,qBACFC,2BAA6Bv7D,YAAYob,gBAAgB3/J,OAK3DukJ,YAAYm9C,WAAW1hM,MAAQjoB,KAAKgoO,kBAAkB,CACpDC,aAAcz7D,YAAYm9C,WAAW1hM,MACrC46D,SAAU2pF,YAAY3pF,SACtBs2I,WAAY3sD,YAAY2sD,WACxB+O,4BAA6BloO,KAAKi9N,eAAe4H,uBACjDiD,mBAAAA,mBACAC,2BAAAA,2BACAngD,gBAAiBpb,YAAYob,gBAC7BoiC,gBAAiBx9C,YAAYw9C,0BAM5Bme,8BAA8B37D,YAAajnK,OAAOpF,WAIlDioO,mCAAmC57D,aAGpCA,YAAY8sD,cAAe,MAIxB+O,qBAAqB77D,kBACrBuyD,gBAAgBuJ,sBAAsB,CACzC97D,YAAAA,YACA+7D,0BAAgD,SAArBvoO,KAAKy6N,oBAE5BrmM,KAAOp0B,KAAK+iO,wBAGd3uM,KAAK+kM,aAAe3sD,YAAY2sD,YAAc/kM,KAAKmwD,YAAcioF,YAAYjoF,2BAC1Es7F,QAAQ,kDAIVA,QAAQ,uCAMfrT,YAAYq6D,kBAAmB,OAE1BS,6BACAkB,YAAYh8D,YAAajnK,SAEhC4iO,8BAA8B37D,YAAarsK,MAEhB,SAArBH,KAAKy6N,aAAiE,iBAAhCjuD,YAAY8+C,iBAGrD9+C,YAAYi8D,8BAGNxK,mBAAqB,CACxBz9L,OAAO,EACPM,OAAO,IAGP9gC,KAAKk+N,2BAA2B/9N,QAAUqsK,YAAY3pF,gBAGnDo7I,mBAAmB99N,OAAQ,GAGpCuoO,0CAA8BvoO,KAC5BA,KAD4B8jK,YAE5BA,YAF4Bx0J,IAG5BA,IAH4BozE,SAI5BA,oBAOIpzE,IAAK,OACDuO,GAAKgpK,cAAcv3K,QACrBzP,KAAKw+N,uBAAyBxgN,UAEzB,KAMTimJ,YAAcjkK,KAAKmhO,kBAAkB1xN,KAAK,GAAMm5E,WAC3C41I,qBAAuBxgN,UAO1BimJ,aAAejkK,KAAKi+N,mBAAmB99N,YAIpC+9N,2BAA2B/9N,MAAQ0iF,cAEnCo7I,mBAAmB99N,OAAQ,OAG3Bq+N,qBAAuB,KACrBv6D,aAEF,KAET0kE,iCAIGhlO,WAJuB6oK,YACxBA,YADwBrsK,KAExBA,KAFwByoF,MAGxBA,oBAEMs4I,cAAgBlhO,KAAKi9N,eAAeiE,gBACpCD,cAAgBjhO,KAAKi9N,eAAegE,gBAItCC,cAAcjgO,OAAS,QACpB4+K,QAAQ,0DAA4DlH,kBAAkBuoD,eAAezuN,KAAK,OAE7GwuN,cAAchgO,OAAS,QACpB4+K,QAAQ,0DAA4DlH,kBAAkBsoD,eAAexuN,KAAK,aAE3Gm2N,iBAAmB1H,cAAcjgO,OAASigO,cAAcj5M,MAAM,GAAK,EACnE4gN,eAAiB3H,cAAcjgO,OAASigO,cAAch5M,IAAIg5M,cAAcjgO,OAAS,GAAK,EACtF6nO,iBAAmB7H,cAAchgO,OAASggO,cAAch5M,MAAM,GAAK,EACnE8gN,eAAiB9H,cAAchgO,OAASggO,cAAc/4M,IAAI+4M,cAAchgO,OAAS,GAAK,KACxF4nO,eAAiBD,kBArlED,GAqlEwCG,eAAiBD,kBArlEzD,cA0lEbjpD,QAAQ,6HAA6Hj3F,MAAME,yCAAkC6vF,kBAAkBuoD,eAAezuN,KAAK,oCAA6BkmK,kBAAkBsoD,eAAexuN,KAAK,kBACtR9O,MAAM,CACTkmB,QAAS,kEACT4wJ,aAAc1xJ,EAAAA,cAEX7Q,QAAQ,cAeVomN,kBAAmB,OACnBH,WAAWl8N,KAAKjC,KAAKgpO,sBAAsBhwN,KAAKhZ,KAAM,CACzDwsK,YAAAA,YACArsK,KAAAA,KACAyoF,MAAAA,eAKIqgJ,kBAHcjpO,KAAKuqD,eApnEL,OAwnEfs1H,wEAAiEopD,yBACjEt8N,OAAO,EAAGs8N,mBAAmB,UAC3BppD,4DA1nEa,aA2nEby+C,kBAAmB,OAGnBC,gCAAkCr8N,OAAO8R,YAAW,UAClD6rK,QAAQ,wDACR0+C,gCAAkC,UAClCmB,sBACJwJ,QACF,GAELC,0BAIGxlO,WAJgB6oK,YACjBA,YADiBrsK,KAEjBA,KAFiByoF,MAGjBA,cAGKjlF,QA1khBkB,KA6khBnBA,MAAM4b,WAULsgK,QAAQ,4CAA6Cl8K,YAMrDA,MAAM,CACTkmB,QAAS,UAAG1pB,2BAAkByoF,MAAM3nF,2CAAoCurK,YAAY2sD,mCAA0B3sD,YAAY3pF,SAAS7kE,IACnImM,SAAU,CACR+zJ,UAAWn+K,QAAQ+D,MAAM42E,uCAGxBxiE,QAAQ,qBArBNywN,0BAA0B,CAC7Bn8D,YAAAA,YACArsK,KAAAA,KACAyoF,MAAAA,SAoBNogJ,kCAAsBx8D,YACpBA,YADoBrsK,KAEpBA,KAFoB8jK,YAGpBA,YAHoBlvJ,KAIpBA,KAJoB6zE,MAKpBA,kBAGKA,MAAO,OACJzH,SAAW,CAACpsE,UACd+zE,WAAa/zE,KAAK+zE,WAClBm7E,cAGF9iF,SAASp/E,QAAQkiK,aACjBn7E,YAAcm7E,YAAYn7E,YAI5BF,MA1sFiBwgJ,CAAAA,iBAEjB/+C,WADA7sG,OAAS,SAET4rJ,WAAWxgJ,QACbyhG,WAAa,IAAInxJ,WAAWkwM,WAAWxgJ,OAEvCwgJ,WAAWjoJ,SAASt8E,SAAQ26E,UAC1B6qG,WAAWtkL,IAAIy5E,QAAShC,QACxBA,QAAUgC,QAAQsJ,eAGfuhG,YA+rFKg/C,CAAe,CACrBzgJ,MAAOE,WACP3H,SAAAA,iBAGEh3D,SAAW,CACfqiJ,YAAa4gD,mBAAmB,CAC9BjtN,KAAMH,KAAKy6N,YACXj7I,QAASgtF,oBAGRt0J,QAAQ,CACX/X,KAAM,qBACNgqB,SAAAA,gBAEG8yM,eAAeqM,aAAa,CAC/B98D,YAAAA,YACArsK,KAAAA,KACAyoF,MAAAA,OACC5oF,KAAKmpO,mBAAmBnwN,KAAKhZ,KAAM,CACpCwsK,YAAAA,YACArsK,KAAAA,KACAyoF,MAAAA,SAGJ2gJ,yBAAyBppO,KAAM0xN,UAAW2X,uBACnCxpO,KAAKs6N,iBAAmBzI,YAAc7xN,KAAKs6N,gBAAgBzI,uBAG1DryI,QAAUx/E,KAAKs6N,gBAAgB96I,QAC/BknJ,6BAAwBvmO,mBACzBq/E,QAAQknJ,sBACXlnJ,QAAQknJ,oBAAsB,IAEhClnJ,QAAQknJ,oBAAoBp+C,2BAA6BkhD,kBAAkBj1B,0BAA4B,EACvG/0H,QAAQknJ,oBAAoB3+C,4BAA8ByhD,kBAAkBvhN,MAAM4hM,aAClFrqI,QAAQknJ,oBAAoB+C,sBAAwBD,kBAAkBvhN,MAAM8Q,OAC5EymD,QAAQknJ,oBAAoB7+C,0BAA4B2hD,kBAAkBthN,IAAI2hM,aAC9ErqI,QAAQknJ,oBAAoBgD,oBAAsBF,kBAAkBthN,IAAI6Q,OAExEymD,QAAQknJ,oBAAoBlwC,oBAAsBgzC,kBAAkBhzC,oBAEtEgyC,YAAYh8D,YAAajnK,cACjBpF,KACJA,KADI4U,KAEJA,MACExP,WACCwP,OAASA,KAAK+zE,qBAGN,UAAT3oF,MAAoBH,KAAK06N,4BAGvBz2D,YAAcjkK,KAAK0oO,8BAA8B,CACrDvoO,KAAAA,KACA8jK,YAAa1+J,OAAO0+J,YACpBphF,SAAU2pF,YAAY3pF,SACtBpzE,IAAK+8J,YAAYikD,OAASjkD,YAAYhtF,QAAQ/vE,IAAM,YAEjDu5N,sBAAsB,CACzBx8D,YAAAA,YACArsK,KAAAA,KACA8jK,YAAAA,YACAlvJ,KAAAA,OASJiuN,aAAax2D,qBACNlwJ,MAAQ,eACRg+M,gBAAkB9tD,iBAClBm9D,gBAAgBn9D,aACsB,iBAAhCA,YAAY8+C,iBACjBtrN,KAAKk/N,kBACFA,YAAYzV,YAAY,CAC3BpuK,OAAQ,yBAITr7C,KAAK2/N,8BACRvF,qBAAqBp6N,gBAChBo+N,WAAWn8N,MAAK,WAGbkE,QAAUwtB,WAAW,GAAI64I,YAAa,CAC1Cw3D,sBAAsB,IAExBrwM,WAAW64I,YAAaxsK,KAAKikO,qBAAqB99N,eAC7C03N,2BAA4B,OAC5B+L,mCAAmCp9D,qBAIvCo9D,mCAAmCp9D,aAE1Co9D,mCAAmCp9D,aAM7BxsK,KAAK6pO,uCAAuCr9D,YAAY8+C,wBACrDwS,WAAW78N,OAAS,EAEzBurK,YAAYsoC,gBAAkB,QACzBipB,aAAe,OAEfmB,YAAYzV,YAAY,CAC3BpuK,OAAQ,eAEL6jL,YAAYzV,YAAY,CAC3BpuK,OAAQ,qBACRiwK,gBAAiB9+C,YAAY8+C,yBAG3B4a,cAAgBlmO,KAAK8pO,4BAA4Bt9D,aACjDu9D,cAAgB/pO,KAAKq/N,eAAe7yD,YAAY2sD,WAAY3sD,YAAY3pF,SAAU2pF,YAAYjoF,WAC9FylJ,iBAAuC,OAApBhqO,KAAKm5N,WACxB8Q,gBAAkBz9D,YAAY/qF,WAAazhF,KAAKw6N,kBAGtDhuD,YAAY/qF,SAAW,EACjB+qI,gBAAkBud,eAAiBC,kBAAoBC,qBACxDpqD,8BACT03C,6BAA6B/qD,YAAY9yI,kBACzCu/L,kBAAkBzsD,eAMV05D,cAAcz2N,MAAQy2N,cAAcz2N,IAAIm5E,aACrCi3F,QAAQ,uCACRo+C,mBAAqB,CACxBn9L,OAAO,EACPN,OAAO,IAGXgsI,YAAYo0D,cAAgBpO,oBAAoB,CAC9Ct4L,IAAKl6B,KAAK8/K,KAAK5lJ,IACfw4L,WAAY1yN,KAAK29N,YACjBzM,iBAAkBlxN,KAAK6+N,WACvBr/I,QAAS0mJ,cACTvT,QAAS3yN,KAAKgmO,aAAahtN,KAAKhZ,KAAMwsK,aACtC4lD,WAAYpyN,KAAKimO,gBAAgBjtN,KAAKhZ,MACtCqvN,YAAarvN,KAAKmmO,iBAAiBntN,KAAKhZ,MACxCsvN,aAActvN,KAAKwmO,kBAAkBxtN,KAAKhZ,MAC1CuvN,yBAA0BvvN,KAAKupO,yBAAyBvwN,KAAKhZ,KAAM,QAASwsK,YAAYqlD,WACxFrC,yBAA0BxvN,KAAKupO,yBAAyBvwN,KAAKhZ,KAAM,QAASwsK,YAAYqlD,WACxFnC,WAAY1vN,KAAK2mO,gBAAgB3tN,KAAKhZ,MACtCwsN,gBAAAA,gBACAmD,gBAAiB,UACV9vC,QAAQ,oCAEf4vC,MAAOzvN,KAAKqnO,WAAWruN,KAAKhZ,MAC5B4vN,OAAQ5vN,KAAK+sN,YAAY/zM,KAAKhZ,MAC9B6vN,OAAQ7vN,KAAKkqO,wBAAwBlxN,KAAKhZ,MAC1CusN,gBAAiB4d,aAACtgN,QAChBA,QADgBroB,MAEhBA,MAFgBwrC,OAGhBA,oBAEK6yI,kBAAWo5C,kBAAkBzsD,uDAA8Cx/H,wBAAexrC,mBAAUqoB,WAE3G4iM,sBAAuB2d,aAACjqO,KACtBA,KADsBq/E,QAEtBA,QAFsB+uI,QAGtBA,QAHsBxE,UAItBA,UAJsBJ,WAKtBA,yBAKMx/L,SAAW,CACfqiJ,YAJc4gD,mBAAmB,CACjC5tI,QAAAA,WAME+uI,UACFpkM,SAASokM,QAAUA,SAEjBxE,YACF5/L,SAAS4/L,UAAYA,WAEnBJ,aACFx/L,SAASw/L,WAAaA,iBAEnBzxM,QAAQ,CACX/X,KAAAA,KACAgqB,SAAAA,cAcRw/M,gBAAgBn9D,mBACR69D,aAl2EqB,EAACpzL,SAAU5X,YAAaygD,sBAMjDwqJ,SAAWjrM,YAAc+vJ,OAAOG,mBAChCt4I,SAASh2C,SAGXqpO,SAAWv5N,KAAKC,IAAIs5N,SAAUrzL,SAAShvB,MAAM,WAIzCsiN,YAAclrM,YAAcygD,sBAC3B/uE,KAAKE,IAAIs5N,YAAaD,WAm1ENE,CAAuBxqO,KAAKu8N,YAAav8N,KAAKuqD,eAAgBvqD,KAAKwhO,UAAU1hJ,gBAAkB,IAMhHuqJ,aAAe,QACZ19N,OAAO,EAAG09N,cAanBP,4BAA4Bt9D,mBACpBhtF,QAAUgtF,YAAYhtF,QACtBj3B,KAAOikH,YAAYjkH,KACnBszK,YAAcrvD,YAAYhtF,QAAQ16E,KAAO0nK,YAAYhtF,QAAQ/vE,KAAO+8J,YAAYhtF,QAAQ/vE,IAAI3K,IAC5Fi3N,sBAAwBvvD,YAAYhtF,QAAQ/vE,MAAQ+8J,YAAYhtF,QAAQ/vE,IAAIm5E,MAC5Es9I,cAAgB,CACpB/jE,YAAa55G,KAAOA,KAAK45G,YAAc3iF,QAAQ2iF,YAC/C5jF,UAAWh2B,KAAOA,KAAKg2B,UAAYiB,QAAQjB,UAC3CszI,UAAWrlD,YAAYqlD,UACvB5d,WAAYznC,YAAYynC,WACxB2X,iBAAkBp/C,YAAYo/C,iBAC9B9W,gBAAiBtoC,YAAYsoC,gBAC7BvsJ,KAAMikH,YAAYjkH,KAClBpoD,KAAMH,KAAKy6N,YACXxyM,MAAOukJ,YAAY0sD,eACnBxvM,SAAU8iJ,YAAY9iJ,SACtBmyM,YAAAA,YACAE,sBAAAA,uBAEI0O,gBAAkBj+D,YAAY3pF,SAAS1B,SAASqrF,YAAY2sD,WAAa,MAC3EsR,iBAAmBA,gBAAgBhpJ,WAAajC,QAAQiC,WAStDgpJ,gBAAgB7iD,gBAClBs+C,cAAcpb,cAAgB2f,gBAAgB7iD,gBAAgB8hD,oBACrDe,gBAAgBzgB,kBACzBkc,cAAcpb,cAAgB2f,gBAAgBzgB,gBAAgB0f,sBAG9DlqJ,QAAQ16E,IAAK,OAGT89E,GAAKpD,QAAQ16E,IAAI89E,IAAM,IAAI9D,YAAY,CAAC,EAAG,EAAG,EAAG0tF,YAAY2sD,WAAa3sD,YAAY3pF,SAASV,gBACrG+jJ,cAAcphO,IAAM9E,KAAKqhO,WAAW7hJ,QAAQ16E,KAC5CohO,cAAcphO,IAAI89E,GAAKA,UAErBpD,QAAQ/vE,MACVy2N,cAAcz2N,IAAMzP,KAAKmhO,kBAAkB3hJ,QAAQ/vE,MAE9Cy2N,cAETwE,mBAAmB1b,YAGZgR,eAAiB,EAClBhR,aACG+Q,uBAAyB/Q,MAAMjzC,mBAC/BqkD,uBAAyBpR,MAAM7pC,eAGxCwlD,2BAA2BjhN,SAAUslM,eAI9BsL,gBAAgBxxI,WAAakmI,MAAMjzC,cACpCryJ,SAn9EmC,qCAo9EhCm2J,QAAQ,+DAAwDn2J,oDAp9EhC,4BAu9EjCS,SAAW,CACfygN,cAAe,CACbluN,KAAM1c,KAAKi7E,UACXt+D,GAAIqyM,MAAM/zI,iBAIT/iE,QAAQ,CACX/X,KAAM,mBACNgqB,SAAAA,gBAEG8wD,UAAY+zI,MAAM/zI,eAClBkhJ,UAAYnN,MAAM7pC,cAEzB0lD,sBAGO3K,uBAAyB,OACzBjlJ,UAAY,OACZkhJ,UAAYr6J,SACZ5pD,QAAQ,wBACRA,QAAQ,WASfgyN,wBAAwBvmO,MAAOuiO,cAAe3gO,WAKxCvF,KAAKm+N,WAAWl9N,wBACbk9N,WAAWl8N,KAAKjC,KAAKkqO,wBAAwBlxN,KAAKhZ,KAAM2D,MAAOuiO,cAAe3gO,iBAGhFmlO,mBAAmBxE,cAAclX,QAEjChvN,KAAKs6N,0BAON4L,cAAcrU,YAAc7xN,KAAKs6N,gBAAgBzI,oBAIjDluN,MAAO,SACJ22N,gBAAkB,UAClBh+M,MAAQ,QAET3Y,MAAM4b,OAASyuM,0CAGd9gM,QAIDvpB,MAAM4b,OAASyuM,iCACZ6c,uBAKF1K,sBAAwB,OACxBx8N,MAAMA,iBACNuU,QAAQ,gBAGTs0J,YAAcxsK,KAAKs6N,qBAGpBqQ,2BAA2Bn+D,YAAY9iJ,SAAUw8M,cAAclX,OACpExiD,YAAYwlD,iBAAmBkU,cAAclU,iBACzCzsN,OAAOmkN,eACJoU,WA3qFa,EAAChyL,OAAQ4sJ,KAAM17K,eAChC07K,KAAKz3L,cACD6qC,UAEL9uB,eAKK07K,KAAKj4L,cAERwnB,MAAQywK,KAAK,GAAGZ,QAClB92L,EAAI,OACAA,EAAI8qC,OAAO7qC,UACb6qC,OAAO9qC,GAAG82L,KAAO7vK,OADIjnB,YAKpB8qC,OAAOrrC,MAAM,EAAGO,GAAGX,OAAOq4L,OAypFXoyC,CAAgB9qO,KAAK89N,WAAYv4N,OAAOmkN,QAAS1pN,KAAKg+N,mBAIrE1hN,MAAQ,iBAERpE,QAAQ,kBACR6yN,0BAA0Bv+D,aAEjCo7D,gBAAgBnmJ,gBACRupJ,gBAAkBhrO,KAAK++N,gBAAgBkM,mBAAmBxpJ,UACxC,OAApBupJ,uBACGjN,aAAeiN,iBAGxBnD,0BAA0BroJ,SACK,iBAAlBA,QAAQv3D,OAA6C,iBAAhBu3D,QAAQt3D,SACjDm4M,oBAAsB7gJ,QAAQt3D,IAAMs3D,QAAQv3D,WAE5Co4M,oBAAsB7gJ,QAAQ91D,SAGvCmgN,uCAAuCve,wBACb,OAApBA,kBAKqB,SAArBtrN,KAAKy6N,aAA0BnP,kBAAoBtrN,KAAKi9N,eAAe4H,yBAGtE7kO,KAAK06N,gBAAkBpP,kBAAoBtrN,KAAKi9N,eAAeyH,wBAKtEsD,8BAAkBC,aAChBA,aADgBplJ,SAEhBA,SAFgBs2I,WAGhBA,WAHgB4O,2BAIhBA,2BAJgBG,4BAKhBA,4BALgBJ,mBAMhBA,mBANgBlgD,gBAOhBA,gBAPgBoiC,gBAQhBA,gCAE4B,IAAjBie,oBAEFA,iBAEJH,0BACI9d,gBAAgB/hM,YAEnBwiN,gBAAkB5nJ,SAAS1B,SAASg4I,WAAa,UAMpC,IAAfA,YAAqBsR,sBAAoD,IAA1BA,gBAAgBxiN,OAAyBwiN,gBAAgBviN,MAAQ6/M,2BAA6BG,4BAG1ItgD,gBAAgB3/J,MAFd8/M,2BAIXgD,0BAA0Bv+D,mBAClBu9C,UAAY/pN,KAAK0nO,qBAAqBl7D,iBACvCu9C,sBACEpmN,MAAM,CACTkmB,QAAS,yEACTqjK,0BAA2BnkK,EAAAA,cAExB7Q,QAAQ,eAMT+/L,SACJA,SADIC,SAEJA,SAFI6X,QAGJA,SACEhG,UACEmhB,aAAoC,SAArBlrO,KAAKy6N,aAA0BviB,SAC9CizB,cAAgBnrO,KAAK06N,gBAAkBziB,WAAa8X,WAC1DvjD,YAAY4+D,iBAAmB,GAE1B5+D,YAAYq6D,wBACVr6D,YAAYm9C,YAAqD,iBAAhCn9C,YAAY8+C,uBAS3CuS,2BAA4B,GAGnCrxD,YAAYm9C,WAAa,CACvB1hM,MAAO,GAETukJ,YAAY4+D,mBACPprO,KAAK69N,iCAEHuK,mCAAmC57D,kBAGnC86D,mCAGF+D,kBAAkB7+D,aAIrB0+D,cACF1+D,YAAY4+D,mBAEVD,cACF3+D,YAAY4+D,mBAEVF,mBACGjO,eAAeqO,mBAAmBtrO,KAAKqrO,kBAAkBryN,KAAKhZ,KAAMwsK,cAEvE2+D,mBACGlO,eAAesO,mBAAmBvrO,KAAKqrO,kBAAkBryN,KAAKhZ,KAAMwsK,cAG7E6+D,kBAAkB7+D,aACZxsK,KAAK6gO,eAAer0D,YAAYqlD,aAGpCrlD,YAAY4+D,mBACyB,IAAjC5+D,YAAY4+D,uBACTI,sBAGTpF,2BAA2Brc,iBACnB0hB,wBAhrFiB,EAAC3R,WAAY4R,cAAe3hB,YAGlC,SAAf+P,YAA0B4R,eAAkB3hB,UAG3CA,UAAU9R,UAAa8R,UAAU7R,SAGlCwzB,cAAcxzB,WAAa6R,UAAU7R,SAChC,6LAEJwzB,cAAcxzB,UAAY6R,UAAU7R,SAChC,kMAEF,KARE,4CAHA,KA4qFyByzB,CAAmB3rO,KAAKy6N,YAAaz6N,KAAK0nO,uBAAwB3d,mBAC9F0hB,+BACG9nO,MAAM,CACTkmB,QAAS4hN,wBACTv+C,0BAA2BnkK,EAAAA,SAExB7Q,QAAQ,UACN,GAIXkwN,mCAAmC57D,gBACG,OAAhCA,YAAY8+C,iBAGwB,iBAAjC9+C,YAAYm9C,WAAW1hM,OAE9BukJ,YAAYi8D,wBAES,SAArBzoO,KAAKy6N,uBAGDmR,WAAY,EAKhBp/D,YAAY8+C,iBAAmBtrN,KAAK6rO,kDAAkD,CACpFjkD,gBAAiBpb,YAAYhtF,QAAQooG,gBACrCoiC,gBAAiBx9C,YAAYhtF,QAAQwqI,gBACrCL,WAAYn9C,YAAYm9C,aAK1Bn9C,YAAYi8D,wBAAyB,EACjCj8D,YAAY8+C,kBAAoBtrN,KAAKi9N,eAAe4H,8BACjD5H,eAAe4H,qBAAqBr4D,YAAY8+C,iBACrDsgB,WAAY,GAEVp/D,YAAY8+C,kBAAoBtrN,KAAKi9N,eAAeyH,8BACjDzH,eAAeyH,qBAAqBl4D,YAAY8+C,iBACrDsgB,WAAY,GAEVA,gBACG1zN,QAAQ,mBAGjB2zN,8DAAkDjkD,gBAChDA,gBADgDoiC,gBAEhDA,gBAFgDL,WAGhDA,0BAEK3pN,KAAKs9N,0BAGN11C,iBAAoE,iBAA1CA,gBAAgB6hD,sBACrC7hD,gBAAgB6hD,sBAGrBzf,iBAAoE,iBAA1CA,gBAAgByf,sBACrCzf,gBAAgByf,sBAGlB9f,WAAW1hM,MAVT0hM,WAAW1hM,MAYtBogN,qBAAqB77D,aACnBA,YAAYm9C,WAAan9C,YAAYm9C,YAAc,SAC7CI,UAAY/pN,KAAKghO,gBAEjB8K,sBAD0C,SAArB9rO,KAAKy6N,aAA0B1Q,WAAaA,UAAU7R,UAC7B1rC,YAAYob,gBAAkBpb,YAAYob,gBAAkBpb,YAAYw9C,gBACvH8hB,wBAGLt/D,YAAYm9C,WAAWzhM,IAA2C,iBAA9B4jN,sBAAsB5jN,IAI1D4jN,sBAAsB5jN,IAAM4jN,sBAAsB7jN,MAAQukJ,YAAY9iJ,UAUxE8hN,wBAEMxrO,KAAKs6N,gBAAiB,OAClBnwM,SAAW,CACfqiJ,YAAa4gD,mBAAmB,CAC9BjtN,KAAMH,KAAKy6N,YACXj7I,QAASx/E,KAAKs6N,wBAGbpiN,QAAQ,CACX/X,KAAM,cACNgqB,SAAAA,eAGCnqB,KAAKs6N,4BACHh+M,MAAQ,aAGRtc,KAAKgtB,eACH2zM,wBAIHn0D,YAAcxsK,KAAKs6N,gBACrB9tD,YAAYjkH,MAAQikH,YAAYjkH,KAAKq5K,SAEvCp1D,YAAYjkH,KAAKq5K,SAASmK,eACjBv/D,YAAYhtF,QAAQoiJ,UAE7Bp1D,YAAYhtF,QAAQoiJ,SAASmK,oBAK1B1D,qBAAqB77D,aACtBxsK,KAAKq9N,mCAkBF0B,gBAAgBuJ,sBAAsB,CACzC97D,YAAAA,YACA+7D,0BAAgD,SAArBvoO,KAAKy6N,oBAG9BuR,uBAAyB7Q,qCAAqC3uD,YAAaxsK,KAAKg9N,gBAClFgP,yBACsC,SAApCA,uBAAuBrQ,SACzB57N,QAAQuB,IAAIoC,KAAKsoO,uBAAuBniN,cAEnCg2J,QAAQmsD,uBAAuBniN,eAGnCoiN,kBAAkBz/D,kBAClB8tD,gBAAkB,UAClBh+M,MAAQ,QACTkwJ,YAAY8sD,qBACTphN,QAAQ,mBAKRs0J,YAAYq6D,mCACVhnD,yDAAkDo5C,kBAAkBzsD,oBAIxEqT,2BAAoBo5C,kBAAkBzsD,oBACtC0/D,uBAAuB1/D,kBACvB+yD,gBAAiB,EAClBv/N,KAAKw6N,mBAAqBhuD,YAAY/qF,gBACnC84I,0BAA0BN,mBAAmB,CAChD95N,KAAMH,KAAKy6N,YACX/9M,KAAM1c,KAAKw6N,iBACX79M,GAAI6vJ,YAAY/qF,WAKO,SAArBzhF,KAAKy6N,aAA2Bz6N,KAAK06N,qBAClCH,0BAA0BN,mBAAmB,CAChD95N,KAAM,QACNuc,KAAM1c,KAAKw6N,iBACX79M,GAAI6vJ,YAAY/qF,iBAIjB+4I,iBAAmBhuD,YAAY/qF,cAK/BvpE,QAAQ,wBACPsnE,QAAUgtF,YAAYhtF,QACtBj3B,KAAOikH,YAAYjkH,KACnB4jL,gBAAkB3sJ,QAAQt3D,KAAOloB,KAAKuqD,eAAiBi1B,QAAQt3D,IAA4C,EAAtCskJ,YAAY3pF,SAAS/C,eAC1FssJ,aAAe7jL,MAAQA,KAAKrgC,KAAOloB,KAAKuqD,eAAiBhC,KAAKrgC,IAAgD,EAA1CskJ,YAAY3pF,SAAS9C,sBAK3FosJ,iBAAmBC,yBAChBvsD,sBAAessD,gBAAkB,UAAY,mBAAUlT,kBAAkBzsD,yBACzEk1D,kBAGsC,OAApB1hO,KAAKm5N,iBAIvBjhN,QAAQ,wBAEVA,QAAQ,iBACRihN,WAAa3sD,YAAY2sD,gBACzB50I,UAAYioF,YAAYjoF,UAIzBvkF,KAAKq/N,eAAe7yD,YAAY2sD,WAAY3sD,YAAY3pF,SAAU2pF,YAAYjoF,iBAC3Eu8I,mBAGF5oN,QAAQ,YACTs0J,YAAYq6D,uBACTvG,eAEFtgO,KAAKgtB,eACH2zM,iBAaTsL,kBAAkBz/D,gBACZA,YAAY9iJ,SAn6FuB,qCAo6FhCm2J,QAAQ,gEAAyDrT,YAAY9iJ,oDAp6F7C,4BAu6FjC0rC,KAAOp1D,KAAKk8N,WAAW9mK,KAGvBi3K,sBAAwBztJ,KAAKxlE,MAAQozJ,YAAYwlD,iBAAmB,EAEpEsa,4BAA8Bv7N,KAAK4X,MAAM6jJ,YAAY1jF,WAAaujJ,sBAAwB,EAAI,UAG/FnQ,WAAW9mK,OAASk3K,4BAA8Bl3K,QAAUp1D,KAAKk8N,WAAW/yL,MAYnF+iM,uBAAuB1/D,iBAChBxsK,KAAK48N,mCAGJp9I,QAAUgtF,YAAYhtF,QACtBv3D,MAAQu3D,QAAQv3D,MAChBC,IAAMs3D,QAAQt3D,QAEf8wM,OAAO/wM,SAAW+wM,OAAO9wM,YAG9B6wM,oBAAoB9wM,MAAOC,IAAKloB,KAAK48N,6BAC/B/E,IAAM31N,OAAO41N,eAAiB51N,OAAOu9B,OACrCv6B,MAAQ,CACZkhF,OAAQ5G,QAAQ4G,OAChBzH,eAAgBa,QAAQb,eACxBD,eAAgBc,QAAQd,eACxBmF,gBAAiBrE,QAAQqE,gBACzB5I,UAAWuxF,YAAY3pF,SAASl4E,WAAW8zE,UAC3Cd,WAAY6uF,YAAY3pF,SAASl4E,WAAW6zE,WAC5CiJ,OAAQ+kF,YAAY3pF,SAASl4E,WAAW88J,OACxC3+E,WAAY0jF,YAAY1jF,WACxBpvD,IAAK8yI,YAAY9yI,IACjB+nD,SAAU+qF,YAAY/qF,SACtBoB,SAAU2pF,YAAY3pF,SAAS7kE,GAC/BiK,MAAAA,MACAC,IAAAA,KAGI4C,IAAM,IAAI+sM,IAAI5vM,MAAOC,IADduS,KAAKsB,UAAU72B,QAI5B4lB,IAAI5lB,MAAQA,WACP03N,sBAAsBjxM,OAAOb,eAG7Bi5C,cACHxmD,YAAc,SAAUR,cACN,iBAAXA,OACFA,OAEFA,OAAOC,QAAQ,KAAKC,GAAKA,EAAEjb,iBAM9BuqO,YAAc,CAAC,QAAS,SACxBzJ,SAAW,CAAC3iO,KAAM+8N,uBAChBsP,aAAetP,wBAAiB/8N,uBAC/BqsO,cAAgBA,aAAa1J,UAAY5F,cAAcuP,aAAatsO,OAgBvEusO,WAAa,CAACvsO,KAAM+8N,oBACW,IAA/BA,cAAcrtJ,MAAM5uE,kBAGpB0rO,WAAa,EACbC,WAAa1P,cAAcrtJ,MAAM88J,eACb,gBAApBC,WAAWzsO,SAkBF,gBAATA,MAUC+8N,cAAcz/M,SAAoD,WAAzCy/M,cAAcjB,YAAY9nN,aAA2B2uN,SAAS3iO,KAAM+8N,mBAG9F0P,WAAWzsO,OAASA,KAAM,IAC5BwsO,WApDyB,EAACxsO,KAAM0vE,aAC7B,IAAI7uE,EAAI,EAAGA,EAAI6uE,MAAM5uE,OAAQD,IAAK,OAC/B4rO,WAAa/8J,MAAM7uE,MACD,gBAApB4rO,WAAWzsO,YAGN,QAELysO,WAAWzsO,OAASA,YACfa,SAGJ,MAwCQ6rO,CAAqB1sO,KAAM+8N,cAAcrtJ,OACnC,OAAf88J,kBAMJC,WAAa1P,cAAcrtJ,MAAM88J,mBAEnCzP,cAAcrtJ,MAAMnvE,OAAOisO,WAAY,GAQvCzP,cAAcuP,aAAatsO,MAAQysO,WACnCA,WAAWvxL,OAAOl7C,KAAM+8N,eACnB0P,WAAW/c,eAEdqN,cAAcuP,aAAatsO,MAAQ,UACnCusO,WAAWvsO,KAAM+8N,sBArDZA,cAAc4F,YAAuD,WAAzC5F,cAAcjB,YAAY9nN,aACzD+oN,cAAcrtJ,MAAMx0D,QACpBuxN,WAAWvxL,OAAO6hL,eACd0P,WAAW/c,QACb+c,WAAW/c,SAKb6c,WAAW,QAASxP,eACpBwP,WAAW,QAASxP,iBA+CpB4P,cAAgB,CAAC3sO,KAAM+8N,uBACrBpxL,OAASoxL,wBAAiB/8N,gBAC1B4sO,UAAYxvN,YAAYpd,MACzB2rC,SAGLA,OAAO53B,oBAAoB,YAAagpN,0BAAmB6P,0BAC3DjhM,OAAO53B,oBAAoB,QAASgpN,0BAAmB6P,sBACvD7P,cAAcz1I,OAAOtnF,MAAQ,KAC7B+8N,wBAAiB/8N,gBAAgB,OAE7B6sO,gBAAkB,CAAC/Q,YAAauQ,eAAiBvQ,aAAeuQ,eAA2F,IAA3ElqO,MAAMiC,UAAU/D,QAAQ4E,KAAK62N,YAAYgR,cAAeT,cACxIU,qBACU,CAACtkJ,MAAO4jF,YAAa2gE,UAAY,CAAChtO,KAAM+8N,uBAC9CsP,aAAetP,wBAAiB/8N,mBAGjC6sO,gBAAgB9P,cAAcjB,YAAauQ,eAGhDtP,cAAcr9C,oCAA6BrT,YAAY2sD,yBAAgBvwI,MAAM3nF,4BAAmBd,oBAE9FqsO,aAAalD,aAAa1gJ,OAC1B,MAAO52E,GACPkrN,cAAcr9C,QAAQ,0BAAmB7tK,EAAEuN,WA3hjBtB,KA2hjBiCvN,EAAEuN,KAA8B,wBAA0B,qCAAgCitJ,YAAY2sD,0BAAiBh5N,gBAC7K+8N,cAAcuP,aAAatsO,MAAQ,KACnCgtO,QAAQn7N,MAdRk7N,eAiBI,CAACjlN,MAAOC,MAAQ,CAAC/nB,KAAM+8N,uBACvBsP,aAAetP,wBAAiB/8N,mBAGjC6sO,gBAAgB9P,cAAcjB,YAAauQ,eAGhDtP,cAAcr9C,2BAAoB53J,qBAAYC,qBAAY/nB,oBAExDqsO,aAAa7/N,OAAOsb,MAAOC,KAC3B,MAAOlW,GACPkrN,cAAcr9C,yBAAkB53J,qBAAYC,qBAAY/nB,0BA5BxD+sO,wBA+Ba1vJ,QAAU,CAACr9E,KAAM+8N,uBAC1BsP,aAAetP,wBAAiB/8N,gBAGjC6sO,gBAAgB9P,cAAcjB,YAAauQ,gBAGhDtP,cAAcr9C,0BAAmB1/K,mCAA0Bq9E,SAC3DgvJ,aAAalhB,gBAAkB9tI,SAvC7B0vJ,iBAyCM33N,UAAY,CAACpV,KAAM+8N,iBAC3B3nN,YA1CE23N,oBA4CSvpO,OAASu5N,mBACyB,SAAzCA,cAAcjB,YAAY9nN,YAG9B+oN,cAAcr9C,kDAA2Cl8K,OAAS,aAEhEu5N,cAAcjB,YAAY6E,YAAYn9N,OACtC,MAAOqO,GACPjS,QAAQuB,IAAIoC,KAAK,0CAA2CsO,MApD5Dk7N,iBAuDMxjN,UAAYwzM,gBACpBA,cAAcr9C,kDAA2Cn2J,eAEvDwzM,cAAcjB,YAAYvyM,SAAWA,SACrC,MAAO1X,GACPjS,QAAQuB,IAAIoC,KAAK,sCAAuCsO,KA5DxDk7N,cA+DG,IAAM,CAAC/sO,KAAM+8N,oBAC2B,SAAzCA,cAAcjB,YAAY9nN,wBAGxBq4N,aAAetP,wBAAiB/8N,mBAGjC6sO,gBAAgB9P,cAAcjB,YAAauQ,eAGhDtP,cAAcr9C,mCAA4B1/K,oBAExCqsO,aAAa/vM,QACb,MAAOzqB,GACPjS,QAAQuB,IAAIoC,kCAA2BvD,eAAc6R,MA7ErDk7N,wBAgFa,CAAC/sO,KAAMgnF,QAAU+1I,sBAC1B6P,UAAYxvN,YAAYpd,MACxBitO,KAAOtlJ,gBAAgBX,OAC7B+1I,cAAcr9C,yBAAkB1/K,kCAAyBgnF,gCACnDqlJ,aAAetP,cAAcjB,YAAYoR,gBAAgBD,MAC/DZ,aAAap4N,iBAAiB,YAAa8oN,0BAAmB6P,0BAC9DP,aAAap4N,iBAAiB,QAAS8oN,0BAAmB6P,sBAC1D7P,cAAcz1I,OAAOtnF,MAAQgnF,MAC7B+1I,wBAAiB/8N,gBAAgBqsO,cAxF/BU,2BA0FgB/sO,MAAQ+8N,sBACpBsP,aAAetP,wBAAiB/8N,mBACtC2sO,cAAc3sO,KAAM+8N,eAGf8P,gBAAgB9P,cAAcjB,YAAauQ,eAGhDtP,cAAcr9C,2BAAoB1/K,kCAAyB+8N,cAAcz1I,OAAOtnF,gCAE9E+8N,cAAcjB,YAAYqR,mBAAmBd,cAC7C,MAAOx6N,GACPjS,QAAQuB,IAAIoC,4CAAqCvD,eAAc6R,MAtG/Dk7N,mBAyGQ/lJ,OAAS,CAAChnF,KAAM+8N,uBACpBsP,aAAetP,wBAAiB/8N,gBAChCitO,KAAOtlJ,gBAAgBX,WAGxB6lJ,gBAAgB9P,cAAcjB,YAAauQ,2BAM1Ce,aAAepmJ,MAAM/rC,UAAU,EAAG+rC,MAAM3mF,QAAQ,MAChDgtO,SAAWtQ,cAAcz1I,OAAOtnF,SACjBqtO,SAASpyL,UAAU,EAAGoyL,SAAShtO,QAAQ,QACvC+sO,0BAGfpjN,SAAW,CACfsjN,iBAAkB,CAChB/wN,KAAM8wN,SACN7wN,GAAIwqE,QAGR+1I,cAAchlN,QAAQ,CACpB/X,KAAM,eACNgqB,SAAAA,WAEF+yM,cAAcr9C,2BAAoB1/K,kCAAyBqtO,wBAAermJ,YAGxEqlJ,aAAakB,WAAWN,MACxBlQ,cAAcz1I,OAAOtnF,MAAQgnF,MAC7B,MAAOn1E,GACPmY,SAAS+zJ,UAAYn+K,QAAQ+D,MAAM62E,2BACnCxwD,SAASxmB,MAAQqO,EACjBA,EAAEmY,SAAWA,SACb+yM,cAAc9qL,OAASpgC,EACvBkrN,cAAchlN,QAAQ,SACtBnY,QAAQuB,IAAIoC,uCAAgCvD,eAAc6R,KAI1D27N,UAAYC,aAACztO,KACjBA,KADiB+8N,cAEjBA,cAFiB7hL,OAGjBA,OAHiBw0K,OAIjBA,OAJiBxuN,KAKjBA,aAEA67N,cAAcrtJ,MAAM5tE,KAAK,CACvB9B,KAAAA,KACAk7C,OAAAA,OACAw0K,OAAAA,OACAxuN,KAAAA,OAEFqrO,WAAWvsO,KAAM+8N,gBAEb2Q,YAAc,CAAC1tO,KAAM+8N,gBAAkBlrN,UAQrC87N,2BAnkmBwBrkN,aACN,IAApBA,SAASxoB,aACJ,gCAEL8sO,kBAAoB,0BACnB,IAAI/sO,EAAI,EAAGA,EAAIyoB,SAASxoB,OAAQD,IAAK,OAClCinB,MAAQwB,SAASxB,MAAMjnB,GACvBknB,IAAMuB,SAASvB,IAAIlnB,GACzB+sO,6BAAwB9lN,yBAAaC,2BAAkBA,IAAMD,oBAExD8lN,kBAyjmBmBC,CADI9Q,wBAAiB/8N,wBAE/C+8N,cAAcr9C,iDAA0C1/K,yBAAwB2tO,mBAC5E5Q,cAAcuP,aAAatsO,MAAO,OAC9B0vN,OAASqN,cAAcuP,aAAatsO,MAAM0vN,OAChDqN,cAAcuP,aAAatsO,MAAQ,KAC/B0vN,QAEFA,OAAOqN,wBAAiB/8N,iBAG5BusO,WAAWvsO,KAAM+8N,sBAab+Q,sBAAsBluO,QAAQ65E,YAClCv0E,YAAY42N,0BAELA,YAAcA,iBACdiS,oBAAsB,IAAMxB,WAAW,cAAe1sO,WACtDi8N,YAAY7nN,iBAAiB,aAAcpU,KAAKkuO,0BAChDruD,QAAU1H,OAAO,sBAEjBg2D,sBAAwB,OACxBC,sBAAwB,OACxBv+J,MAAQ,QACR48J,aAAe,CAClBjsM,MAAO,KACPM,MAAO,WAEJutM,yBAA2B,QAC3BC,oBAAqB,OACrB7mJ,OAAS,QACT8mJ,kBAAoBV,YAAY,QAAS7tO,WACzCwuO,kBAAoBX,YAAY,QAAS7tO,WACzCyuO,cAAgBz8N,SAEd08N,YAAc18N,QAEhB28N,cAAgB38N,SAEd48N,YAAc58N,QAEhB68N,uBAAwB,OACxBC,iBAAkB,OAClBC,iBAAkB,EAEzBC,sBACOF,iBAAkB,OAClBvsN,eAEP0sN,iCAGSjvO,KAAK6uO,sBAEdK,8BACSlvO,KAAK8uO,gBAEdrxN,eACSzd,KAAKivO,2BAA6BjvO,KAAKkvO,uBAEhDC,oBAAoB1nJ,QACdznF,KAAKivO,iCAMJG,yBAAyB3nJ,aACzBonJ,uBAAwB,OACxB32N,QAAQ,6BACRqK,gBAEPA,eAOMviB,KAAKyd,UAAYzd,KAAK+uO,uBACnBA,iBAAkB,OAClB72N,QAAQ,UAajBm1N,gBAAgBltO,KAAMgnF,OACpBwmJ,UAAU,CACRxtO,KAAM,cACN+8N,cAAel9N,KACfq7C,OAAQ6xL,wBAAwB/sO,KAAMgnF,OACtC9lF,KAAM,oBAUVo7B,MAAMt8B,MACJwtO,UAAU,CACRxtO,KAAAA,KACA+8N,cAAel9N,KACfq7C,OAAQ6xL,cAAc/sO,MACtBkB,KAAM,UAWVisO,mBAAmBntO,MACZH,KAAKqvO,wBAIV1B,UAAU,CACRxtO,KAAM,cACN+8N,cAAel9N,KACfq7C,OAAQ6xL,2BAA2B/sO,MACnCkB,KAAM,uBAPNtB,QAAQuB,IAAIqC,MAAM,wCAkBtB0rO,+BAGUtvO,QAAQ0J,QAAQzC,YAAc9E,OAAO+lF,aAAe/lF,OAAO+lF,YAAY1jF,WAAwE,mBAApDrC,OAAO+lF,YAAY1jF,UAAU+oO,iDAWzHprO,OAAOotO,cAAgBptO,OAAOotO,aAAa/qO,WAAiE,mBAA7CrC,OAAOotO,aAAa/qO,UAAUmpO,WAUtG6B,uBACSvvO,KAAKqF,YAAYkqO,gBAY1B7B,WAAWvtO,KAAMgnF,OACVnnF,KAAKuvO,gBAIV5B,UAAU,CACRxtO,KAAAA,KACA+8N,cAAel9N,KACfq7C,OAAQ6xL,mBAAmB/lJ,OAC3B9lF,KAAM,eAPNtB,QAAQuB,IAAIqC,MAAM,gCAkBtByrO,yBAAyB3nJ,YAClBA,QAA4B,iBAAXA,QAAsD,IAA/BnjF,OAAOG,KAAKgjF,QAAQxmF,aACzD,IAAI6C,MAAM,uDAElBQ,OAAOG,KAAKgjF,QAAQ5iF,SAAQ1E,aACpBgnF,MAAQM,OAAOtnF,UAChBH,KAAKivO,iCACDjvO,KAAKqtO,gBAAgBltO,KAAMgnF,OAEhCnnF,KAAKuvO,sBACF7B,WAAWvtO,KAAMgnF,UAY5BmiJ,aAAanjO,QAAS0pN,cACdrjD,YACJA,YADIrsK,KAEJA,KAFIyoF,MAGJA,OACEziF,gBACCqpO,kBAAmB,EACX,UAATrvO,MAAoBH,KAAKyvO,cAAgBzvO,KAAKsuO,+BAC3CD,yBAAyBpsO,KAAK,CAACkE,QAAS0pN,mBACxChwC,0CAAmCj3F,MAAM3nF,kCAQhD0sO,UAAU,CACRxtO,KAAAA,KACA+8N,cAAel9N,KACfq7C,OAAQ6xL,qBAAqBtkJ,MAAO4jF,aAAe,CACjD2sD,YAAa,GALDtJ,QAOdA,OAAAA,OACAxuN,KAAM,iBAEK,UAATlB,KAAkB,SACfmuO,oBAAqB,GACrBtuO,KAAKquO,yBAAyBptO,oBAG7B4uE,MAAQ7vE,KAAKquO,yBAAyB5tO,aACvCo/K,wCAAiChwG,MAAM5uE,+BACvCotO,yBAAyBptO,OAAS,EACvC4uE,MAAMhrE,SAAQ6qO,WACPpG,aAAa7wN,MAAMzY,KAAM0vO,SAWpCxO,uBAGO8L,gBAAgBhtO,KAAKi8N,YAAaj8N,KAAK2vO,cAGrC3vO,KAAK2vO,YAAYlmN,SAAWzpB,KAAK2vO,YAAYlmN,SAF3CH,mBAWX23M,uBAGO+L,gBAAgBhtO,KAAKi8N,YAAaj8N,KAAKyvO,cAGrCzvO,KAAKyvO,YAAYhmN,SAAWzpB,KAAKyvO,YAAYhmN,SAF3CH,mBAWXG,iBACQqX,MAAQksM,gBAAgBhtO,KAAKi8N,YAAaj8N,KAAKyvO,aAAezvO,KAAKyvO,YAAc,KACjFjvM,MAAQwsM,gBAAgBhtO,KAAKi8N,YAAaj8N,KAAK2vO,aAAe3vO,KAAK2vO,YAAc,YACnFnvM,QAAUM,MACL9gC,KAAKkhO,gBAEVpgM,QAAUN,MACLxgC,KAAKihO,gBAlymBS,SAAU2O,QAASC,aACxC5nN,MAAQ,KACRC,IAAM,KACN4nN,MAAQ,QACNC,QAAU,GACVpoN,OAAS,QACVioN,SAAYA,QAAQ3uO,QAAW4uO,SAAYA,QAAQ5uO,eAC/CqoB,uBAIL6f,MAAQymM,QAAQ3uO,YAEbkoC,SACL4mM,QAAQ9tO,KAAK,CACXmjD,KAAMwqL,QAAQ3nN,MAAMkhB,OACpBhpC,KAAM,UAER4vO,QAAQ9tO,KAAK,CACXmjD,KAAMwqL,QAAQ1nN,IAAIihB,OAClBhpC,KAAM,YAGVgpC,MAAQ0mM,QAAQ5uO,OACTkoC,SACL4mM,QAAQ9tO,KAAK,CACXmjD,KAAMyqL,QAAQ5nN,MAAMkhB,OACpBhpC,KAAM,UAER4vO,QAAQ9tO,KAAK,CACXmjD,KAAMyqL,QAAQ3nN,IAAIihB,OAClBhpC,KAAM,YAIV4vO,QAAQ1zK,MAAK,SAAU33B,EAAG77B,UACjB67B,EAAE0gB,KAAOv8C,EAAEu8C,QAIfjc,MAAQ,EAAGA,MAAQ4mM,QAAQ9uO,OAAQkoC,QACV,UAAxB4mM,QAAQ5mM,OAAOhpC,MACjB2vO,QAGc,IAAVA,QACF7nN,MAAQ8nN,QAAQ5mM,OAAOic,OAEQ,QAAxB2qL,QAAQ5mM,OAAOhpC,OACxB2vO,QAGc,IAAVA,QACF5nN,IAAM6nN,QAAQ5mM,OAAOic,OAIX,OAAVn9B,OAA0B,OAARC,MACpBP,OAAO1lB,KAAK,CAACgmB,MAAOC,MACpBD,MAAQ,KACRC,IAAM,aAGHoB,iBAAiB3B,QAqumBfqoN,CAAmBhwO,KAAKkhO,gBAAiBlhO,KAAKihO,iBAYvDgP,YAAYvmN,cAAUmmM,8DAAS9rJ,KAK7B4pK,UAAU,CACRxtO,KAAM,cACN+8N,cAAel9N,KACfq7C,OAAQ6xL,iBAAiBxjN,UACzBroB,KAAM,WACNwuN,OAAAA,SAcJiR,kBAAYn9N,6DAAQ,KAAMksN,8DAAS9rJ,KACZ,iBAAVpgE,QACTA,WAAQV,GAMV0qO,UAAU,CACRxtO,KAAM,cACN+8N,cAAel9N,KACfq7C,OAAQ6xL,oBAAoBvpO,OAC5BtC,KAAM,cACNwuN,OAAAA,SAaJ4Q,YAAYx4M,MAAOC,SAAKsM,4DAAOuvC,KACxB/jE,KAAKkhO,gBAAgBjgO,QAA0C,IAAhCjB,KAAKkhO,gBAAgBh5M,IAAI,GAI7DylN,UAAU,CACRxtO,KAAM,QACN+8N,cAAel9N,KACfq7C,OAAQ6xL,eAAejlN,MAAOC,KAC9B2nM,OAAQr7L,KACRnzB,KAAM,WARNmzB,OAqBJmuM,YAAY16M,MAAOC,SAAKsM,4DAAOuvC,KACxB/jE,KAAKihO,gBAAgBhgO,QAA0C,IAAhCjB,KAAKihO,gBAAgB/4M,IAAI,GAI7DylN,UAAU,CACRxtO,KAAM,QACN+8N,cAAel9N,KACfq7C,OAAQ6xL,eAAejlN,MAAOC,KAC9B2nM,OAAQr7L,KACRnzB,KAAM,WARNmzB,OAiBJsuM,oBAEMA,SAAS,QAAS9iO,QAAS8iO,SAAS,QAAS9iO,OAWnD0kO,qBAAqBlnJ,oBACG,IAAXA,QAA0Bx9E,KAAK2vO,aAE1C3vO,KAAKmuO,wBAA0B3wJ,SAC7BmwJ,UAAU,CACRxtO,KAAM,QACN+8N,cAAel9N,KACfq7C,OAAQ6xL,wBAAwB1vJ,QAChCn8E,KAAM,yBAEH8sO,sBAAwB3wJ,QAExBx9E,KAAKmuO,sBAQdtJ,qBAAqBrnJ,oBACG,IAAXA,QAA0Bx9E,KAAKyvO,aAE1CzvO,KAAKouO,wBAA0B5wJ,SAC7BmwJ,UAAU,CACRxtO,KAAM,QACN+8N,cAAel9N,KACfq7C,OAAQ6xL,wBAAwB1vJ,QAChCn8E,KAAM,yBAEH+sO,sBAAwB5wJ,QAExBx9E,KAAKouO,sBAUd7C,mBAAmBh2N,UACZvV,KAAK2vO,aAGVhC,UAAU,CACRxtO,KAAM,QACN+8N,cAAel9N,KACfq7C,OAAQ6xL,iBAAiB33N,UACzBlU,KAAM,aAWViqO,mBAAmB/1N,UACZvV,KAAKyvO,aAGV9B,UAAU,CACRxtO,KAAM,QACN+8N,cAAel9N,KACfq7C,OAAQ6xL,iBAAiB33N,UACzBlU,KAAM,aAOV0d,eACO7G,QAAQ,WACbq0N,YAAY1nO,SAAQ1E,YACbs8B,MAAMt8B,MACPH,KAAKqvO,6BACF/B,mBAAmBntO,qBAEhBA,wBAAqB,IAAM2sO,cAAc3sO,KAAMH,gBAGtDsuO,oBAAqB,OACrBD,yBAAyBptO,OAAS,EACnCjB,KAAKkuO,0BACFjS,YAAY/nN,oBAAoB,aAAclU,KAAKkuO,0BAErD1qO,aAGH0sO,YAAcC,WAAallM,mBAAmBuyK,OAAOxkL,OAAOC,aAAaxgB,MAAM,KAAM03N,aASrFC,qBAAuB,IAAIl3M,WAAW,OAAO1sB,MAAM,IAAIiD,KAAI6yL,MAAQA,KAAKn7J,WAAW,YACnFkpM,qBAAqBvsO,MACzBuB,oBACQ,iGAWJirO,yBAAyBtU,cAC7B32N,YAAY+4B,gBACJA,gEADwB,SAIzBq+L,aAAe,UACf8T,gBAAkB,UAClBC,0BAA4BpyM,SAAS2S,8BACrC0/L,UAAYryM,SAASqyM,eAGrBpT,8BAA+B,EAStC0D,gBACO/gO,KAAKuwO,kBAAoBvwO,KAAKuwO,gBAAgB1lN,OAAS7qB,KAAKuwO,gBAAgB1lN,KAAK5pB,cAC7EqoB,yBAEHuB,KAAO7qB,KAAKuwO,gBAAgB1lN,YAG3BvB,iBAAiB,CAAC,CAFXuB,KAAK,GAAGE,UACVF,KAAKA,KAAK5pB,OAAS,GAAG8pB,aAcpCo2M,kBAAkB1xN,SAAK1J,gEAChB0J,WACI,WAEHuO,GAAKgpK,cAAcv3K,SACrB2xN,UAAYphO,KAAKy+N,cAAczgN,OAC/BjY,MAAQq7N,WAAa3xN,IAAIm5E,MAAO,OAK5B8nJ,mBAAqBN,qBAAqBtnJ,WAAar5E,IAAIm5E,MAAME,WACjE6nJ,gBAAkB,IAAIz3M,WAAWw3M,oBACvCC,gBAAgB5qO,IAAI0J,IAAIm5E,OACxB+nJ,gBAAgB5qO,IAAIqqO,qBAAsB3gO,IAAIm5E,MAAME,iBAC/C21I,cAAczgN,IAAMojN,UAAY,CACnCj/D,YAAa1yJ,IAAI0yJ,YACjB5jF,UAAW9uE,IAAI8uE,UACfqK,MAAO+nJ,wBAGJvP,WAAa3xN,IAStB8xN,4BACSvhO,KAAKwhO,WAAaxhO,KAAKuwO,kBAAoBvwO,KAAKgtB,SAUzDy0M,oBACOnlN,MAAQ,aACRolN,kBACE1hO,KAAK2gO,iBAWd/1M,MAAMA,mBACiB,IAAVA,aAGN2lN,gBAAkB3lN,MAGJ,SAAf5qB,KAAKsc,OAAoBtc,KAAKuhO,2BAC3BE,SANEzhO,KAAKuwO,gBAiBhB5jO,OAAOsb,MAAOC,KACZ6wM,oBAAoB9wM,MAAOC,IAAKloB,KAAKuwO,iBAYvC1N,oBAEQr2D,YAAcxsK,KAAK+iO,wBACpBv2D,gBAGyE,OAA1ExsK,KAAK++N,gBAAgB6R,2BAA2BpkE,YAAY/qF,UAAoB,OAG5EovJ,qBAAuB,UACtBv0N,MAAQ,QACRtc,KAAKgtB,eAEH2zM,8BAGJ5B,gBAAgBxmN,IAAI,kBAAmBs4N,gCACvCv0N,MAAQ,4BAGV0mN,aAAax2D,cAGpBg4D,oCACS,KAETzB,4BACS/iO,KAAK8wO,mBAAmBtkN,MAAMu2M,sBAavC+N,mBAAmBtkE,kBACVA,aAAeA,YAAYhtF,QAAQxxD,OAAO,IAE3Cw+I,YAAY2sD,WAAa,GAAK3sD,YAAY3pF,SAAS1B,SAASlgF,OAAQ,CACtEurK,YAAc,WAGhBA,YAAcxsK,KAAKikO,qBAAqB,CACtCphJ,SAAU2pF,YAAY3pF,SACtBs2I,WAAY3sD,YAAY2sD,WAAa,EACrCD,eAAgB1sD,YAAY0sD,eAAiB1sD,YAAY9iJ,SACzD4vM,cAAe9sD,YAAY8sD,uBAGxB9sD,YAETukE,aAAaptO,YACNA,MAAMA,YACN2Y,MAAQ,aACR4Q,aACAhV,QAAQ,SAQfgyN,wBAAwBvmO,MAAOuiO,cAAe3gO,YACvCvF,KAAKuwO,iCACHj0N,MAAQ,iBAGVouN,mBAAmBxE,cAAclX,QAEjChvN,KAAKs6N,4BACHh+M,MAAQ,kBACR2jN,sBAAwB,MAG3Bt8N,aACEA,MAAM4b,OAASyuM,6BACZ6c,iBAEHlnO,MAAM4b,OAASyuM,4BACZiS,sBAAwB,OAExBE,sBAAwB,YAE1B4Q,aAAaptO,aAGd6oK,YAAcxsK,KAAKs6N,gBACnB0W,2BAA6BzrO,OAAOglN,YAAchlN,OAAOglN,WAAWtpN,OACtE+vO,6BACFxkE,YAAY+9C,WAAahlN,OAAOglN,iBAI7BogB,2BAA2Bn+D,YAAY9iJ,SAAUw8M,cAAclX,OAEhEkX,cAAcphO,UACXu8N,WAAW6E,cAAcphO,KAAK,QAEhCwX,MAAQ,iBAERpE,QAAQ,mBACPsnE,QAAUgtF,YAAYhtF,WACxBA,QAAQ/vE,MACV+vE,QAAQ/vE,IAAIm5E,MAAQs9I,cAAcz2N,IAAIm5E,OAExC4jF,YAAY5jF,MAAQs9I,cAAct9I,MAEL,mBAAlB1mF,OAAOk7B,QAAmD,mBAAnBp9B,KAAKywO,sBAChDn0N,MAAQ,6BAGRm0N,YAAYzmN,MAAK,IAAMhqB,KAAKkqO,wBAAwBvmO,MAAOuiO,cAAe3gO,UAAS,IAAMvF,KAAK+wO,aAAa,CAC9GlnN,QAAS,2BAIb21D,QAAQyxJ,WAAY,WAEbC,cAAc1kE,aACnB,MAAOx6J,oBACF++N,aAAa,CAChBlnN,QAAS7X,EAAE6X,QACXM,SAAU,CACR+zJ,UAAWn+K,QAAQ+D,MAAMw2E,wBACzB32E,MAAOqO,QAKRg/N,iCACEG,mBAAmB3kE,YAAaxsK,KAAK++N,gBAAgBqS,UAAU5kE,YAAY/qF,UAAWzhF,KAAKwhO,WAE9Fh1D,YAAY3hJ,KAAK5pB,OACnBurK,YAAYm9C,WAAa,CACvB1hM,MAAOukJ,YAAY3hJ,KAAK,GAAGE,UAC3B7C,IAAKskJ,YAAY3hJ,KAAK2hJ,YAAY3hJ,KAAK5pB,OAAS,GAAG+pB,SAGrDwhJ,YAAYm9C,WAAa,CACvB1hM,MAAOukJ,YAAY0sD,eACnBhxM,IAAKskJ,YAAY0sD,eAAiB1sD,YAAY9iJ,UAG9C8iJ,YAAY8sD,0BACTphN,QAAQ,uBACRoiN,gBAAkB,eAClBh+M,MAAQ,SAGfkwJ,YAAY1jF,WAAa0jF,YAAY5jF,MAAME,gBACtCu3I,oBAAsB7gJ,QAAQ91D,SAGnC8iJ,YAAY3hJ,KAAKhmB,SAAQimB,WAClBylN,gBAAgB5kN,OAAO3rB,KAAKwwO,0BAA4B,IAAItuO,OAAOu9B,OAAO3U,IAAIC,UAAWD,IAAIE,QAASF,IAAIxf,MAAQwf,QA3vIxF,SAAUF,aACvCC,KAAOD,MAAMC,SACdA,kBAGCwmN,WAAa,OACd,IAAIrwO,EAAI6pB,KAAK5pB,OAAS,EAAGD,GAAK,EAAGA,IAAK,OACnC8pB,IAAMD,KAAK7pB,GACXswO,iBAAYxmN,IAAIC,sBAAaD,IAAIE,oBAAWF,IAAIxf,MAClD+lO,WAAWC,QACb1mN,MAAM+U,UAAU7U,KAEhBumN,WAAWC,QAAUxmN,KAqvIvBymN,CAA6BvxO,KAAKuwO,sBAC7B/E,qBAEPze,YAAYmZ,cAAe3gO,cACnBisO,UAAYtL,eAAwC,QAAvBA,cAAc/lO,KAC3CsxO,aAAelsO,QAA0B,SAAhBA,OAAOpF,KACbqxO,WAAaC,oBAG9B1kB,YAAYmZ,cAAe3gO,QAGrC8iO,wBAQAqJ,iBAAiBllE,mBACT8+C,gBAAiE,OAA/CtrN,KAAKi9N,eAAe4H,uBAAkC7kO,KAAKi9N,eAAeyH,uBAAyB1kO,KAAKi9N,eAAe4H,uBAC/Ir4D,YAAY+9C,WAAW1lN,SAAQimB,YACvB7C,MAAQ6C,IAAI7C,MAAQqjM,gBACpBpjM,IAAM4C,IAAI5C,IAAMojM,gBAChBqmB,OAAS,IAAIzvO,OAAOu9B,OAAOxX,MAAOC,IAAK4C,IAAIo8L,SAC7Cp8L,IAAIsT,UACNtT,IAAIsT,SAAS5xB,MAAM,KAAK3H,SAAQ+sO,mBACxBC,aAAeD,WAAWplO,MAAM,KAChC1H,IAAM+sO,aAAa,GACnB3sO,MAAQ2sO,aAAa,GAC3BF,OAAO7sO,KAAOwe,MAAMpe,OAASA,MAAQwK,OAAOxK,UAGhDsnK,YAAY3hJ,KAAK5oB,KAAK0vO,WAa1BT,cAAc1kE,iBACR3gI,QACAimM,qBAAsB,KACG,mBAAlB5vO,OAAOk7B,aAEV,IAAIizM,gBAEZ7jE,YAAY3hJ,KAAO,GACnB2hJ,YAAYulE,aAAe,CACzBC,OAAQ,EACRC,MAAO,GAELzlE,YAAY+9C,4BACTmnB,iBAAiBllE,aAGU,mBAAvBtqK,OAAOs2B,YAChBqT,QAAU,IAAI3pC,OAAOs2B,YAAY,SAEjCqT,QAAU3pC,OAAOk7B,OAAOG,gBACxBu0M,qBAAsB,SAElB30M,OAAS,IAAIj7B,OAAOk7B,OAAOC,OAAOn7B,OAAQA,OAAOo7B,MAAOuO,YAC9D1O,OAAOM,MAAQ+uI,YAAY3hJ,KAAK5oB,KAAK+W,KAAKwzJ,YAAY3hJ,MACtDsS,OAAOgP,eAAiB18B,MACtB+8J,YAAYulE,aAAetiO,KAE7B0tB,OAAOO,eAAiB/5B,QACtB5D,QAAQuB,IAAIoC,KAAK,wCAA0CC,MAAMkmB,UAE/D2iJ,YAAYhtF,QAAQ/vE,IAAK,KACvByiO,QAAU1lE,YAAYhtF,QAAQ/vE,IAAIm5E,MAClCkpJ,sBACFI,QAAUhC,YAAYgC,UAExB/0M,OAAOzC,MAAMw3M,aAEX/uB,YAAc32C,YAAY5jF,MAC1BkpJ,sBACF3uB,YAAc+sB,YAAY/sB,cAE5BhmL,OAAOzC,MAAMyoL,aACbhmL,OAAOW,QAgBTqzM,mBAAmB3kE,YAAa2lE,WAAYtvJ,gBACpCrD,QAAUgtF,YAAYhtF,YACvB2yJ,sBAMA3lE,YAAY3hJ,KAAK5pB,mBAIpBu+E,QAAQxxD,OAAQ,SAGZgkN,OACJA,OADIC,MAEJA,OACEzlE,YAAYulE,aAQVK,KADkBJ,OAASj6D,QACFk6D,MAAQE,WAAW3P,WAClDh2D,YAAY3hJ,KAAKhmB,SAAQimB,YACjBpB,SAAWoB,IAAIE,QAAUF,IAAIC,UAC7BA,UAAY/qB,KAAKqyO,gBAAgBvnN,IAAIC,UAAYqnN,KAAMD,WAAW/sL,MACxEt6B,IAAIC,UAAYha,KAAKC,IAAI+Z,UAAW,GACpCD,IAAIE,QAAUja,KAAKC,IAAI+Z,UAAYrB,SAAU,OAE1Cm5D,SAAS++I,SAAU,OAChB0Q,WAAa9lE,YAAY3hJ,KAAK,GAAGE,UACjCwnN,UAAY/lE,YAAY3hJ,KAAK2hJ,YAAY3hJ,KAAK5pB,OAAS,GAAG8pB,UAChE83D,SAAS++I,SAAW,CAClBz/I,cAAeU,SAASV,cAAgBqqF,YAAY2sD,WACpD/zK,KAAMr0C,KAAKE,IAAIqhO,WAAYC,UAAY/yJ,QAAQ91D,YAuBrD2oN,gBAAgBntO,MAAO6lC,cACH,OAAdA,iBACK7lC,UAELstO,aAAettO,MAAQ6yK,cACrB06D,iBAAmB1nM,UAAYgtI,YACjCv6F,WAGFA,OAFEi1J,iBAAmBD,cAEX,WAGD,WAGJzhO,KAAK24B,IAAI8oM,aAAeC,kBAAoB,YACjDD,cAAgBh1J,cAEXg1J,aAAez6D,eAoBpB26D,UAAY,SAAU9nN,MAAO6xL,iBAC3B5xL,KAAOD,MAAMC,SACd,IAAI7pB,EAAI,EAAGA,EAAI6pB,KAAK5pB,OAAQD,IAAK,OAC9B8pB,IAAMD,KAAK7pB,MACby7M,WAAa3xL,IAAI6nN,aAAel2B,WAAa3xL,IAAI8nN,iBAC5C9nN,WAGJ,YAwDH+nN,SASJxtO,wBAAY4iB,MACVA,MADUC,IAEVA,IAFUo8D,aAGVA,aAHUC,UAIVA,UAAY,KAJFuuJ,SAKVA,UAAW,eAENC,OAAS9qN,WACT+qN,KAAO9qN,SACP+qN,cAAgB3uJ,kBAChB4uJ,WAAa3uJ,eACb4uJ,UAAYL,SAEnBM,UAAU7P,mBACDA,YAAcvjO,KAAKioB,OAASs7M,WAAavjO,KAAKkoB,IAEvD6jN,oBACOoH,WAAY,EAEnB/Q,2BACO+Q,WAAY,EAEf9O,wBACKrkO,KAAKmzO,UAEVlrN,mBACKjoB,KAAK+yO,OAEV7qN,iBACKloB,KAAKgzO,KAEV1uJ,0BACKtkF,KAAKizO,cAEV1uJ,uBACKvkF,KAAKkzO,kBAGVG,aAMJhuO,YAAYiuO,qBAAiBC,qEAAgB,QACtCC,iBAAmBF,qBACnBG,eAAiBF,cAEpBD,6BACKtzO,KAAKwzO,iBAEVD,2BACKvzO,KAAKyzO,eAEVC,8BACK1zO,KAAKyzO,eAAexyO,OAAS,EAEtC0yO,yBACOH,iBAAiBpR,2BACjBqR,eAAe5uO,SAAQ+uO,cAAgBA,aAAaxR,+BAGvDyR,kBACJxuO,mBAKOyuO,SAAW,IAAI15N,SACf25N,aAAe,QACfC,aAAc,OACdjB,QAAUhqN,EAAAA,OACViqN,KAAOjqN,EAAAA,EAEVd,mBACKjoB,KAAK+yO,OAEV7qN,iBACKloB,KAAKgzO,KAEVjR,yBACK/hO,KAAK+zO,aAEVrQ,wBACK1jO,KAAKg0O,YAEd5R,2BACO0R,SAASjvO,SAAQovO,cAAgBA,aAAaN,sBAWrDt0L,OAAOwjC,SAAUxjD,mBACT8iD,cACJA,cADIhB,SAEJA,UACE0B,iBACCmxJ,YAAch0O,KAAKk0O,oBAAoB/xJ,cAAehB,UACtDnhF,KAAKg0O,mBAGHh0O,KAAKm0O,eAAehzJ,SAAUgB,cAAeniF,KAAKo0O,mBAAmBjyJ,cAAehB,SAAU9hD,cAOvG+kM,mBAAmBb,gBACZ,MAAM+P,gBACTA,gBADSC,cAETA,iBACGvzO,KAAK8zO,SAASntO,YAEZ4sO,cAActyO,YAMZ,MAAM2yO,gBAAgBL,iBACrBK,aAAaR,UAAU7P,mBAClBqQ,qBAPPN,gBAAgBF,UAAU7P,mBACrB+P,uBAWN,KAETe,4BAA4BlyJ,sBACnBniF,KAAK8zO,SAASztO,IAAI87E,eAE3BgyJ,eAAehzJ,SAAUmzJ,sBAAuBC,oBACxCC,WAAa,IAAIp6N,QACnBq6N,eAAiB,KACjBxM,aAAesM,aACfG,qBAAuBJ,2BACtBvB,OAAS9K,aACd9mJ,SAASt8E,SAAQ,CAAC26E,QAAS8E,sBACnBqwJ,iBAAmB30O,KAAK8zO,SAASztO,IAAIquO,sBACrCE,aAAe3M,aACftgD,WAAaitD,aAAep1J,QAAQ91D,SACpCmrN,kBAAoBttO,QAAQotO,kBAAoBA,iBAAiBrB,iBAAmBqB,iBAAiBrB,gBAAgBjP,YACrHiP,gBAAkB,IAAIT,SAAS,CACnC5qN,MAAO2sN,aACP1sN,IAAKy/J,WACLmrD,SAAU+B,kBACVvwJ,aAAAA,eAEF9E,QAAQoiJ,SAAW0R,oBACfwB,iBAAmB7M,mBACjBsL,eAAiB/zJ,QAAQ+B,OAAS,IAAI9xE,KAAI,CAAC84C,KAAMg8B,mBAC/CwwJ,UAAYD,iBACZE,QAAUF,iBAAmBvsL,KAAK7+B,SAClCurN,eAAiB1tO,QAAQotO,kBAAoBA,iBAAiBpB,eAAiBoB,iBAAiBpB,cAAchvJ,YAAcowJ,iBAAiBpB,cAAchvJ,WAAW8/I,YACtKuP,aAAe,IAAIf,SAAS,CAChC5qN,MAAO8sN,UACP7sN,IAAK8sN,QACLlC,SAAUmC,eACV3wJ,aAAAA,aACAC,UAAAA,mBAEFuwJ,iBAAmBE,QACnBP,0CAAqCC,iCAAwBnwJ,+BAAsBwwJ,6BAAiBC,gCAAuBC,qBAC3H1sL,KAAKq5K,SAAWgS,aACTA,gBAETY,WAAWzuO,IAAI2uO,qBAAsB,IAAIrB,aAAaC,gBAAiBC,gBACvEkB,0BAAqBld,6BAA6B/3I,QAAQ2iF,2CAAkCuyE,0CAAiCE,gCAAoBjtD,mCAA0BktD,wBAC3KH,uBACAzM,aAAetgD,mBAEZqrD,KAAO/K,kBACP6L,SAAWU,gBACXT,aAAeU,eAEtBL,mBAAmBjyJ,cAAehB,SAAU+zJ,cACrCl1O,KAAK8zO,SAASx5N,YAEV,KAELta,KAAK8zO,SAASh/N,IAAIqtE,sBAEbniF,KAAK8zO,SAASztO,IAAI87E,eAAemxJ,gBAAgBrrN,YAEpDktN,4BAA8BpkO,KAAKE,OAAOjR,KAAK8zO,SAASrvO,WAG1D09E,cAAgBgzJ,4BAA6B,OACzCjT,kBAAoBiT,4BAA8BhzJ,kBACpDogI,SAAWviN,KAAK8zO,SAASztO,IAAI8uO,6BAA6B7B,gBAAgBrrN,UACzE,IAAIjnB,EAAI,EAAGA,EAAIkhO,kBAAmBlhO,IAAK,CAE1CuhN,UADgBphI,SAASngF,GACL0oB,gBAEf64L,gBAIF2yB,SAEThB,oBAAoB/xJ,cAAehB,iBAC1BgB,MAAAA,eAAyD7/E,MAAMC,QAAQ4+E,WAAaA,SAASlgF,cAGlGm0O,mCAAmCvB,kBACvCxuO,YAAY2E,qBAELqrO,QAAUrrO,OAEjBoqO,mBAAmBjyJ,cAAehB,SAAU+zJ,cACrCl1O,KAAK8zO,SAASx5N,KAAM,OACjBlY,KAAOpC,KAAKq1O,QAAQhB,4BAA4BlyJ,sBAClD//E,KACKA,KAAKkxO,gBAAgBrrN,MAEvB,SAEFuE,MAAM4nN,mBAAmBjyJ,cAAehB,SAAU+zJ,iBAavDI,oBAAsB,CAG5B,CACEj0O,KAAM,MACNk0O,IAAK,CAACvW,eAAgBn8I,SAAUn5D,SAAUo3D,gBAAiBzhD,kBACrD3V,WAAaX,EAAAA,EAAU,OACP,CAChBq8B,KAAM,EACNk/B,aAAc,EACdC,UAAW,aAIR,OAER,CACDljF,KAAM,gBAWNk0O,IAAK,CAACvW,eAAgBn8I,SAAUn5D,SAAUo3D,gBAAiBzhD,YAAal/B,cAChEq1O,kBAAoBxW,eAAec,qBAAqB3/N,UACzDq1O,yBACI,SAEJA,kBAAkB9R,kBACd,WAEH9B,SAAW4T,kBAAkBpR,mBAAmB/kM,oBACjDuiM,SAGE,CACLx8K,KAAMw8K,SAAS35M,MACfs8D,UAAWq9I,SAASr9I,UACpBD,aAAcs9I,SAASt9I,cALhB,OAUb,CACEjjF,KAAM,kBACNk0O,IAAK,CAACvW,eAAgBn8I,SAAUn5D,SAAUo3D,gBAAiBzhD,mBACpD/6B,OAAOG,KAAKu6N,eAAeyW,4BAA4Bx0O,cACnD,SAEL2vM,UAAY,KACZ8kC,aAAe,WACbj6D,iBAAmBzC,oBAAoBn2F,UAC7CxjD,YAAcA,aAAe,MACxB,IAAIr+B,EAAI,EAAGA,EAAIy6K,iBAAiBx6K,OAAQD,IAAK,OAI1C06K,eAAiBD,iBADT54F,SAASZ,SAA2B,IAAhB5iD,YAAoBr+B,EAAIy6K,iBAAiBx6K,QAAUD,EAAI,IAEnFw+E,QAAUk8F,eAAel8F,QACzBm2J,gBAAkB3W,eAAeyW,2BAA2Bj2J,QAAQiC,cACrEk0J,kBAAoBn2J,QAAQb,4BAI7B12D,MADgBu3D,QAAQb,eAAeiF,UAAY,IAC7B+xJ,mBAEtBn2J,QAAQ+B,OAA6C,iBAA7Bm6F,eAAen3F,cACpC,IAAIk7H,EAAI,EAAGA,EAAI/jC,eAAen3F,UAAWk7H,IAC5Cx3L,OAASu3D,QAAQ+B,MAAMk+H,GAAG/1L,eAGxB4zB,SAAWvsC,KAAK24B,IAAIrK,YAAcpX,UAGnB,OAAjBytN,eAAuC,IAAbp4L,UAAkBo4L,aAAep4L,gBAG/Do4L,aAAep4L,SACfszJ,UAAY,CACVxrJ,KAAMn9B,MACNq8D,aAAco3F,eAAep3F,aAC7BC,UAAWm3F,eAAen3F,kBAGvBqsH,YAKX,CACEvvM,KAAM,UACNk0O,IAAK,CAACvW,eAAgBn8I,SAAUn5D,SAAUo3D,gBAAiBzhD,mBACrDuxK,UAAY,KACZ8kC,aAAe,KACnBr2M,YAAcA,aAAe,QACvBo8I,iBAAmBzC,oBAAoBn2F,cACxC,IAAI7hF,EAAI,EAAGA,EAAIy6K,iBAAiBx6K,OAAQD,IAAK,OAI1C06K,eAAiBD,iBADT54F,SAASZ,SAA2B,IAAhB5iD,YAAoBr+B,EAAIy6K,iBAAiBx6K,QAAUD,EAAI,IAEnFw+E,QAAUk8F,eAAel8F,QACzBv3D,MAAQyzJ,eAAenzH,MAAQmzH,eAAenzH,KAAKtgC,OAASu3D,SAAWA,QAAQv3D,SACjFu3D,QAAQiC,WAAaX,sBAAoC,IAAV74D,MAAuB,OAClEq1B,SAAWvsC,KAAK24B,IAAIrK,YAAcpX,UAGnB,OAAjBytN,cAAyBA,aAAep4L,iBAGvCszJ,WAA8B,OAAjB8kC,cAAyBA,cAAgBp4L,YACzDo4L,aAAep4L,SACfszJ,UAAY,CACVxrJ,KAAMn9B,MACNq8D,aAAco3F,eAAep3F,aAC7BC,UAAWm3F,eAAen3F,oBAK3BqsH,YAKX,CACEvvM,KAAM,gBACNk0O,IAAK,CAACvW,eAAgBn8I,SAAUn5D,SAAUo3D,gBAAiBzhD,mBACrDuxK,UAAY,QAChBvxK,YAAcA,aAAe,EACzBwjD,SAAS7B,qBAAuB6B,SAAS7B,oBAAoB//E,OAAQ,KACnEy0O,aAAe,SACd,IAAI10O,EAAI,EAAGA,EAAI6hF,SAAS7B,oBAAoB//E,OAAQD,IAAK,OACtDsjF,aAAezB,SAAS7B,oBAAoBhgF,GAC5C2iF,cAAgBd,SAAST,sBAAwBphF,EAAI,EACrD40O,kBAAoB5W,eAAe6W,gBAAgBlyJ,kBACrDiyJ,kBAAmB,OACft4L,SAAWvsC,KAAK24B,IAAIrK,YAAcu2M,kBAAkBxwL,SAGrC,OAAjBswL,cAAyBA,aAAep4L,iBAGvCszJ,WAA8B,OAAjB8kC,cAAyBA,cAAgBp4L,YACzDo4L,aAAep4L,SACfszJ,UAAY,CACVxrJ,KAAMwwL,kBAAkBxwL,KACxBk/B,aAAAA,aACAC,UAAW,gBAMdqsH,YAKX,CACEvvM,KAAM,WACNk0O,IAAK,CAACvW,eAAgBn8I,SAAUn5D,SAAUo3D,gBAAiBzhD,kBACrDwjD,SAAS++I,SAAU,OACH,CAChBx8K,KAAMy9B,SAAS++I,SAASx8K,KACxBk/B,aAAczB,SAAS++I,SAASz/I,cAAgBU,SAASV,cACzDoC,UAAW,aAIR,cAGLuxJ,uBAAuB/1O,QAAQ65E,YACnCv0E,2BAGO+rO,UAAY,QACZyE,gBAAkB,QAClBJ,2BAA6B,SAK5BjkN,KAAO,IAAIqiN,kBACXrzM,MAAQ,IAAI40M,2BAA2B5jN,MACvC2b,IAAM,IAAIioM,2BAA2B5jN,WACtCukN,sBAAwB,CAC3BvkN,KAAAA,KACAgP,MAAAA,MACA2M,IAAAA,UAEG0yI,QAAU1H,OAAO,kBAQxB2nD,qBAAqBhG,mBACZ95N,KAAK+1O,sBAAsBjc,aAAe,KAsBnDwJ,aAAazgJ,SAAUn5D,SAAUo3D,gBAAiBzhD,YAAal/B,SAEzDupB,WAAaX,EAAAA,EAAU,QACIusN,oBAAoB1sO,MAAKotO,aAAC30O,KACrDA,mBACa,QAATA,QACsBk0O,IAAIv1O,KAAM6iF,SAAUn5D,gBAE5CusN,WAAaj2O,KAAKk2O,eAAerzJ,SAAUn5D,SAAUo3D,gBAAiBzhD,YAAal/B,UACpF81O,WAAWh1O,cAIP,SAGJ,MAAMk1O,iBAAiBF,WAAY,OAChCrlC,UACJA,UADIwlC,SAEJA,UACED,eACE7xJ,aACJA,aADIl/B,KAEJA,MACEwrJ,aACAtsH,aAAe,iBAIbr8D,MAAQm9B,KACRl9B,IAAMD,MAFY46D,SAAS1B,SAASmD,cAEN56D,iBAC/Bm2J,4BAAqBu2D,oCAA2B/2M,2CAAkCilD,iCAAwBr8D,qBAAYC,WACvHmX,aAAepX,OAASoX,YAAcnX,gBACnC23J,QAAQ,sCAAuC+wB,WAC7CA,iBAMJ5wM,KAAKq2O,iBAAiBJ,WAAY,CACvCnxO,IAAK,OACLI,MAAOm6B,cAeXi3M,eAAezzJ,SAAUn5D,cAClBm5D,WAAaA,SAAS1B,gBAClB,WAEH80J,WAAaj2O,KAAKk2O,eAAerzJ,SAAUn5D,SAAUm5D,SAAST,sBAAuB,OAEtF6zJ,WAAWh1O,cACP,WAEH2vM,UAAY5wM,KAAKq2O,iBAAiBJ,WAAY,CAClDnxO,IAAK,eACLI,MAAO,WAIL0rM,UAAUtsH,aAAe,IAC3BssH,UAAUxrJ,OAAS,GAEdr0C,KAAK24B,IAAIknK,UAAUxrJ,KAAO40H,aAAa,CAC5CC,gBAAiBp3F,SAAS/C,eAC1Bo6F,aAAcr3F,SAAS1B,SACvBg7E,WAAYy0C,UAAUtsH,aACtBwgF,SAAU,KAsBdoxE,eAAerzJ,SAAUn5D,SAAUo3D,gBAAiBzhD,YAAal/B,YACzD81O,WAAa,OAEd,IAAIj1O,EAAI,EAAGA,EAAIs0O,oBAAoBr0O,OAAQD,IAAK,OAC7Co1O,SAAWd,oBAAoBt0O,GAC/B4vM,UAAYwlC,SAASb,IAAIv1O,KAAM6iF,SAAUn5D,SAAUo3D,gBAAiBzhD,YAAal/B,MACnFywM,YACFA,UAAUwlC,SAAWA,SAAS/0O,KAC9B40O,WAAWh0O,KAAK,CACdm0O,SAAUA,SAAS/0O,KACnBuvM,UAAAA,oBAICqlC,WAkBTI,iBAAiBJ,WAAY3lO,YACvBimO,cAAgBN,WAAW,GAAGrlC,UAC9B4lC,aAAezlO,KAAK24B,IAAIusM,WAAW,GAAGrlC,UAAUtgM,OAAOxL,KAAOwL,OAAOpL,OACrEuxO,aAAeR,WAAW,GAAGG,aAC5B,IAAIp1O,EAAI,EAAGA,EAAIi1O,WAAWh1O,OAAQD,IAAK,OACpC01O,YAAc3lO,KAAK24B,IAAIusM,WAAWj1O,GAAG4vM,UAAUtgM,OAAOxL,KAAOwL,OAAOpL,OACtEwxO,YAAcF,eAChBA,aAAeE,YACfH,cAAgBN,WAAWj1O,GAAG4vM,UAC9B6lC,aAAeR,WAAWj1O,GAAGo1O,sBAG5Bv2D,QAAQ,yBAAkBvvK,OAAOxL,iBAAQwL,OAAOpL,4CAAqCuxO,iCAAwBF,cAAcnxL,kCAA2BmxL,cAAcjyJ,eAAqD,iBAA5BiyJ,cAAchyJ,+BAAuCgyJ,cAAchyJ,WAAc,IAAM,KAClRgyJ,cAWTpU,uBAAuB/7D,YAAau7D,mBAC5BO,kBAAoBP,YAAYx/I,cAAgBikF,YAAYjkF,iBAE9D+/I,kBArYiC,MAsYnCniO,QAAQuB,IAAIoC,mEAA4Dw+N,8CAKrE,IAAIlhO,EAAIkhO,kBAAoB,EAAGlhO,GAAK,EAAGA,IAAK,OACzC21O,mBAAqBvwE,YAAYjlF,SAASngF,MAC5C21O,yBAA0D,IAA7BA,mBAAmB1uN,MAAuB,CACzE05M,YAAYC,SAAW,CACrBz/I,cAAeikF,YAAYjkF,cAAgBnhF,EAC3CokD,KAAMuxL,mBAAmB1uN,YAEtB43J,QAAQ,uCAAgC8hD,YAAYC,SAASx8K,oCAA6Bu8K,YAAYC,SAASz/I,yBAC/GjqE,QAAQ,0BAYnB2pN,2BAA2Bh/I,kBAKpB4yJ,2BAA6B,GAC9B5yJ,SAAS1B,UAAY0B,SAAS1B,SAASlgF,QAAU4hF,SAAS1B,SAAS,GAAGxC,eAAgB,OAClFu+F,aAAer6F,SAAS1B,SAAS,GACjCy1J,kBAAoB15D,aAAav+F,eAAeiF,UAAY,SAC7D6xJ,2BAA2Bv4D,aAAaz7F,WAAam1J,mBAgB9DtO,kCAAsB97D,YACpBA,YADoB+7D,0BAEpBA,wCAEMsO,+BAAiC72O,KAAK82O,6BAA6BtqE,YAAaA,YAAYm9C,WAAY4e,2BACxG/oJ,QAAUgtF,YAAYhtF,QACxBq3J,sCACGE,2BAA2BvqE,aAG3BA,YAAY3pF,SAAS++I,WACxBp1D,YAAY3pF,SAAS++I,SAAW,CAC9Bz/I,cAAeqqF,YAAY3pF,SAASV,cAAgBqqF,YAAY2sD,WAChE/zK,KAAMo6B,QAAQv3D,eAId+uN,SAAWx3J,QAAQb,eACrBa,QAAQmE,eAAiB4kJ,2BAA6ByO,gBACnDvB,2BAA2Bj2J,QAAQiC,WAAcu1J,SAASpzJ,UAAY,KAG/EgtJ,2BAA2BnvJ,sBACe,IAA7BzhF,KAAKoxO,UAAU3vJ,UACjB,KAEFzhF,KAAKoxO,UAAU3vJ,UAAUr8B,KAElC6lL,mBAAmBxpJ,sBACuB,IAA7BzhF,KAAKoxO,UAAU3vJ,UACjB,KAEFzhF,KAAKoxO,UAAU3vJ,UAAU+gJ,QAkBlCsU,6BAA6BtqE,YAAam9C,WAAY4e,iCAE9C/oJ,QAAUgtF,YAAYhtF,QACtBj3B,KAAOikH,YAAYjkH,SAErBtgC,MACAC,IAFAiqN,WAAanyO,KAAKoxO,UAAU5kE,YAAY/qF,aAGD,iBAAhC+qF,YAAY8+C,gBACrB6mB,WAAa,CACX/sL,KAAMonH,YAAY0sD,eAClBsJ,QAASh2D,YAAY0sD,eAAiBvP,WAAW1hM,OAE/CsgN,iCACG6I,UAAU5kE,YAAY/qF,UAAY0wJ,gBAClCj6N,QAAQ,wBACR2nK,QAAQ,oCAA6BrT,YAAY/qF,gCAAyB0wJ,WAAW/sL,4BAAmB+sL,WAAW3P,eAE1Hv6M,MAAQukJ,YAAY0sD,eACpBhxM,IAAMyhM,WAAWzhM,IAAMiqN,WAAW3P,YAC7B,CAAA,IAAI2P,kBAIF,EAHPlqN,MAAQ0hM,WAAW1hM,MAAQkqN,WAAW3P,QACtCt6M,IAAMyhM,WAAWzhM,IAAMiqN,WAAW3P,eAIhCj6K,OACFA,KAAKtgC,MAAQA,MACbsgC,KAAKrgC,IAAMA,OAORs3D,QAAQv3D,OAASA,MAAQu3D,QAAQv3D,SACpCu3D,QAAQv3D,MAAQA,OAElBu3D,QAAQt3D,IAAMA,KACP,EAWT6uN,2BAA2BvqE,mBACnB3pF,SAAW2pF,YAAY3pF,SACvBrD,QAAUgtF,YAAYhtF,WAIxBA,QAAQmE,mBACLkyJ,gBAAgBr2J,QAAQiC,UAAY,CACvCr8B,KAAMo6B,QAAQv3D,MACdgvN,SAAU,QAEP,GAAIp0J,SAAS7B,qBAAuB6B,SAAS7B,oBAAoB//E,WAGjE,IAAID,EAAI,EAAGA,EAAI6hF,SAAS7B,oBAAoB//E,OAAQD,IAAK,OACtDsjF,aAAezB,SAAS7B,oBAAoBhgF,GAC5C2iF,cAAgBd,SAAST,sBAAwBphF,EAAI,EACrDk2O,eAAiB5yJ,aAAekoF,YAAY2sD,WAC5C8d,SAAWlmO,KAAK24B,IAAIwtM,oBACrBl3O,KAAK61O,gBAAgBlyJ,gBAAkB3jF,KAAK61O,gBAAgBlyJ,eAAeszJ,SAAWA,SAAU,KAC/F7xL,KAEFA,KADE8xL,eAAiB,EACZ13J,QAAQv3D,MAAQ+xJ,aAAa,CAClCC,gBAAiBp3F,SAAS/C,eAC1Bo6F,aAAcr3F,SAAS1B,SACvBg7E,WAAYqQ,YAAY2sD,WACxBr0D,SAAUxgF,eAGL9E,QAAQt3D,IAAM8xJ,aAAa,CAChCC,gBAAiBp3F,SAAS/C,eAC1Bo6F,aAAcr3F,SAAS1B,SACvBg7E,WAAYqQ,YAAY2sD,WAAa,EACrCr0D,SAAUxgF,oBAGTuxJ,gBAAgBlyJ,eAAiB,CACpCv+B,KAAAA,KACA6xL,SAAAA,YAMVl4N,eACO7G,QAAQ,gBACR1U,aAcH2zO,iCAAiCp3O,QAAQ65E,YAC7Cv0E,2BAEO+xO,wBAA0B,QAC1BC,qBAAuB,GAE9B3W,2BAA2BvgO,WACpBi3O,wBAAwBj3O,MAAQ,UAChC+X,QAAQ,yBAEfiiN,kCAAsBh6N,KACpBA,KADoBuc,KAEpBA,KAFoBC,GAGpBA,iBAEoB,iBAATD,MAAmC,iBAAPC,UAChCy6N,wBAAwBj3O,MAAQ,CACnCA,KAAAA,KACAuc,KAAAA,KACAC,GAAAA,SAEGzE,QAAQ,0BAERlY,KAAKo3O,wBAAwBj3O,MAEtC85N,+BAAmB95N,KACjBA,KADiBuc,KAEjBA,KAFiBC,GAGjBA,cAEoB,iBAATD,MAAmC,iBAAPC,GAAiB,MACjD06N,qBAAqBl3O,MAAQ,CAChCA,KAAAA,KACAuc,KAAAA,KACAC,GAAAA,WAEK3c,KAAKo3O,wBAAwBj3O,YAC9BgqB,SAAW,CACfmtN,mBAAoB,CAClB56N,KAAAA,KACAC,GAAAA,UAGCzE,QAAQ,CACX/X,KAAM,iBACNgqB,SAAAA,kBAGGnqB,KAAKq3O,qBAAqBl3O,MAEnC4e,eACO7G,QAAQ,gBACRk/N,wBAA0B,QAC1BC,qBAAuB,QACvB7zO,aAKH+zO,WAAa/nO,UAAUqhL,iBAAgB,eAWvCp0G,OAAsB,oBACfA,cACF/b,UAAY,OAUfzrC,OAASwnD,OAAOl4E,iBACpB0wB,OAAO3d,GAAK,SAAYnX,KAAM+a,UACvBlb,KAAK0gE,UAAUvgE,aACbugE,UAAUvgE,MAAQ,SAEpBugE,UAAUvgE,MAAM8B,KAAKiZ,WAU5B+Z,OAAOzxB,IAAM,SAAarD,KAAM+a,cACzBlb,KAAK0gE,UAAUvgE,aACX,MAELI,MAAQP,KAAK0gE,UAAUvgE,MAAMK,QAAQ0a,sBASpCwlD,UAAUvgE,MAAQH,KAAK0gE,UAAUvgE,MAAMM,MAAM,QAC7CigE,UAAUvgE,MAAMO,OAAOH,MAAO,GAC5BA,OAAS,GAQlB00B,OAAO/c,QAAU,SAAiB/X,UAC5B4vE,UAAY/vE,KAAK0gE,UAAUvgE,SAC1B4vE,aAOoB,IAArBr3D,UAAUzX,eACRA,OAAS8uE,UAAU9uE,OACdD,EAAI,EAAGA,EAAIC,SAAUD,EAC5B+uE,UAAU/uE,GAAGoE,KAAKpF,KAAM0Y,UAAU,iBAGhCjX,KAAOa,MAAMiC,UAAU9D,MAAM2E,KAAKsT,UAAW,GAC7CgkE,QAAU3M,UAAU9uE,OACf07E,GAAK,EAAGA,GAAKD,UAAWC,GAC/B5M,UAAU4M,IAAIlkE,MAAMzY,KAAMyB,OAOhCwzB,OAAOlW,QAAU,gBACV2hD,UAAY,IAUnBzrC,OAAO2nD,KAAO,SAAcC,kBACrBvlE,GAAG,QAAQ,SAAUvC,MACxB8nE,YAAY56E,KAAK8S,UAGd0nE,OA3FiB;yDAoMtB+6J,UAAY,WASVC,IACJpyO,YAAYP,SAoBN9D,EACA+8C,EACA25L,IAPCF,YACHA,UArEa,iBACXG,OAAS,CAAC,CAAC,GAAI,GAAI,GAAI,GAAI,IAAK,CAAC,GAAI,GAAI,GAAI,GAAI,KACjDC,SAAWD,OAAO,GAClBE,SAAWF,OAAO,GAClBG,KAAOF,SAAS,GAChBG,QAAUF,SAAS,OACrB72O,EACAiJ,EACA+tO,WACEltE,EAAI,GACJmtE,GAAK,OACPC,GACAC,GACAC,GACA1vN,EACA2vN,KACAC,SAECt3O,EAAI,EAAGA,EAAI,IAAKA,IACnBi3O,IAAIntE,EAAE9pK,GAAKA,GAAK,EAAe,KAAVA,GAAK,IAAYA,GAAKA,MAExCiJ,EAAI+tO,KAAO,GAAIF,KAAK7tO,GAAIA,GAAKiuO,IAAM,EAAGF,KAAOC,GAAGD,OAAS,MAE5DtvN,EAAIsvN,KAAOA,MAAQ,EAAIA,MAAQ,EAAIA,MAAQ,EAAIA,MAAQ,EACvDtvN,EAAIA,GAAK,EAAQ,IAAJA,EAAU,GACvBovN,KAAK7tO,GAAKye,EACVqvN,QAAQrvN,GAAKze,EAEbmuO,GAAKttE,EAAEqtE,GAAKrtE,EAAEotE,GAAKptE,EAAE7gK,KACrBquO,KAAY,SAALF,GAAsB,MAALD,GAAoB,IAALD,GAAiB,SAAJjuO,EACpDouO,KAAc,IAAPvtE,EAAEpiJ,GAAiB,SAAJA,EACjB1nB,EAAI,EAAGA,EAAI,EAAGA,IACjB42O,SAAS52O,GAAGiJ,GAAKouO,KAAOA,MAAQ,GAAKA,OAAS,EAC9CR,SAAS72O,GAAG0nB,GAAK4vN,KAAOA,MAAQ,GAAKA,OAAS,MAI7Ct3O,EAAI,EAAGA,EAAI,EAAGA,IACjB42O,SAAS52O,GAAK42O,SAAS52O,GAAGP,MAAM,GAChCo3O,SAAS72O,GAAK62O,SAAS72O,GAAGP,MAAM,UAE3Bk3O,OA4BSY,SAGTC,QAAU,CAAC,CAAChB,UAAU,GAAG,GAAG/2O,QAAS+2O,UAAU,GAAG,GAAG/2O,QAAS+2O,UAAU,GAAG,GAAG/2O,QAAS+2O,UAAU,GAAG,GAAG/2O,QAAS+2O,UAAU,GAAG,GAAG/2O,SAAU,CAAC+2O,UAAU,GAAG,GAAG/2O,QAAS+2O,UAAU,GAAG,GAAG/2O,QAAS+2O,UAAU,GAAG,GAAG/2O,QAAS+2O,UAAU,GAAG,GAAG/2O,QAAS+2O,UAAU,GAAG,GAAG/2O,gBAI9Pq3O,KAAO93O,KAAKw4O,QAAQ,GAAG,GACvBX,SAAW73O,KAAKw4O,QAAQ,GACxBC,OAAS3zO,IAAI7D,WACfy3O,KAAO,KACI,IAAXD,QAA2B,IAAXA,QAA2B,IAAXA,aAC5B,IAAI30O,MAAM,8BAEZ60O,OAAS7zO,IAAIrE,MAAM,GACnBm4O,OAAS,YACVzuD,KAAO,CAACwuD,OAAQC,QAEhB53O,EAAIy3O,OAAQz3O,EAAI,EAAIy3O,OAAS,GAAIz3O,IACpC02O,IAAMiB,OAAO33O,EAAI,IAEbA,EAAIy3O,QAAW,GAAgB,IAAXA,QAAgBz3O,EAAIy3O,QAAW,KACrDf,IAAMI,KAAKJ,MAAQ,KAAO,GAAKI,KAAKJ,KAAO,GAAK,MAAQ,GAAKI,KAAKJ,KAAO,EAAI,MAAQ,EAAII,KAAW,IAANJ,KAE1F12O,EAAIy3O,QAAW,IACjBf,IAAMA,KAAO,EAAIA,MAAQ,GAAKgB,MAAQ,GACtCA,KAAOA,MAAQ,EAAkB,KAAbA,MAAQ,KAGhCC,OAAO33O,GAAK23O,OAAO33O,EAAIy3O,QAAUf,QAG9B35L,EAAI,EAAG/8C,EAAG+8C,IAAK/8C,IAClB02O,IAAMiB,OAAW,EAAJ56L,EAAQ/8C,EAAIA,EAAI,GAE3B43O,OAAO76L,GADL/8C,GAAK,GAAK+8C,EAAI,EACJ25L,IAEAG,SAAS,GAAGC,KAAKJ,MAAQ,KAAOG,SAAS,GAAGC,KAAKJ,KAAO,GAAK,MAAQG,SAAS,GAAGC,KAAKJ,KAAO,EAAI,MAAQG,SAAS,GAAGC,KAAW,IAANJ,MAkB5IzmB,QAAQ4nB,WAAYC,WAAYC,WAAYC,WAAYC,IAAKz7J,cACrD14E,IAAM9E,KAAKmqL,KAAK,OAMlB+uD,GACAtuM,GACAuuM,GANAz0M,EAAIm0M,WAAa/zO,IAAI,GACrB+D,EAAImwO,WAAal0O,IAAI,GACrBmZ,EAAI86N,WAAaj0O,IAAI,GACrBgmK,EAAIguE,WAAah0O,IAAI,SAKnBs0O,aAAet0O,IAAI7D,OAAS,EAAI,MAClCD,EACAq4O,OAAS,QACP7wB,MAAQxoN,KAAKw4O,QAAQ,GAErBc,OAAS9wB,MAAM,GACf+wB,OAAS/wB,MAAM,GACfgxB,OAAShxB,MAAM,GACfixB,OAASjxB,MAAM,GACfsvB,KAAOtvB,MAAM,OAEdxnN,EAAI,EAAGA,EAAIo4O,aAAcp4O,IAC5Bk4O,GAAKI,OAAO50M,IAAM,IAAM60M,OAAO1wO,GAAK,GAAK,KAAO2wO,OAAOv7N,GAAK,EAAI,KAAOw7N,OAAW,IAAJ3uE,GAAWhmK,IAAIu0O,QAC7FzuM,GAAK0uM,OAAOzwO,IAAM,IAAM0wO,OAAOt7N,GAAK,GAAK,KAAOu7N,OAAO1uE,GAAK,EAAI,KAAO2uE,OAAW,IAAJ/0M,GAAW5/B,IAAIu0O,OAAS,GACtGF,GAAKG,OAAOr7N,IAAM,IAAMs7N,OAAOzuE,GAAK,GAAK,KAAO0uE,OAAO90M,GAAK,EAAI,KAAO+0M,OAAW,IAAJ5wO,GAAW/D,IAAIu0O,OAAS,GACtGvuE,EAAIwuE,OAAOxuE,IAAM,IAAMyuE,OAAO70M,GAAK,GAAK,KAAO80M,OAAO3wO,GAAK,EAAI,KAAO4wO,OAAW,IAAJx7N,GAAWnZ,IAAIu0O,OAAS,GACrGA,QAAU,EACV30M,EAAIw0M,GACJrwO,EAAI+hC,GACJ3sB,EAAIk7N,OAGDn4O,EAAI,EAAGA,EAAI,EAAGA,IACjBi4O,KAAK,GAAKj4O,GAAKw8E,QAAUs6J,KAAKpzM,IAAM,KAAO,GAAKozM,KAAKjvO,GAAK,GAAK,MAAQ,GAAKivO,KAAK75N,GAAK,EAAI,MAAQ,EAAI65N,KAAS,IAAJhtE,GAAWhmK,IAAIu0O,UAC1HH,GAAKx0M,EACLA,EAAI77B,EACJA,EAAIoV,EACJA,EAAI6sJ,EACJA,EAAIouE,UAgBJQ,oBAAoBj9J,OACxBp3E,oBACQo3E,aACDk9J,KAAO,QACPh3D,MAAQ,OACRi3D,SAAW,KAQlBC,mBACOF,KAAKt+N,UACNrb,KAAK25O,KAAK14O,YACP24O,SAAW5lO,WAAWhU,KAAK65O,YAAY7gO,KAAKhZ,MAAOA,KAAK2iL,YAExDi3D,SAAW,KASpB33O,KAAK63O,UACEH,KAAK13O,KAAK63O,KACV95O,KAAK45O,gBACHA,SAAW5lO,WAAWhU,KAAK65O,YAAY7gO,KAAKhZ,MAAOA,KAAK2iL,eAgB7Do3D,KAAO,SAAUC,aACdA,MAAQ,IAAa,MAAPA,OAAkB,GAAY,SAAPA,OAAoB,EAAIA,OAAS,UA8EzEC,UACJ50O,YAAYksN,UAAWzsN,IAAKo1O,WAAY1lN,YAChC8U,KAAO2wM,UAAUE,KACjBC,YAAc,IAAIC,WAAW9oB,UAAUzlL,QACvCslL,UAAY,IAAIl4L,WAAWq4L,UAAUzoI,gBACvC9nF,EAAI,WACHs5O,aAAe,IAAIZ,iBAEnBY,aAAar4O,KAAKjC,KAAKu6O,cAAcH,YAAY7nE,SAASvxK,EAAGA,EAAIsoC,MAAOxkC,IAAKo1O,WAAY9oB,YACzFpwN,EAAIsoC,KAAMtoC,EAAIo5O,YAAYn5O,OAAQD,GAAKsoC,KAC1C4wM,WAAa,IAAIp7J,YAAY,CAACi7J,KAAKK,YAAYp5O,EAAI,IAAK+4O,KAAKK,YAAYp5O,EAAI,IAAK+4O,KAAKK,YAAYp5O,EAAI,IAAK+4O,KAAKK,YAAYp5O,EAAI,WAC5Hs5O,aAAar4O,KAAKjC,KAAKu6O,cAAcH,YAAY7nE,SAASvxK,EAAGA,EAAIsoC,MAAOxkC,IAAKo1O,WAAY9oB,iBAG3FkpB,aAAar4O,MAAK,eAhXZu4O;6DAkXThmN,KAAK,MAlXIgmN,OAkXQppB,WAjXP7+C,SAAS,EAAGioE,OAAO1xJ,WAAa0xJ,OAAOA,OAAO1xJ,WAAa,QA0X9DqxJ,yBAEF,KAMTI,cAAchpB,UAAWzsN,IAAKo1O,WAAY9oB,kBACjC,iBACCxoI,MAjGI,SAAU2oI,UAAWzsN,IAAKo1O,kBAElCE,YAAc,IAAIC,WAAW9oB,UAAUzlL,OAAQylL,UAAU1oI,WAAY0oI,UAAUzoI,YAAc,GAC7F2xJ,SAAW,IAAIhD,IAAIn1O,MAAMiC,UAAU9D,MAAM2E,KAAKN,MAE9CssN,UAAY,IAAIl4L,WAAWq4L,UAAUzoI,YACrC4xJ,YAAc,IAAIL,WAAWjpB,UAAUtlL,YAGzC6uM,MACAC,MACAC,MACAC,MACAjC,WACAC,WACAC,WACAC,WAEA+B,WAGJJ,MAAQT,WAAW,GACnBU,MAAQV,WAAW,GACnBW,MAAQX,WAAW,GACnBY,MAAQZ,WAAW,GAGda,OAAS,EAAGA,OAASX,YAAYn5O,OAAQ85O,QAAU,EAGtDlC,WAAakB,KAAKK,YAAYW,SAC9BjC,WAAaiB,KAAKK,YAAYW,OAAS,IACvChC,WAAagB,KAAKK,YAAYW,OAAS,IACvC/B,WAAae,KAAKK,YAAYW,OAAS,IAEvCN,SAASxpB,QAAQ4nB,WAAYC,WAAYC,WAAYC,WAAY0B,YAAaK,QAG9EL,YAAYK,QAAUhB,KAAKW,YAAYK,QAAUJ,OACjDD,YAAYK,OAAS,GAAKhB,KAAKW,YAAYK,OAAS,GAAKH,OACzDF,YAAYK,OAAS,GAAKhB,KAAKW,YAAYK,OAAS,GAAKF,OACzDH,YAAYK,OAAS,GAAKhB,KAAKW,YAAYK,OAAS,GAAKD,OAEzDH,MAAQ9B,WACR+B,MAAQ9B,WACR+B,MAAQ9B,WACR+B,MAAQ9B,kBAEH5nB,UAiDWH,CAAQM,UAAWzsN,IAAKo1O,YACtC9oB,UAAUrrN,IAAI6iF,MAAO2oI,UAAU1oI,kBAKjC12E,IADAihB,eAAuC,oBAAfvzB,WAA6BA,WAA+B,oBAAXqC,OAAyBA,OAA2B,oBAAX3C,OAAyBA,OAAyB,oBAATO,KAAuBA,KAAO,GAG3LqS,IADoB,oBAAXjQ,OACHA,YAC6B,IAAnBkxB,eACVA,eACmB,oBAATtzB,KACVA,KAEA,OASJipF,OAPW52E,IAOO42E,QAAUr5E,OAC/Bq5E,OAAO,OAAQA,OAAO,SAAUA,OAAO,WAAYA,OAAO,aAAcA,OAAO,eAAgBA,OAAO,iBAAkBA,OAAO,mBAAoBA,OAAO,qBAAsBA,OAAO,sCAElLrkD,EAAI,IAAIukD,YAAY,CAAC,QACrBpgF,EAAI,IAAIqwB,WAAWwL,EAAEoH,OAAQpH,EAAEmkD,WAAYnkD,EAAEokD,YACpC,MAATjgF,EAAE,IAGFA,EAAE,YAgBFi+K,0BAA4B,SAAUj9J,eACpCk9J,aAAe,UACrBziL,OAAOG,KAAKolB,SAAShlB,SAAQC,YACrBI,MAAQ2kB,QAAQ/kB,KAjCF,IAA2Bc,IAAAA,IAkCzBV,OAjCG,aAAvBujF,YAAYC,OACPD,YAAYC,OAAO9iF,KAErBA,KAAOA,IAAIkmC,kBAAkB28C,aA+BhCs+F,aAAajiL,KAAO,CAClB8jF,MAAO1jF,MAAM4mC,OACb+8C,WAAY3jF,MAAM2jF,WAClBC,WAAY5jF,MAAM4jF,YAGpBi+F,aAAajiL,KAAOI,SAGjB6hL,cAUTjnL,KAAK0rN,UAAY,SAAUt8M,aACnB6F,KAAO7F,MAAM6F,KACbw8M,UAAY,IAAIr4L,WAAWnkB,KAAKw8M,UAAU3oI,MAAO7zE,KAAKw8M,UAAU1oI,WAAY9zE,KAAKw8M,UAAUzoI,YAC3FhkF,IAAM,IAAIg6E,YAAY/pE,KAAKjQ,IAAI8jF,MAAO7zE,KAAKjQ,IAAI+jF,WAAY9zE,KAAKjQ,IAAIgkF,WAAa,GACjFlG,GAAK,IAAI9D,YAAY/pE,KAAK6tE,GAAGgG,MAAO7zE,KAAK6tE,GAAGiG,WAAY9zE,KAAK6tE,GAAGkG,WAAa,OAG/EmxJ,UAAU1oB,UAAWzsN,IAAK89E,IAAI,SAAUzqD,IAAKywD,OAC/C9oF,KAAK2pN,YAAY3iC,0BAA0B,CACzCrhL,OAAQsP,KAAKtP,OACb2rN,UAAWxoI,QACT,CAACA,MAAM98C,qBAKbmuM,UAAYz6O,QAAQ+3O,kBASlByD,gBAAkBtwO,iBAClBkmB,KAAOlmB,WAAWsyB,QAAU,OAAS,qBACrCtyB,WAAW84E,iBAAmB94E,WAAW84E,gBAAgBhjF,QAAQ,yCAA2C,IAC9GowB,KAAO,aAEFA,MAYHqqN,YAAc,CAAC5gB,cAAezyI,aAClCyyI,cAAc59L,QACd49L,cAAcntM,QACV06D,WAAaA,UAAUszJ,uBACzBtzJ,UAAUszJ,qBAAqBhuN,QAC/B06D,UAAUszJ,qBAAuB,OAa/BC,aAAe,CAACC,eAAgBxzJ,aAGpCA,UAAUszJ,qBAAuBE,eACjCA,eAAeh7M,QAgKX+sM,QAAU,CAcdxlE,MAAO,CAACxnK,KAAMi+B,WAAa,WAEvB4oD,aACG7mF,MAAOynF,WAFNyzJ,gBAIJA,iBACEj9M,SAEEk9M,YAAc1zJ,UAAU0zJ,cACxBC,YAAc3zJ,UAAU2zJ,cACxBv9N,IAAMu9N,YAAYx3O,QAAOwhK,OAASA,MAAMvoI,UAAS,IAAMu+M,YAAY,IAAIv9N,GACvEw9N,aAAe5zJ,UAAUp4D,OAAOxR,OAClCs9N,cAAgBE,cAUpBz7O,QAAQuB,IAAIoC,KAAK,wFACZ,MAAMgqM,WAAW9lH,UAAUp4D,OAC9Bo4D,UAAUp4D,OAAOk+K,SAASxpL,QAAU0jE,UAAUp4D,OAAOk+K,WAAa8tC,aAEpE5zJ,UAAU6zJ,sBAXRJ,gBAAgB,CACd13O,MAAO,CACLkmB,QAAS,2DAuBjB+9I,UAAW,CAACznK,KAAMi+B,WAAa,WAE3B4oD,aACG7mF,MAAOynF,YAERxpD,SACJr+B,QAAQuB,IAAIoC,KAAK,kFACXknB,MAAQg9D,UAAU0zJ,cACpB1wN,QACFA,MAAM0T,KAAO,YAEfspD,UAAU6zJ,mBAGRC,eAAiB,CAYrB/zE,MAAO,CAACxnK,KAAMi7O,eAAgBh9M,gBACvBg9M,4BAIClwN,KACJA,KADIywN,eAEJA,eACAC,iBACGz7O,MAAOk6N,gBAERj8L,SACJg9M,eAAe9jO,GAAG,kBAAkB,WAC5BxE,MAAQsoO,eAAetoO,QAC7BunN,cAAcx3I,SAAS/vE,MAAO6oO,kBAGzBzwN,KAAK8B,UAAYla,MAAMmvE,SAA8B,SAAnB/2D,KAAKi2C,YAC1Ck5J,cAAcj6L,UAGlBg7M,eAAe9jO,GAAG,kBAAkB,KAClC+iN,cAAcx3I,SAASu4J,eAAetoO,QAAS6oO,gBAE1CzwN,KAAK8B,UACRqtM,cAAcj6L,UAGlBg7M,eAAe9jO,GAAG,QAAS61N,QAAQhtO,MAAMA,KAAMi+B,YAajDwpI,UAAW,CAACznK,KAAMi7O,eAAgBh9M,kBAC1BlT,KACJA,KADIywN,eAEJA,eACAC,iBACGz7O,MAAOk6N,eAEVrzI,aACG7mF,MAAOynF,YAERxpD,SACJg9M,eAAe9jO,GAAG,kBAAkB,WAC5BxE,MAAQsoO,eAAetoO,QAC7BunN,cAAcx3I,SAAS/vE,MAAO6oO,gBAC9BthB,cAAczvM,MAAMg9D,UAAU0zJ,iBAGzBpwN,KAAK8B,UAAYla,MAAMmvE,SAA8B,SAAnB/2D,KAAKi2C,YAC1Ck5J,cAAcj6L,UAGlBg7M,eAAe9jO,GAAG,kBAAkB,KAClC+iN,cAAcx3I,SAASu4J,eAAetoO,QAAS6oO,gBAE1CzwN,KAAK8B,UACRqtM,cAAcj6L,UAGlBg7M,eAAe9jO,GAAG,QAAS61N,QAAQhtO,MAAMA,KAAMi+B,aAG7Cy9M,WAAa,OAUR,CAAC17O,KAAMi+B,kBACRm1C,IACJA,IADI6nJ,WAEJA,WACAwgB,iBACGz7O,MAAOk6N,eAJNshB,eAMJA,eACAnqN,MAAMuxD,YACJA,aAEFiE,aACG7mF,OAAO0iC,OACNA,OADMrT,OAENA,OAFMqwJ,QAGNA,UAdAqM,mBAiBJA,oBACE9tJ,SACEu+I,cAAgBnV,YAAY0kB,mBAAmB16J,MAEhDuxD,YAAY5iF,OAAmD,IAA1CmE,OAAOG,KAAKs+E,YAAY5iF,OAAOc,SACvD8hF,YAAY5iF,MAAQ,CAClBqxB,KAAM,CACJwL,QAAS,CACPA,SAAS,KAIX2/I,gBACF55F,YAAY5iF,MAAMqxB,KAAKwL,QAAQ8lD,UAAYopG,mBAAmB16J,KAAKsxD,gBAGlE,MAAM85F,WAAW75F,YAAY5iF,MAAO,CAClC0iC,OAAO+5I,WACV/5I,OAAO+5I,SAAW,QAEf,MAAMk/D,gBAAgB/4J,YAAY5iF,MAAMy8K,SAAU,KAEjDw+D,eADA1wO,WAAaq4E,YAAY5iF,MAAMy8K,SAASk/D,iBAExCn/D,eACFkD,+BAAwBjD,4BAAmBk/D,sCAC3CpxO,WAAWqxO,gBAAiB,EAC5BX,eAAiB,MAGjBA,eADwB,aAAfhgB,YAA6B1wN,WAAWo4E,UAChC,IAAI88F,eAAel1K,WAAWo4E,UAAU,GAAIvP,IAAKooK,gBACzDjxO,WAAWy3J,YACH,IAAIyd,eAAel1K,WAAWy3J,YAAa5uF,IAAKooK,gBAExDjxO,WAAWo4E,WAA4B,SAAfs4I,WAChB,IAAIpvC,mBAAmBthL,WAAWo4E,UAAU,GAAIvP,IAAKooK,eAAgBzvD,oBAIrE,KAEnBxhL,WAAahE,MAAM,CACjBsX,GAAI89N,aACJV,eAAAA,gBACC1wO,YACHgxO,eAAev7O,MAAMA,KAAMuK,WAAW0wO,eAAgBh9M,UACtDyE,OAAO+5I,SAAS36K,KAAKyI,iBACe,IAAzB8kB,OAAOssN,cAA+B,OACzClxN,MAAQ,IAAI7qB,QAAQ8/B,WAAW,CACnC7hB,GAAI89N,aACJlrN,KAAMoqN,gBAAgBtwO,YACtBwZ,SAAS,EACT1E,SAAU9U,WAAW8U,SACrBwd,QAAStyB,WAAWsyB,QACpBvQ,MAAOqvN,eAETtsN,OAAOssN,cAAgBlxN,QAK7ByvM,cAAc/iN,GAAG,QAAS61N,QAAQhtO,MAAMA,KAAMi+B,sBAWnC,CAACj+B,KAAMi+B,kBACZlT,KACJA,KADIqoD,IAEJA,IAFI6nJ,WAGJA,WACAwgB,iBACGz7O,MAAOk6N,eALNshB,eAOJA,eACAnqN,MAAMuxD,YACJA,aAEFiE,aACG7mF,OAAO0iC,OACNA,OADMrT,OAENA,SAdA08J,mBAiBJA,oBACE9tJ,aACC,MAAMw+I,WAAW75F,YAAY5iF,MAAO,CAClC0iC,OAAO+5I,WACV/5I,OAAO+5I,SAAW,QAEf,MAAMk/D,gBAAgB/4J,YAAY5iF,MAAMy8K,SAAU,KAChDrpG,IAAIz1D,SAASk+N,oBAAsBj5J,YAAY5iF,MAAMy8K,SAASk/D,cAAcp4J,oBAY7E03J,eADA1wO,WAAaq4E,YAAY5iF,MAAMy8K,SAASk/D,iBAEzB,QAAf1gB,WACFggB,eAAiB,IAAIx7D,eAAel1K,WAAWy3J,YAAa5uF,IAAKooK,qBAC5D,GAAmB,SAAfvgB,WAAuB,KACd1wN,WAAWo4E,UAAU/+E,QAAOqmC,GAAKA,EAAEqwI,eAAiB1xJ,EAAAA,IACvD9nB,cAGfm6O,eAAiB,IAAIpvD,mBAAmBthL,WAAWo4E,UAAU,GAAIvP,IAAKooK,eAAgBzvD,wBAC9D,aAAfkvC,aACTggB,eAAiB,IAAIx7D,eAGrBl1K,WAAWo4E,UAAYp4E,WAAWo4E,UAAU,GAAKp4E,WAAWy3J,YAAa5uF,IAAKooK,oBAEhFjxO,WAAahE,MAAM,CACjBsX,GAAI89N,aACJV,eAAAA,gBACC1wO,YACHgxO,eAAev7O,MAAMA,KAAMuK,WAAW0wO,eAAgBh9M,UACtDyE,OAAO+5I,SAAS36K,KAAKyI,iBACe,IAAzB8kB,OAAOssN,cAA+B,OACzClxN,MAAQM,KAAKQ,mBAAmB,CACpC1N,GAAI89N,aACJlrN,KAAM,YACNoM,QAAStyB,WAAWsyB,SAAWtyB,WAAWy4E,WAC1C3jE,SAAU9U,WAAW8U,SACrBiN,MAAOqvN,eACN,GAAOlxN,MACV4E,OAAOssN,cAAgBlxN,QAK7ByvM,cAAc/iN,GAAG,QAAS61N,QAAQhtO,MAAMA,KAAMi+B,8BAW7B,CAACj+B,KAAMi+B,kBAClBlT,KACJA,KACAsG,MAAMuxD,YACJA,aAEFiE,aACG7mF,OAAO0iC,OACNA,OADMrT,OAENA,UAGF4O,aACC,MAAMw+I,WAAW75F,YAAY5iF,MAAO,CAClC0iC,OAAO+5I,WACV/5I,OAAO+5I,SAAW,QAEf,MAAMk/D,gBAAgB/4J,YAAY5iF,MAAMy8K,SAAU,OAC/ClyK,WAAaq4E,YAAY5iF,MAAMy8K,SAASk/D,kBAEzC,kBAAkBz5O,KAAKqI,WAAW44E,2BAGjCgmF,gBAAkBp+I,KAAKpN,SAASy1D,KAAOroD,KAAKpN,SAASy1D,IAAI+1F,iBAAmB,OAC9Ekb,SAAW,CACb/3J,MAAOqvN,aACPt8N,SAAU9U,WAAW8U,SACrB8jE,WAAY54E,WAAW44E,WACvBtmD,QAAStyB,WAAWsyB,SAAWtyB,WAAWy4E,eAExCmmF,gBAAgBkb,SAASlhG,cAC3BkhG,SAAW99K,MAAM89K,SAAUlb,gBAAgBkb,SAASlhG,mBAE7BrgF,IAArBuhL,SAASxnJ,gBACJwnJ,SAASxnJ,QAIlB6F,OAAO+5I,SAAS36K,KAAKyE,MAAM,CACzBsX,GAAI89N,cACHpxO,kBACiC,IAAzB8kB,OAAOssN,cAA+B,OACzClxN,MAAQM,KAAKQ,mBAAmB,CACpC1N,GAAIwmK,SAASlhG,WACb1yD,KAAM,WACNoM,QAASwnJ,SAASxnJ,QAClBxd,SAAUglK,SAAShlK,SACnBiN,MAAO+3J,SAAS/3J,QACf,GAAO7B,MACV4E,OAAOssN,cAAgBlxN,WAM3BqxN,WAAa,CAAC5rN,KAAMvd,aACnB,IAAI9R,EAAI,EAAGA,EAAIqvB,KAAKpvB,OAAQD,IAAK,IAChCg6K,cAAcloK,MAAOud,KAAKrvB,WACrB,KAELqvB,KAAKrvB,GAAG8hF,WAAam5J,WAAW5rN,KAAKrvB,GAAG8hF,UAAWhwE,cAC9C,SAGJ,GAgEHwoO,YAAc,CAalB3zE,MAAO,CAACxnK,KAAMi+B,WAAa,WAEvB4oD,aACG7mF,OAAOqvB,OACNA,UAGF4O,aACC,MAAMpgB,MAAMwR,UACXA,OAAOxR,IAAIkG,eACNsL,OAAOxR,WAGX,MAcT4pJ,UAAW,CAACznK,KAAMi+B,WAAa,WAE3B4oD,aACG7mF,OAAOqvB,OACNA,UAGF4O,aACC,MAAMpgB,MAAMwR,UACS,YAApBA,OAAOxR,IAAIsgB,MAA0C,WAApB9O,OAAOxR,IAAIsgB,YACvC9O,OAAOxR,WAGX,OAmCLk+N,iBAAmB99M,YACtB,QAAS,YAAa,mBAAmBv5B,SAAQ1E,OAChD07O,WAAW17O,MAAMA,KAAMi+B,mBAEnB4oD,WACJA,WADIklG,mBAEJA,mBAFIhhK,KAGJA,KAHIqoD,IAIJA,IACAqoK,sBACaO,mBACX3qN,KAAM4qN,oBAENh+M,UAEH,QAAS,aAAav5B,SAAQ1E,OAC7B6mF,WAAW7mF,MAAMo7O,YAvJD,EAACp7O,KAAMi+B,WAAaxT,cAChCshK,mBACJA,mBACAllG,aACG7mF,OAAO0iC,OACNA,UAGFzE,SACEtrB,MAAQo5K,mBAAmBp5K,YAC5BA,aACI,SAELupO,SAAW,KAEXvpO,MAAMnI,WAAWxK,QACnBk8O,SAAWx5M,OAAO/vB,MAAMnI,WAAWxK,cAE/Bm8O,UAAYh4O,OAAOG,KAAKo+B,YACzBw5M,YAIU,UAATl8O,MAAoBm8O,UAAUr7O,OAAS,GAAKumK,YAAYppI,SAAS5M,UAC9D,IAAIxwB,EAAI,EAAGA,EAAIs7O,UAAUr7O,OAAQD,IAAK,OACnCu7O,kBAAoB15M,OAAOy5M,UAAUt7O,OACvCi7O,WAAWM,kBAAmBzpO,OAAQ,CACxCupO,SAAWE,8BAIN15M,OAAOrR,KAChB6qN,SAAWx5M,OAAOrR,KACY,IAArB8qN,UAAUr7O,SACnBo7O,SAAWx5M,OAAOy5M,UAAU,iBAGX,IAAV1xN,MACFyxN,SAEK,OAAVzxN,OAAmByxN,UAKhBA,SAASt4O,QAAOysC,OAASA,MAAMxyB,KAAO4M,MAAM5M,KAAI,IAF9C,MA4GwBu9N,CAAYp7O,KAAMi+B,UACjD4oD,WAAW7mF,MAAMm7O,YAAcA,YAAYn7O,MAAMA,KAAMi+B,UACvD4oD,WAAW7mF,MAAMq8O,eArsBE,EAACr8O,KAAMi+B,WAAa,WAEvCw9M,iBACGz7O,MAAOk6N,cACR7oM,KAAM4qN,mBAERp1J,aACG7mF,MAAOynF,YAERxpD,SACEk9M,YAAc1zJ,UAAU0zJ,cACxBC,YAAc3zJ,UAAU60J,iBACxBC,qBAAuB90J,UAAUszJ,qBACjCyB,UAAY/0J,UAAUg1J,WAExBrB,aAAeoB,WAAapB,YAAYv9N,KAAO2+N,UAAU3+N,KAG7D4pE,UAAUg1J,WAAarB,YACvB3zJ,UAAUi1J,WAAavB,YACvBL,YAAY5gB,cAAezyI,WACtB2zJ,cAAeA,YAAYQ,iBAI3BR,YAAYH,gBAWjB/gB,cAAc4H,eACdkZ,aAAaI,YAAYH,eAAgBxzJ,YAXnC80J,sBAKFN,kBAAkB1a,qBAsqBc8a,CAAer8O,KAAMi+B,UACvD4oD,WAAW7mF,MAAM28O,gBA/pBG,EAAC38O,KAAMi+B,WAAa,WAExCw9M,iBACGz7O,MAAOk6N,eAEVrzI,aACG7mF,MAAOynF,YAERxpD,SACJwpD,UAAUg1J,WAAa,KACvBviB,cAAc59L,QACd49L,cAAcntM,SAopBuB4vN,CAAgB38O,KAAMi+B,UACzD4oD,WAAW7mF,MAAMs7O,eApoBE,EAACt7O,KAAMi+B,WAAa,WACnC8tJ,mBACJA,mBACA0vD,iBACGz7O,MAAOk6N,cACR7oM,KAAM4qN,mBAERp1J,aACG7mF,MAAOynF,YAERxpD,SACEk9M,YAAc1zJ,UAAU0zJ,cACxBC,YAAc3zJ,UAAU60J,iBACxBC,qBAAuB90J,UAAUszJ,qBACjC6B,UAAYn1J,UAAUi1J,gBAExBE,YAAazB,aAAeyB,UAAU/+N,KAAOs9N,YAAYt9N,MAG7D4pE,UAAUg1J,WAAarB,YACvB3zJ,UAAUi1J,WAAavB,YACvBL,YAAY5gB,cAAezyI,WACtB2zJ,iBAIDA,YAAYQ,eAAgB,KAEzBT,cAAgByB,WAAazB,YAAYt9N,KAAO++N,UAAU/+N,gBAGzDg/N,GAAK5+M,SAASm1C,IAAI+jJ,oBAClBqK,YAAcqb,GAAGC,oBAEnBD,GAAGlqO,UAAY6uN,0BAGnB/5I,UAAUi4F,0DAAmDk9D,UAAU/+N,kBAASs9N,YAAYt9N,KAC5FkuK,mBAAmBh/J,QACnBkvN,kBAAkB1a,uBAClBsb,GAAGE,mBAAmBvb,gBAGX,UAATxhO,KAAkB,KACfo7O,YAAYH,sBAIfgB,kBAAkB5b,UAAS,QAG3B4b,kBAAkB1a,kBAMpBrH,cAAcmG,UAAS,GACvB4b,kBAAkB5b,UAAS,GAEzBkc,uBAAyBnB,YAAYH,gBAOrC/gB,cAAczvM,OAEhByvM,cAAczvM,MAAM0wN,aAGtBjhB,cAAcqH,kBACdyZ,aAAaI,YAAYH,eAAgBxzJ,YATvCuzJ,aAAaI,YAAYH,eAAgBxzJ,aAokBP6zJ,CAAet7O,KAAMi+B,UACvD4oD,WAAW7mF,MAAMs8O,eArDE,EAACt8O,mBAAM6mF,WAC5BA,yBACI,WACEm2J,aAAen2J,WAAW7mF,MAAMm7O,qBACjC6B,aAGEn2J,WAAW7mF,MAAMo7O,YAAY4B,cAF3B,OAgD2BV,CAAet8O,KAAMi+B,mBAInDs2L,WAAa1tI,WAAW2gF,MAAM4zE,iBAChC7mB,WAAY,OACR93C,SAAW83C,WAAW3wN,QAAOwhK,OAASA,MAAMvoI,UAAS,IAAM03L,WAAW,IAAI12M,GAChFgpE,WAAW2gF,MAAMn4I,OAAOotJ,SAAS14J,SAAU,EAC3C8iE,WAAW2gF,MAAM60E,iBACjBx1J,WAAW2gF,MAAM8zE,iBACQz0J,WAAW2gF,MAAM80E,iBAIpBrB,gBAKpBgB,kBAAkB5b,UAAS,GAC3B2b,mBAAmB3b,UAAS,IAJ5B4b,kBAAkB5b,UAAS,GAO/Bt0C,mBAAmB50K,GAAG,eAAe,MAClC,QAAS,aAAazS,SAAQ1E,MAAQ6mF,WAAW7mF,MAAMq8O,sBAE1DtwD,mBAAmB50K,GAAG,iBAAiB,MACpC,QAAS,aAAazS,SAAQ1E,MAAQ6mF,WAAW7mF,MAAM28O,6BAGpDM,oBAAsB,KAC1Bp2J,WAAW2gF,MAAM8zE,iBACjBvwN,KAAKhT,QAAQ,CACX/X,KAAM,QACNkB,KAAM,sBAGV6pB,KAAK6pC,cAAc3gD,iBAAiB,SAAUgpO,qBAC9ClyN,KAAK6nB,mBAAmB3+B,iBAAiB,SAAU4yE,WAAW4gF,UAAU6zE,gBACxEloK,IAAIj8D,GAAG,WAAW,KAChB4T,KAAK6pC,cAAc7gD,oBAAoB,SAAUkpO,qBACjDlyN,KAAK6nB,mBAAmB7+B,oBAAoB,SAAU8yE,WAAW4gF,UAAU6zE,mBAG7EvwN,KAAK8mB,YAAY,aACZ,MAAMh0B,MAAMgpE,WAAW2gF,MAAMn4I,OAChCtE,KAAK6pC,cAAcrlC,SAASs3D,WAAW2gF,MAAMn4I,OAAOxR,YA0ClDq/N,iBACJh4O,mBACOi4O,UAAY,QACZC,eAAiB,IAAInjO,IAExBrR,YAAQu9C,QAEK,IAAXA,cACGk3L,SAAWl3L,QAGhBm3L,QAAIj1N,cAEDk1N,KAAOl1N,SAAW,IAErBm1N,cAAUjkN,KACRA,WAEGkkN,WAAa5lE,WAAWh4K,KAAK49O,WAAYlkN,MAG9CkkC,aAAS9gC,OAEPA,OAASA,MAAM77B,cACZq8O,UAAYxgN,OAGjB+gN,kBAAc/gN,OAEZA,OAASA,MAAM77B,cACZs8O,eAAiB,IAAInjO,IAAI0iB,MAAMrtB,KAAIuxD,OAAS,CAACA,MAAMqiH,GAAIriH,WAG5Dj4D,qBACK/I,KAAKw9O,SAEVC,iBACKz9O,KAAK09O,KAEVC,uBACK39O,KAAK49O,WAEVhgL,sBACK59D,KAAKs9O,UAEVO,2BACK79O,KAAKu9O,sBAaVO,kCAAkC/9O,QAAQ65E,YAC9Cv0E,YAAY60B,IAAK+gD,wBAEV8iK,eAAiB,UACjBC,eAAiB,UACjBntE,kBAAmB,OACnBotE,mBAAqB,IAAI1/N,SACzB2/N,iBAAmB,IAAIb,sBACvBc,gBAAkB,UAClBC,cAAgB,UAChBC,YAAc,UACdC,SAAW,UACXC,qBAAuB,IAAInkO,SAC3BokO,kBAAoB,IAAIpkO,SACxBqkO,6BAA+B,IAAIlgO,SACnCshK,QAAU1H,OAAO,yBACjBumE,KAAOxkN,SACPykN,cAAgB1jK,UASvB2jK,oBAAoBziK,QAAS0iK,kBACtBT,cAAgBS,YAAYC,UAAY,MAAQ,aAE/CC,YAAcF,YAAYC,WAAaD,YAAYjuE,cACpDmuE,wBACEl/D,2CAAoCk/D,8DACpC7mO,QAAQ,SAIX6mO,YAAYC,WAAW,cACpBC,uBAAuBF,YAAY3jM,UAAU2jM,YAAYv+O,QAAQ,KAAO,UAI1E09O,iBAAiBP,UAAY3lE,WAAW77F,QAAS4iK,kBAEjDf,eAAiBa,YAAYK,WAAaL,YAAYM,4BAEtDtuE,iBAAmBguE,YAAYhuE,sBAC/BstE,gBAAkBU,YAAYO,eAI/Bp/O,KAAKg+O,iBAAmBh+O,KAAK6wK,uBAC1B34J,QAAQ,qBAYjBmnO,wBAAwBr6O,eAChB24O,UAAY39O,KAAKk+O,iBAAiBP,cACnCA,uBAMCjkN,IAAM10B,QAAU24O,UAAY39O,KAAKs/O,cAAc3B,eAEhDjkN,gBACEmmJ,QAAQ,4EACR3nK,QAAQ,mBACR6G,gBAGDoL,SAAW,CACfonJ,oBAAqB,CACnB73I,IAAAA,WAGCxhB,QAAQ,CACX/X,KAAM,2BACNgqB,SAAAA,gBAEGm0N,SAAWt+O,KAAK0+O,KAAK,CACxBhlN,IAAAA,IACAG,YAAa,8BACZ,CAACl2B,MAAO47O,gBACL57O,MAAO,IAKgB,MAArB47O,UAAUr1N,mBACP21J,uCAAgCl8K,iBAChCk8K,qEAA8DnmJ,iCAC9D+kN,6BAA6BpyO,IAAIqtB,QAMf,MAArB6lN,UAAUr1N,OAAgB,OACtBs1N,aAAeD,UAAUl6D,gBAAgB,2BAC1CxF,uCAAgCl8K,iBAChCk8K,iDAA0C2/D,qCAC1CC,iBAAiBt8N,SAASq8N,aAAc,iBAO1C3/D,0CAAmCl8K,sBACnC87O,uBAOHC,0BAJCxnO,QAAQ,CACX/X,KAAM,8BACNgqB,SAAAA,eAIAu1N,qBAAuBjlN,KAAKC,MAAM16B,KAAKs+O,SAASnkN,cAChD,MAAO83L,kBACDj0C,cAAgB,CACpBE,UAAWn+K,QAAQ+D,MAAMu2E,oCACzB12E,MAAOsuN,iBAEJ/5M,QAAQ,CACX/X,KAAM,QACNgqB,SAAU6zJ,qBAGT2hE,0BAA0BD,4BACzBE,eAAiB,CACrBruE,oBAAqBpnJ,SAASonJ,oBAC9BsuE,wBAAyB,CACvB92O,QAAS/I,KAAKk+O,iBAAiBn1O,QAC/B40O,UAAW39O,KAAKk+O,iBAAiBP,UACjC//K,SAAU59D,KAAKk+O,iBAAiBtgL,gBAG/B1lD,QAAQ,CACX/X,KAAM,wBACNgqB,SAAUy1N,sBAEPH,sBAUTK,mBAAmBC,mBACXC,kBAAoB,IAAI99O,OAAOswB,IAAIutN,aACnCE,qBAAuB,IAAI/9O,OAAOswB,IAAIxyB,KAAKm+O,wBACjD8B,qBAAqB1/J,aAAax6E,IAAI,MAAOm6O,UAAUF,kBAAkBx7O,aAClExE,KAAKmgP,mBAAmBF,qBAAqBz7O,YAQtDy6O,uBAAuBmB,eACfV,qBAAuBjlN,KAAKC,MAAMx4B,OAAO+6E,KAAKmjK,eAC/CT,0BAA0BD,sBAWjCS,mBAAmB5tN,WACX8tN,UAAY,IAAIn+O,OAAOswB,IAAID,KAC3BK,KAAO5yB,KAAKsgP,aACZC,kBAAoBvgP,KAAK2+O,mBAC3B/rN,KAAM,OACF4tN,sBAAiBxgP,KAAKo+O,0BAC5BiC,UAAU9/J,aAAax6E,IAAIy6O,WAAY5tN,SAErC2tN,kBAAmB,OACfE,yBAAoBzgP,KAAKo+O,6BAC/BiC,UAAU9/J,aAAax6E,IAAI06O,cAAeF,0BAErCF,UAAU77O,WAQnBm7O,0BAA0Be,sBACnBxC,iBAAiBn1O,QAAU23O,aAAa/oK,SACxC33E,KAAKk+O,iBAAiBn1O,oBACpB82K,sCAA+B6gE,aAAa/oK,gDAC5Cz/D,QAAQ,cAGVgmO,iBAAiBT,IAAMiD,aAAaC,SACpCzC,iBAAiBP,UAAY+C,aAAa,mBAE1CxC,iBAAiBtgL,SAAW8iL,aAAa,qBAAuBA,aAAa,kCAG7ExC,iBAAiBL,cAAgB6C,aAAa,uBAC9ClC,kBAAoBx+O,KAAKk+O,iBAAiBL,cAS1C79O,KAAKi+O,mBAAmB3jO,YACtBulK,QAAQ,uFACR3nK,QAAQ,cACR6G,iBAWD6hO,YAToBC,CAAAA,yBACnB,MAAMjuN,QAAQiuN,sBACb7gP,KAAKi+O,mBAAmBnpO,IAAI8d,aACvBA,WAIJ,IAAI5yB,KAAKi+O,oBAAoB,IAElB6C,CAAkB9gP,KAAKk+O,iBAAiBtgL,UACxD59D,KAAK+9O,iBAAmB6C,mBACrB7C,eAAiB6C,iBACjB1oO,QAAQ,qBASjBooO,oBACStgP,KAAK+9O,gBAAkB/9O,KAAKg+O,eAWrCsB,cAAc3B,eACPA,iBACI,WAEHnjE,WAAa9gJ,KAAO15B,KAAKy+O,6BAA6B3pO,IAAI4kB,QAC5D15B,KAAKm+O,gBAAiB,OAClB4C,SAAW/gP,KAAK8/O,mBAAmBnC,eACpCnjE,WAAWumE,iBACPA,eAGLC,YAAchhP,KAAKmgP,mBAAmBxC,kBACvCnjE,WAAWwmE,aAIT,KAHEA,YAYXvB,yBAEQwB,MAAc,4DAFCjhP,KAAKk+O,iBAAiBT,UAGtCY,YAAcn8O,OAAO8R,YAAW,UAC9BqrO,4BACJ4B,OAMLC,mBACEh/O,OAAOuX,aAAazZ,KAAKq+O,kBACpBA,YAAc,KAMrB5hN,QACMz8B,KAAKs+O,eACFA,SAAS7hN,aAEX6hN,SAAW,KAMlBv/N,eACOvb,IAAI,yBACJA,IAAI,cACJi5B,aACAykN,wBACAnD,eAAiB,UACjBC,eAAiB,UACjBntE,iBAAmB,UACnBstE,gBAAkB,UAClBC,cAAgB,UAChBC,YAAc,UACdC,SAAW,UACXG,6BAA+B,IAAIlgO,SACnC0/N,mBAAqB,IAAI1/N,SACzB2/N,iBAAmB,IAAIb,iBAQ9B8D,oBAAoB/9D,SACdA,cACG66D,mBAAmB5xO,IAAI+2K,SAOhCg+D,8BACOnD,mBAAmB/5O,QAM1Bm9O,eAAej+D,gBACNpjL,KAAKi+O,mBAAmB7oO,OAAOguK,SAUxCk+D,iBAAiBC,QAASC,eAChBA,QAAUxhP,KAAKk+O,iBAAiBP,WAAa6D,SAAWxpE,WAAWupE,QAASC,OAAO5wE,aAAe5wK,KAAKk+O,iBAAiBP,WAAa6D,OAAOrC,yBAA2Bn/O,KAAKg+O,gBAAkBwD,OAAO3wE,mBAAqB7wK,KAAK6wK,kBAAoB2wE,OAAOpC,iBAAmBp/O,KAAKm+O,iBAE5RsD,8BACSzhP,KAAKi+O,wBAaZyD,YAGEC,YAAc,CAAC,gBAAiB,uBAAwB,wBAAyB,uBAAwB,wBAAyB,wBAAyB,gBAC3JC,cAAgB,SAAUC,aACvB7hP,KAAK8hP,oBAAoBD,MAAQ7hP,KAAK+hP,mBAAmBF,aAsF5DG,2BAA2BjiP,QAAQ65E,YACvCv0E,YAAYc,sBAKL+2O,mBA3GQ,EAAC3nO,SAAUzB,YACtBqR,UAAY,YACT,2CAAI1jB,uDAAAA,+BACTgY,aAAa0L,WACbA,UAAYnR,YAAW,KACrBuB,SAASkD,MAAM,KAAMhX,QACpBqS,QAqGuBgG,CAAS9Z,KAAKk9O,mBAAmBlkO,KAAKhZ,MAAO,WACjEurB,IACJA,IADIiR,gBAEJA,gBAFItR,KAGJA,KAHI+vD,UAIJA,UAJIgnK,UAKJA,UALIC,WAMJA,WANIh1D,0BAOJA,0BAPIi1D,yBAQJA,yBARI/mB,WASJA,WATIuD,oBAUJA,oBAVIyjB,eAWJA,eAXIvrB,uBAYJA,uBAZIvtD,gBAaJA,gBAbI+4E,mBAcJA,oBACEl8O,YACColB,UACG,IAAIznB,MAAM,oEAEdw+O,mBACFA,oBACEn8O,QACAm8O,MAAAA,qBACFA,mBAAqBv5N,EAAAA,GAEvB24N,MAAQO,eACHG,eAAiB76O,QAAQ66O,qBACzBvrB,uBAAyBtvN,QAAQsvN,6BACjCr6L,gBAAkBA,qBAClByB,MAAQ/S,UACR40J,KAAO50J,KAAKqoD,SACZ51D,QAAUxX,QAAQwX,aAClBq/M,YAAc5B,gBACdmnB,YAAcL,gBACdh1D,0BAA4BA,+BAC5Bo1D,mBAAqBA,wBACrBH,yBAA2BA,8BAC3BK,0BAA2B,EAC5BxiP,KAAKuiP,mBACFE,cAAgBziP,KAAKi+B,MAAMmV,aAAa,WAAY,gBACpDqvM,cAAc3pB,gCAAkC,SAElD4pB,gBAAkB,CACrBlmN,gBAAAA,gBACA8lN,mBAAAA,mBACA/oO,QAAS,WAENjC,GAAG,QAAStX,KAAK2iP,mBACjBC,YA9mBgB,YACjB57J,WAAa,UAClB,QAAS,YAAa,mBAAmBniF,SAAQ1E,OAChD6mF,WAAW7mF,MAAQ,CACjB0iC,OAAQ,GACRrT,OAAQ,GACR0rN,qBAAsB,KACtBK,YAAax3K,KACbu3K,YAAav3K,KACb04K,eAAgB14K,KAChBy4K,eAAgBz4K,KAChB03K,eAAgB13K,KAChB84K,WAAY,KACZh9D,QAAS1H,6BAAsBh4K,eAG5B6mF,YA8lBc67J,GACfR,oBAAsBngP,OAAOimF,yBAE1BlqD,MAAM7hB,IAAI0mO,uBAAwB,OAClC7mB,YAAc,IAAI/5N,OAAOimF,wBACzBq6J,0BAA2B,EAChCziP,QAAQuB,IAAI,6BACHY,OAAO+lF,mBACXg0I,YAAc,IAAI/5N,OAAO+lF,kBAE3B86J,sBAAwB/iP,KAAK+iP,sBAAsB/pO,KAAKhZ,WACxDgjP,kBAAoBhjP,KAAKgjP,kBAAkBhqO,KAAKhZ,WAChDijP,mBAAqBjjP,KAAKijP,mBAAmBjqO,KAAKhZ,WAClDogC,KAAOpgC,KAAKogC,KAAKpnB,KAAKhZ,WACtBktB,MAAQltB,KAAKktB,MAAMlU,KAAKhZ,WACxBi8N,YAAY7nN,iBAAiB,iBAAkBpU,KAAK+iP,4BAEpD9mB,YAAY7nN,iBAAiB,aAAcpU,KAAKgjP,wBAChD/mB,YAAY7nN,iBAAiB,cAAepU,KAAKijP,yBACjDhnB,YAAY7nN,iBAAiB,iBAAkBpU,KAAKogC,WACpD67L,YAAY7nN,iBAAiB,eAAgBpU,KAAKktB,YAGlDqvM,UAAYjzM,wBACZ+yM,YAAa,OACb0C,gBAAkB,IAAI+W,eAAe3vO,cACrCy2N,sBAAwB1xM,KAAKQ,mBAAmB,CACnDkF,KAAM,WACNnE,MAAO,qBACN,GAAO7B,WACLi0M,WAAa,IAAIob,eACjBhd,eAAiB,IAAIgR,cAAcjuO,KAAKi8N,kBACxCkB,kBAAoB,QACpB5C,0BAA4B,IAAI4c,8BAChC+L,cAAgB,IAAI9oO,UACnB+oO,sBAAwB,CAC5B5vK,IAAKvzE,KAAK8/K,KACVwc,iBAAkBn2L,QAAQm2L,iBAC1BihC,yBAA0Bp3N,QAAQo3N,yBAClCj0D,gBAAAA,gBACA2yD,YAAaj8N,KAAKi8N,YAClB58L,YAAar/B,KAAKi+B,MAAMoB,YAAYrmB,KAAKhZ,KAAKi+B,OAC9CgZ,SAAU,IAAMj3C,KAAKi3C,WACrBk0B,QAAS,IAAMnrE,KAAKi+B,MAAMktC,UAC1BzhD,SAAU,IAAM1pB,KAAK0pB,WACrB4yM,UAAW,IAAMt8N,KAAKq8N,WACtBU,iBAAkB,IAAM/8N,KAAK+8N,mBAC7B9hJ,UAAAA,UACA+jJ,eAAgBh/N,KAAK++N,gBACrBD,UAAW9+N,KAAK6+N,WAChBzD,WAAYp7N,KAAKg9N,YACjBrF,iBAAkB33N,KAAKm9N,kBACvBwB,oBAAAA,oBACAzB,cAAel9N,KAAKi9N,eACpBpD,yBAA0B75N,KAAKu6N,0BAC/B/+C,qBAAsBr1K,QAAQq1K,qBAC9B6Q,uBAAwBrsL,KAAKqsL,uBAAuBrzK,KAAKhZ,YAMtDmsL,oBAA2C,SAArBnsL,KAAKg9N,YAAyB,IAAIhxC,mBAAmBzgK,IAAKvrB,KAAK8/K,KAAMp5K,MAAM1G,KAAK0iP,gBAAiB,CAC1Hr2D,uBAAwBrsL,KAAKqsL,uBAAuBrzK,KAAKhZ,SACrD,IAAI4/K,eAAer0J,IAAKvrB,KAAK8/K,KAAMp5K,MAAM1G,KAAK0iP,gBAAiB,CACnE1iE,yBAA0BhgL,KAAK+/K,0BAA0B/mK,KAAKhZ,cAE3DojP,yCAGArB,mBAAqB,IAAI/lB,cAAct1N,MAAMy8O,sBAAuB,CACvEtmB,qBAAsB78N,KAAK48N,sBAC3B9C,WAAY,SACV3zN,cAEC27O,oBAAsB,IAAI9lB,cAAct1N,MAAMy8O,sBAAuB,CACxErpB,WAAY,UACV3zN,cACCk9O,uBAAyB,IAAI/S,iBAAiB5pO,MAAMy8O,sBAAuB,CAC9ErpB,WAAY,MACZ/oL,yBAA0B/wC,KAAKi+B,MAAM8S,yBACrC0/L,UAAW,IAAM,IAAI78L,SAAQ,CAACy7B,QAASx7B,mBAC5ByvM,SACPp4N,KAAK1nB,IAAI,aAAc2pO,SACvB99J,mBAEO89J,UACPjiN,KAAK1nB,IAAI,cAAe8/O,QACxBzvM,SAEF3oB,KAAK3S,IAAI,cAAe+qO,QACxBp4N,KAAK3S,IAAI,aAAc40N,SAEvBjiN,KAAK0nB,wBAELzsC,cAICo9O,2BAA6B,IAAIzF,0BAA0B99O,KAAK8/K,KAAK5lJ,KAHrD,IACZl6B,KAAK+hP,mBAAmB9mK,iBAG5BuoK,+BACDxjP,KAAKoiP,sBACFj2D,oBAAoB5zK,IAAI,kBAAkB,IAAMvY,KAAKyjP,wBACrDxlN,MAAM3mB,GAAG,SAAS,IAAMtX,KAAK0jP,uBAC7BzlN,MAAM3mB,GAAG,QAAQ,IAAMtX,KAAKyjP,oBAUnC9B,YAAY98O,SAAQg9O,YACbA,KAAO,KAAOD,cAAc5oO,KAAKhZ,KAAM6hP,cAEzChiE,QAAU1H,OAAO,WACjBwrE,oBAAqB,EACG,SAAzB3jP,KAAKi+B,MAAMkjC,gBACRyiL,YAAc,UACZA,YAAc,UACdz3D,oBAAoB/rJ,aAEtBnC,MAAM1lB,IAAI,OAAQvY,KAAK4jP,mBAEvBz3D,oBAAoB/rJ,YAEtByjN,oBAAsB,OACtBC,2BAA6B,OAC7BC,4BAA8B,QAC7B70O,MAAiC,SAAzBlP,KAAKi+B,MAAMkjC,UAAuB,OAAS,iBAEpDljC,MAAM1lB,IAAIrJ,OAAO,WACd80O,sBAAwBplK,KAAKxlE,WAC9B6kB,MAAM1lB,IAAI,cAAc,UACtBsrO,mBAAqBjlK,KAAKxlE,MAAQ4qO,2BAClCF,0BAA4B9jP,KAAK+hP,mBAAmBzhB,kBACpDyjB,2BAA6B/jP,KAAK8hP,oBAAoBxhB,mBAIjE2jB,kCACSjkP,KAAK8jP,0BAEdI,mCACSlkP,KAAK+jP,2BAEdI,6BACQ3yN,KAAOxxB,KAAKikP,2BACZzjN,MAAQxgC,KAAKkkP,mCACL,IAAV1yN,OAA0B,IAAXgP,OACT,EAEHhP,KAAOgP,MAEhB4jN,2BACSpkP,KAAK6jP,mBASdQ,gBAAUl9N,8DAAS,YACXm9N,aAAetkP,KAAKi9O,iBACtBqH,cAAgBtkP,KAAKukP,qBAAqBD,oBACvCE,aAAaF,aAAcn9N,QAGpCq9N,aAAa3hK,SAAUtqD,MAAOoqJ,aACtBvD,SAAWp/K,KAAK8S,QAChBgvN,MAAQ1iD,WAAaA,SAASphK,IAAMohK,SAAS1lJ,KAC7C+qN,MAAQ5hK,WAAaA,SAAS7kE,IAAM6kE,SAASnpD,QAC/CooM,OAASA,QAAU2iB,MAAO,MACvB5kE,+BAAwBiiD,qBAAY2iB,uBAAclsN,cACjDpO,SAAW,CACfu6N,cAAe,CACb1mO,GAAIymO,MACJxpK,UAAW4H,SAASl4E,WAAW8zE,UAC/Bd,WAAYkF,SAASl4E,WAAW6zE,WAChCiJ,OAAQ5E,SAASl4E,WAAW88J,QAE9BlvI,MAAAA,YAEGrgB,QAAQ,CACX/X,KAAM,oBACNgqB,SAAAA,gBAEG8T,MAAM/lB,QAAQ,CACjB/X,KAAM,QACNkB,oCAA8Bk3B,cAG7B4zJ,oBAAoBr5K,MAAM+vE,SAAU8/F,OAY3CgiE,sCACG,QAAS,YAAa,mBAAmB9/O,SAAQ1E,aAC1CynF,UAAY5nF,KAAK4iP,YAAYziP,MAC7Bo7O,YAAc3zJ,UAAYA,UAAU2zJ,cAAgB,KACpDn4D,QAAUpjL,KAAKujP,2BAA2BjD,gBAC5C/E,aAAen4D,QAAS,OAGpBwhE,oBADiBrJ,YAAYt6O,OAASs6O,YAAY,GAAGz4J,UAAYy4J,YAAYz4J,WACzC/+E,QAAOqmC,GAAKA,EAAEz/B,WAAW+8J,kBAAoB0b,UAEnFwhE,mBAAmB3jP,aAChB2hP,YAAYziP,MAAM+6O,qBAAqBpoO,MAAM8xO,mBAAmB,QAW7EnB,sBACOC,qBACAmB,UAAY3iP,OAAO+iB,aAAY,IAAMjlB,KAAKqkP,aAAa,KAQ9DX,gBAGM1jP,KAAKi+B,MAAMuU,WAAaxyC,KAAKi+B,MAAMuU,cAGvCtwC,OAAO8iB,cAAchlB,KAAK6kP,gBACrBA,UAAY,MAQnB/uB,gCACQtkM,KAAOxxB,KAAKwxB,OACZszN,iBAAmBtzN,MAAQA,KAAKsxD,WAAa,OAI9CtxD,OAASA,KAAKuxD,cAAgBvxD,KAAKuxD,YAAY4kF,aAC3Cm9E,uBAEHn9E,MAAQn2I,KAAKuxD,YAAY4kF,MACzB20E,UAAYh4O,OAAOG,KAAKkjK,WAC1B/8I,SAEAtmB,OAAOG,KAAKzE,KAAK4iP,YAAYj7E,MAAM9kI,QAAQ5hC,OAC7C2pB,MAAQ5qB,KAAK4iP,YAAYj7E,MAAM2zE,kBAC1B,OAECyJ,aAAep9E,MAAMn2I,MAAQ8qN,UAAUr7O,QAAU0mK,MAAM20E,UAAU,QAClE,MAAM7vN,SAASs4N,gBACdA,aAAat4N,OAAOuQ,QAAS,CAC/BpS,MAAQ,CACN6B,MAAAA,kBAOH7B,aACIk6N,uBAEHhiK,UAAY,OAGb,MAAMyiF,SAASoC,SACdA,MAAMpC,OAAO36I,MAAM6B,OAAQ,OACvB/hB,WAAai9J,MAAMpC,OAAO36I,MAAM6B,UAClC/hB,WAAWo4E,WAAap4E,WAAWo4E,UAAU7hF,OAC/C6hF,UAAU7gF,KAAKwW,MAAMqqE,UAAWp4E,WAAWo4E,gBACtC,GAAIp4E,WAAWgvB,IACpBopD,UAAU7gF,KAAKyI,iBACV,GAAI8mB,KAAKsxD,UAAU7hF,WAInB,IAAID,EAAI,EAAGA,EAAIwwB,KAAKsxD,UAAU7hF,OAAQD,IAAK,OACxC6hF,SAAWrxD,KAAKsxD,UAAU9hF,GAC5B6hF,SAASl4E,YAAck4E,SAASl4E,WAAWg9J,OAAS9kF,SAASl4E,WAAWg9J,QAAUpC,OACpFziF,UAAU7gF,KAAK4gF,kBAMpBC,UAAU7hF,OAGR6hF,UAFEgiK,iBAWX1B,yCACOj3D,oBAAoB70K,GAAG,kBAAkB,WACtCxE,MAAQ9S,KAAKmsL,oBAAoBr5K,QACjCkyO,eAAwC,IAAvBlyO,MAAMgtE,eAAuB,IAGhD+6F,yBAAyB76K,KAAKmsL,oBAAoB36J,KAAMxxB,KAAKmsL,oBAAoBr5K,cAC9E4vO,gBAAgBnpO,QAAU,OAE1BmpO,gBAAgBnpO,QAAUyrO,eAI7BlyO,MAAMmvE,SAAoC,SAAzBjiF,KAAKi+B,MAAMkjC,iBACzB4gL,mBAAmBl/J,SAAS/vE,MAAO9S,KAAK0iP,sBACxCX,mBAAmB3hN,QAE1B87M,iBAAiB,CACf9gB,WAAYp7N,KAAKg9N,YACjB4e,eAAgB,CACdj0E,MAAO3nK,KAAK8hP,oBACZl6E,UAAW5nK,KAAKqjP,uBAChB7xN,KAAMxxB,KAAK+hP,oBAEb72N,KAAMlrB,KAAKi+B,MACX09M,eAAgB37O,KAAK0iP,gBACrBx2D,mBAAoBlsL,KAAKmsL,oBACzB54G,IAAKvzE,KAAK8/K,KACVtuJ,KAAMxxB,KAAKwxB,OACXw1D,WAAYhnF,KAAK4iP,YACjBvH,gBAAiBr7O,KAAKq7O,gBAAgBriO,KAAKhZ,aAExCilP,sBAAsBjlP,KAAKwxB,OAAQ1e,YACnCoyO,kBACAllP,KAAK4iP,YAAYj7E,MAAMuzE,sBAAwBl7O,KAAK4iP,YAAYj7E,MAAMuzE,qBAAqBpoO,aACzFoF,QAAQ,6BAKR0qO,YAAYj7E,MAAMuzE,qBAAqB3iO,IAAI,kBAAkB,UAC3DL,QAAQ,mCAIdi0K,oBAAoB70K,GAAG,kBAAkB,KACxCtX,KAAK4jP,kBACF3lN,MAAMz6B,IAAI,OAAQxD,KAAK4jP,iBAE1BhgE,gBAAkB5jL,KAAKmsL,oBAAoBr5K,YAC1C8wK,gBAAiB,KAOhBuhE,sBALCC,uCACAC,sCAGAC,8BAEDtlP,KAAKmiP,2BACPgD,cAAgBnlP,KAAKulP,yBAElBJ,gBACHA,cAAgBnlP,KAAKi9O,mBAElBkI,gBAAkBnlP,KAAKukP,qBAAqBY,2BAG5CK,cAAgBL,mBAChBX,aAAaxkP,KAAKwlP,cAAe,gBAOM,aAArBxlP,KAAKg9N,aAA8Bh9N,KAAKwlP,cAAcrkK,iBAI7EyiG,gBAAkB5jL,KAAKwlP,mBAEpBC,2BAA2B7hE,yBAE7BuI,oBAAoB70K,GAAG,SAAS,WAC7B3T,MAAQ3D,KAAKmsL,oBAAoBxoL,WAClC03O,gBAAgB,CACnBqK,kBAAmB/hP,MAAMk/E,SACzBl/E,MAAAA,gBAGCwoL,oBAAoB70K,GAAG,iBAAiB,UACtCyqO,mBAAmBtlN,aACnBslN,mBAAmB70N,gBAErBi/J,oBAAoB70K,GAAG,eAAe,WACnCxE,MAAQ9S,KAAKmsL,oBAAoBr5K,QACjCkyO,eAAwC,IAAvBlyO,MAAMgtE,eAAuB,IAGhD+6F,yBAAyB76K,KAAKmsL,oBAAoB36J,KAAMxxB,KAAKmsL,oBAAoBr5K,cAC9E4vO,gBAAgBnpO,QAAU,OAE1BmpO,gBAAgBnpO,QAAUyrO,eAER,SAArBhlP,KAAKg9N,aAQHh9N,KAAKmsL,oBAAoBQ,eACtBR,oBAAoB/rJ,YAOxB2hN,mBAAmB70N,aACnB60N,mBAAmBl/J,SAAS/vE,MAAO9S,KAAK0iP,iBACzC1iP,KAAK2lP,4CACFC,6BAEA7D,mBAAmB3hN,YAErBnC,MAAM/lB,QAAQ,CACjB/X,KAAM,cACNkY,SAAS,YAGR8zK,oBAAoB70K,GAAG,qBAAqB,WACzCssK,gBAAkB5jL,KAAKmsL,oBAAoBr5K,WAIN,uBAAvC8wK,gBAAgBiiE,0BAGK7lP,KAAK8lP,oBAAoBliE,wBAM3Cy3D,gBAAgB,CACnB13O,MAAO,CACLkmB,QAAS,+BACT1C,OAAQ,6BAIP8W,MAAM/lB,QAAQ,0BAGlBi0K,oBAAoB70K,GAAG,qBAAqB,UAC1C2mB,MAAM/lB,QAAQ,CACjB/X,KAAM,QACNkB,KAAM,mCAGL8qL,oBAAoB70K,GAAG,oBAAoB,UACzC2mB,MAAM/lB,QAAQ,CACjB/X,KAAM,QACNkB,KAAM,6BAGmB,CAAC,uBAAwB,0BAA2B,qBAAsB,wBAAyB,uBAAwB,0BAA2B,qBAAsB,wBAAyB,oBAAqB,oBAClOwD,SAAQy7D,iBACtB6rH,oBAAoB70K,GAAGgpD,WAAWn2C,gBAEhCxM,QAAQzF,QAAQyb,WAAW,GAAIxJ,iBAc1Cs7N,2BAA2B7hE,iBACrB5jL,KAAKuiP,kBACFwD,cAAcniE,sBAMhBm+D,mBAAmB70N,aACnB60N,mBAAmBl/J,SAAS+gG,gBAAiB5jL,KAAK0iP,iBACnD1iP,KAAK2lP,6CACFC,6BAEFI,gBAAgBpiE,gBAAgB3hG,SAIhCjiF,KAAKi+B,MAAMjR,gBACT+0N,mBAAmB3hN,OACpBpgC,KAAK8hP,0BACFA,oBAAoB1hN,QAU/B6kN,sBAAsBzzN,KAAM1e,aACpBiwE,YAAcvxD,KAAKuxD,aAAe,OACpCkjK,gBAAiB,QACfC,eAAiB5hP,OAAOG,KAAKs+E,YAAY4kF,WAC1C,MAAM/lF,cAAcmB,YAAY4kF,UAC9B,MAAMl7I,SAASs2D,YAAY4kF,MAAM/lF,YAAa,CAC9BmB,YAAY4kF,MAAM/lF,YAAYn1D,OACjCiN,MACdusN,gBAAiB,GAInBA,qBACGhoN,MAAM/lB,QAAQ,CACjB/X,KAAM,QACNkB,KAAM,gBAGNiD,OAAOG,KAAKs+E,YAAY6kF,WAAW3mK,aAChCg9B,MAAM/lB,QAAQ,CACjB/X,KAAM,QACNkB,KAAM,eAGNqgP,MAAMtmE,SAASS,MAAM/oK,aAClBmrB,MAAM/lB,QAAQ,CACjB/X,KAAM,QACNkB,KAAM,YAGN6kP,eAAejlP,QAAUqD,OAAOG,KAAKs+E,YAAY4kF,MAAMu+E,eAAe,KAAKjlP,OAAS,QACjFg9B,MAAM/lB,QAAQ,CACjB/X,KAAM,QACNkB,KAAM,wBAGNrB,KAAKuiP,kBACFtkN,MAAM/lB,QAAQ,CACjB/X,KAAM,QACNkB,KAAM,0BAIZkjP,qBAAqBD,oBACb6B,gBAAkBnmP,KAAKmsL,oBAAoBr5K,SAAW9S,KAAKmsL,oBAAoBjK,cAC/E7iJ,YAAcr/B,KAAKi+B,MAAMoB,cACzB+mN,mBAAqBpmP,KAAKomP,qBAC1BC,oBAAsBrmP,KAAKqmP,6BAntBT,qBAAUF,gBACpCA,gBADoC18N,SAEpCA,SAFoC4V,YAGpCA,YAHoCilN,aAIpCA,aAJoC8B,mBAKpCA,mBALoCC,oBAMpCA,oBANoC38N,SAOpCA,SAPoC04N,eAQpCA,eARoC9gP,IASpCA,gBAGKgjP,oBACHvkP,QAAQuB,IAAIoC,KAAK,oEACV,QAEH4iP,wCAAmCH,iBAAmBA,gBAAgBnoO,IAAM,sBAAasmO,aAAatmO,QACvGmoO,uBACH7kP,cAAOglP,mDACA,KAGLhC,aAAatmO,KAAOmoO,gBAAgBnoO,UAC/B,QAGHuoO,WAAah/O,QAAQ+wK,UAAU7uJ,SAAU4V,aAAap+B,YAKvDklP,gBAAgBlkK,eAGdskK,YAA4D,iBAAvCJ,gBAAgBpmK,oBAI1Cz+E,cAAOglP,gDACA,IAJLhlP,kBAAWglP,0FACJ,SAKLE,cAAgB1tE,YAAYrvJ,SAAU4V,aACtConN,sBAAwBrE,eAAiBhzD,OAAOS,uCAAyCT,OAAOQ,6BAGlGlmK,SAAW+8N,6BACbnlP,cAAOglP,4DAAmD58N,uBAAc+8N,6BACjE,QAEHC,cAAgBpC,aAAa35O,WAAW8zE,UACxCkoK,cAAgBR,gBAAgBx7O,WAAW8zE,aAG7CioK,cAAgBC,iBAAmBvE,gBAAkBoE,cAAgBH,qBAAsB,KACzFO,kBAAaN,iEAAwDI,4BAAmBC,0BACxFvE,iBACFwE,6DAAwDJ,4BAAmBH,0BAE7E/kP,IAAIslP,UACG,OAIHxE,gBAAkBsE,cAAgBC,gBAAkBH,eAAiBJ,mBAAoB,KACzFQ,kBAAaN,kEAAyDE,6BAAoBJ,+BAC1FhE,iBACFwE,4DAAuDF,4BAAmBC,oBAE5ErlP,IAAIslP,UACG,SAETtlP,kBAAWglP,iDACJ,EA6oBEO,CAAoB,CACzBp9N,SAFezpB,KAAKi+B,MAAMxU,WAG1B4V,YAAAA,YACA8mN,gBAAAA,gBACA7B,aAAAA,aACA8B,mBAAAA,mBACAC,oBAAAA,oBACA38N,SAAU1pB,KAAK0pB,WACf04N,eAAgBpiP,KAAKoiP,eACrB9gP,IAAKtB,KAAK6/K,UAUd2jE,oCACOzB,mBAAmBzqO,GAAG,mBAAmB,UAGvC+sO,UAAU,wBACVpmN,MAAM/lB,QAAQ,2BAEhB6pO,mBAAmBzqO,GAAG,WAAW,KAChCtX,KAAKoiP,qBAKFL,mBAAmB3hN,UAKvBpgC,KAAKoiP,qBACHL,mBAAmBzqO,GAAG,YAAY,UAChCY,QAAQ,oBAGZ6pO,mBAAmBzqO,GAAG,SAAS,WAC5B3T,MAAQ3D,KAAK+hP,mBAAmBp+O,aACjC03O,gBAAgB,CACnBqK,kBAAmB/hP,MAAMk/E,SACzBl/E,MAAAA,gBAGCo+O,mBAAmBzqO,GAAG,eAAe,UACnC3T,MAAQ3D,KAAK+hP,mBAAmB3vM,YAChCl6B,QAAQ,iBAEV6pO,mBAAmBzqO,GAAG,kBAAkB,UACtCwvO,4BAEF/E,mBAAmBzqO,GAAG,mBAAmB,UACvC2mB,MAAM/lB,QAAQ,CACjB/X,KAAM,QACNkB,KAAM,iCAGLygP,oBAAoBxqO,GAAG,kBAAkB,UACvCwvO,4BAEFhF,oBAAoBxqO,GAAG,eAAe,UACpC3T,MAAQ3D,KAAK8hP,oBAAoB1vM,YACjCl6B,QAAQ,iBAEV6pO,mBAAmBzqO,GAAG,SAAS,UAC7BuoK,QAAQ,kCACRknE,wBAOFxsB,0BAA0BjjN,GAAG,uBAAuB,WACjDk1J,YAAcxsK,KAAK8hP,oBAAoBxnB,oBACxC9tD,cAAgBA,YAAYhtF,UAAYgtF,YAAYhtF,QAAQoiJ,sBAM3Dl3K,QAAU8hH,YAAYhtF,QAAQoiJ,SAAS15M,IAAM,SAC9C+V,MAAMwU,eAAeiY,iBAEvB6vK,0BAA0BjjN,GAAG,wBAAwB,UAEnDuoK,QAAQ,kEACRkiE,mBAAmB70N,aACnB60N,mBAAmBrgB,kBACpB1hO,KAAK4iP,YAAYj7E,MAAMuzE,4BACpB4G,oBAAoB50N,aACpB40N,oBAAoBpgB,mBAEvB1hO,KAAK4iP,YAAYh7E,UAAUszE,4BACxBmI,uBAAuBn2N,aACvBm2N,uBAAuB3hB,wBAGzBthM,eAEF2hN,mBAAmBzqO,GAAG,cAAcpI,QAEnClP,KAAKoiP,sBAGJ4E,iBAAiB,MAAO,CAAC,eACzB3L,gBAAgB,CACnB13O,MAAO,CACLkmB,QAAS,mGAEXqjK,0BAh1B8B,eAm1B5B+5D,aAAe,SACdjnP,KAAKi9N,eAAegS,iCAChBjvO,KAAKknP,kCAERz/J,OAASznF,KAAKmnP,sBAEf1/J,aAGAw1I,eAAemS,yBAAyB3nJ,cAE1Cs6J,mBAAmBzqO,GAAG,YAAa2vO,mBACnCnF,oBAAoBxqO,GAAG,YAAa2vO,mBACpClF,mBAAmBzqO,GAAG,QAAQ,KAC5BtX,KAAK2jP,0BACH1lN,MAAM/lB,QAAQ,CACjB/X,KAAM,QACNkB,KAAM,kBAEHsiP,oBAAqB,WAGzB7B,oBAAoBxqO,GAAG,QAAQ,KAC7BtX,KAAK2jP,0BACH1lN,MAAM/lB,QAAQ,CACjB/X,KAAM,QACNkB,KAAM,kBAEHsiP,oBAAqB,WAGzB7B,oBAAoBxqO,GAAG,SAAS,UAC9BuoK,QAAQ,iCACRknE,mBAEqB,CAAC,kBAAmB,mBAAoB,gBAAiB,sBAAuB,yBAA0B,yBAA0B,4BAA6B,0BAA2B,6BAA8B,uCAAwC,wCAAyC,qBAAsB,cAAe,mBAAoB,iBAAkB,gBAC9XliP,SAAQy7D,iBACrByhL,mBAAmBzqO,GAAGgpD,WAAWn2C,gBAC/BxM,QAAQzF,QAAQyb,WAAW,GAAIxJ,mBAEjC23N,oBAAoBxqO,GAAGgpD,WAAWn2C,gBAChCxM,QAAQzF,QAAQyb,WAAW,GAAIxJ,mBAEjCk5N,uBAAuB/rO,GAAGgpD,WAAWn2C,gBACnCxM,QAAQzF,QAAQyb,WAAW,GAAIxJ,iBAI1Ci9N,6BACSr2O,KAAKC,IAAIhR,KAAK8hP,oBAAoBzhB,mBAAqBrgO,KAAK+hP,mBAAmB1hB,oBAMxFjgM,YACO2hN,mBAAmB3hN,OACpBpgC,KAAK4iP,YAAYj7E,MAAMuzE,2BACpB4G,oBAAoB1hN,OAEvBpgC,KAAK4iP,YAAYh7E,UAAUszE,2BACxBmI,uBAAuBjjN,OAOhClT,aACO60N,mBAAmB70N,QACpBltB,KAAK4iP,YAAYj7E,MAAMuzE,2BACpB4G,oBAAoB50N,QAEvBltB,KAAK4iP,YAAYh7E,UAAUszE,2BACxBmI,uBAAuBn2N,QAYhCgwN,yBAAmBpqO,6DAAQ9S,KAAKi9O,iBAC1BnqO,OAASA,QAAU9S,KAAKmsL,oBAAoBr5K,aACzC+sK,QAAQ,qEAGV2kE,aAAa1xO,MAAO,qBAGpB6yO,wCAAyC,GAEhDC,6BACOD,wCAAyC,OACzC5D,mBAAmB70N,aACnB60N,mBAAmBrgB,kBACpB1hO,KAAK4iP,YAAYj7E,MAAMuzE,4BACpB4G,oBAAoB50N,aACpB40N,oBAAoBpgB,mBAEvB1hO,KAAK4iP,YAAYh7E,UAAUszE,4BACxBmI,uBAAuBn2N,aACvBm2N,uBAAuB3hB,wBAGzBthM,OAMP1iB,UACM1d,KAAKklP,wBAGLllP,KAAKi+B,MAAMkZ,cACRlZ,MAAMwU,eAAe,GAExBzyC,KAAKq8N,iBACFj8L,aAED6W,SAAWj3C,KAAKi+B,MAAMgZ,kBAGxBj3C,KAAKi+B,MAAMvU,aAAeX,EAAAA,GACxB/oB,KAAKi+B,MAAMoB,cAAgB4X,SAAShvB,MAAM,GACrCjoB,KAAKi+B,MAAMwU,eAAewE,SAAS/uB,IAAI+uB,SAASh2C,OAAS,WAStEikP,uBACQpyO,MAAQ9S,KAAKmsL,oBAAoBr5K,YAMlCA,OAAS9S,KAAKi+B,MAAMjR,UAAYhtB,KAAKq8N,kBACjC,MAGJvpN,MAAMmvE,SAAWnvE,MAAMmV,MAAO,OAC3BgvB,SAAWj3C,KAAKi3C,eACjBA,SAASh2C,cAGL,QAEHmnD,YAAcnR,SAAS/uB,IAAI,OAC7Bm/N,WAAaj/L,eACbt1C,MAAMmV,MAAO,OACTu1D,OAAS1qE,MAAMmV,MAAM87D,WAEzBsjK,WADE7pK,OAAS,EACEzsE,KAAKC,IAAIo3C,YAAco1B,OAAQvmC,SAAShvB,MAAM,IAE9ClX,KAAKE,IAAIm3C,YAAao1B,aAIlCtlE,QAAQ,kBAER+lB,MAAMwU,eAAe40M,wBAEvBhrB,YAAa,OAEbj8L,QACE,EAQT4iN,4BAIOkE,4BAIDlnP,KAAKi+B,MAAM+pC,WAAY,OACnB5jB,YAAcpkD,KAAKi+B,MAAMvgB,YAGJ,IAAhB0mC,aAA2D,mBAArBA,YAAYp6B,MAC3Do6B,YAAYp6B,KAAK,MAAMhY,aAGtBkG,QAAQ,cAQf+qO,yBACOjjP,KAAKm9N,kBAAkBnF,4BAGtBntM,KAAO7qB,KAAKm9N,kBAAkBnF,eAAentM,SAC9CA,OAASA,KAAK5pB,oBAGbyoB,SAAW1pB,KAAK0pB,WACtBmB,KAAKA,KAAK5pB,OAAS,GAAG+pB,QAAU1H,MAAMoG,WAAa3Y,KAAK24B,IAAIhgB,YAAcX,EAAAA,EAAWrZ,OAAOqrK,UAAYrxJ,SAQ1Gq5N,6BACO9kN,MAAM/lB,QAAQ,kBAWrB6uO,oBACMhd,cAAgB/pO,KAAK+hP,mBAAmBziB,UACxCt/N,KAAK4iP,YAAYj7E,MAAMuzE,qBAAsB,OACzCoM,cAAgBtnP,KAAK+hP,mBAAmBra,uBAM5CqC,eAJGud,eAAiBA,cAAcpvC,SAIlB6xB,eAAiB/pO,KAAK8hP,oBAAoBxiB,OAG1Ct/N,KAAK8hP,oBAAoBxiB,OAGxCyK,qBAGA2Z,qBACAzmB,eAAe6D,eAStBglB,oBAAoBjjK,cACD7iF,KAAKi3C,WACRh2C,cAEL,QAEH24K,QAAU55K,KAAK++N,gBAAgBuX,eAAezzJ,SAAU7iF,KAAK0pB,eACnD,OAAZkwJ,eACK,QAIH2tE,oBAAsB7F,MAAMtmE,SAAShB,YAAYv3F,SAAU+2F,SAC3Dv6I,YAAcr/B,KAAKi+B,MAAMoB,cACzB5V,SAAWzpB,KAAKi+B,MAAMxU,eACvBA,SAASxoB,cAELsmP,oBAAsBloN,aAn+vBXk5I,SAq+vBdlwH,YAAc5+B,SAASvB,IAAIuB,SAASxoB,OAAS,UAG5ConD,YAAchpB,aAx+vBDk5I,IAw+vBmCgvE,oBAAsBl/L,aAx+vBzDkwH,GAs/vBtB8iE,4BAAgBqK,kBACdA,kBAAoB1lP,KAAKmsL,oBAAoBr5K,QAD/BnP,MAEdA,MAAQ,GAFMupL,0BAGdA,qCAMAw4D,kBAAoBA,mBAAqB1lP,KAAKmsL,oBAAoBr5K,QAClEo6K,0BAA4BA,2BAA6BvpL,MAAMupL,2BAA6BltL,KAAKktL,2BAG5Fw4D,8BACE/hP,MAAQA,WACuB,SAAhC3D,KAAKi8N,YAAY9nN,gBACd+D,QAAQ,cAER+kN,eAAe6D,YAAY,YAIpC4kB,kBAAkBrpE,wBACZv5F,UAAY9iF,KAAKmsL,oBAAoB36J,KAAKsxD,UAC1CyiJ,iBAAmBziJ,UAAU/+E,OAAO42K,WACpC4S,iBAA+C,IAA5Bg4C,iBAAiBtkO,QAAgBskO,iBAAiB,KAAOmgB,qBAGzD,IAArB5iK,UAAU7hF,QAAgBisL,4BAA8BnkK,EAAAA,SAC1DhpB,QAAQuB,IAAIoC,KAAK,4CAAqCgiP,kBAAkB1nO,SAAS,oDAC5EigB,MAAM/lB,QAAQ,iBAEZlY,KAAKmsL,oBAAoB/rJ,KAAKmtJ,qBAEnCA,iBAAkB,IAEhBvtL,KAAKwxB,OAAOs0D,gBAAiB,OACzBs9F,QAAUpjL,KAAKwnP,kBAAkB9B,mBAEjC+B,eAAwE,IAAvDznP,KAAKujP,2BAA2BrF,iBAAiBT,gBACnE8F,2BAA2BlC,eAAej+D,cAC1CskE,iCACL1zO,YAAW,UACJuvO,2BAA2BpC,oBAAoB/9D,WACnDqkE,oBAODE,YAAa,EACjB7kK,UAAUj+E,SAAQg+E,cAEZA,WAAa6iK,+BAGXjrE,aAAe53F,SAAS43F,kBAEF,IAAjBA,cAAgCA,eAAiB1xJ,EAAAA,IAC1D4+N,YAAa,SACN9kK,SAAS43F,iBAGhBktE,aACF5nP,QAAQuB,IAAIoC,KAAK,6GAIZu6B,MAAM/lB,QAAQ,sBAInBuiK,aAEFA,aADEirE,kBAAkBrpE,gBAAkBr8K,KAAKsiP,mBAC5Bv5N,EAAAA,EAEA61D,KAAKxlE,MAAoC,IAA5B8zK,0BAE9Bw4D,kBAAkBjrE,aAAeA,aAC7B92K,MAAMwjB,SACRu+N,kBAAkBG,mBAAqBliP,MAAMwjB,aAE1C8W,MAAM/lB,QAAQ,wBACd+lB,MAAM/lB,QAAQ,CACjB/X,KAAM,QACNkB,KAAM,iCAMFijP,aAAetkP,KAAKi9O,qBACrBqH,yBACE3gP,MAAQ,mFACRuU,QAAQ,eAGT68M,MAAQpxN,MAAMspL,SAAWjtL,KAAK6/K,QAAU9/K,QAAQuB,IAAIoC,KACpDkkP,aAAejkP,MAAMkmB,QAAU,IAAMlmB,MAAMkmB,QAAU,GAC3DkrM,MAAM,UAAGpxN,MAAMspL,SAAW,mBAAqB,gDAAuCy4D,kBAAkB1nO,kBAAW4pO,+CAAsCtD,aAAatmO,SAElKsmO,aAAa35O,WAAWg9J,QAAU+9E,kBAAkB/6O,WAAWg9J,YAC5Dq/E,iBAAiB,QAAS,CAAC,QAAS,UAGvC1C,aAAa35O,WAAWi9J,YAAc89E,kBAAkB/6O,WAAWi9J,gBAChEo/E,iBAAiB,WAAY,CAAC,QAAS,eAEzCA,iBAAiB,OAAQ,CAAC,QAAS,gBAClCa,cAAgBvD,aAAaxkK,eAAiB,EAAI,KAAQ,IAC1D4iG,YAAkD,iBAA7B4hE,aAAariE,aAA4BrjG,KAAKxlE,MAAQkrO,aAAariE,aAAe4lE,qBAEtG7nP,KAAKwkP,aAAaF,aAAc,UAAW/2D,kBAAoB7K,aAMxEigE,oBACOqE,iBAAiB,MAAO,CAAC,QAAS,eAClCtD,gBAiBPsD,iBAAiBjjP,OAAQ+jP,eACjBC,QAAU,GACVC,mBAAgC,QAAXjkP,QACvBikP,oBAAiC,SAAXjkP,SACxBgkP,QAAQ9lP,KAAKjC,KAAKmsL,2BAEdnlG,WAAa,IACfghK,oBAAiC,UAAXjkP,SACxBijF,WAAW/kF,KAAK,UAEd+lP,oBAAiC,aAAXjkP,UACxBijF,WAAW/kF,KAAK,mBAChB+kF,WAAW/kF,KAAK,cAElB+kF,WAAWniF,SAAQ+iF,kBACXqgK,OAASjoP,KAAK4iP,YAAYh7J,YAAc5nF,KAAK4iP,YAAYh7J,WAAWszJ,qBACtE+M,QACFF,QAAQ9lP,KAAKgmP,YAGhB,OAAQ,QAAS,YAAYpjP,SAAQxD,aAC9B4mP,OAASjoP,eAAQqB,yBACnB4mP,QAAWlkP,SAAW1C,MAAmB,QAAX0C,QAChCgkP,QAAQ9lP,KAAKgmP,WAGjBF,QAAQljP,SAAQojP,QAAUH,QAAQjjP,SAAQkW,SACV,mBAAnBktO,OAAOltO,SAChBktO,OAAOltO,eAWb03B,eAAepT,mBACP5V,SAAW6uJ,UAAUt4K,KAAKi+B,MAAMxU,WAAY4V,oBAC5Cr/B,KAAKmsL,qBAAuBnsL,KAAKmsL,oBAAoBr5K,SAMtD9S,KAAKmsL,oBAAoBr5K,QAAQquE,SAIlC13D,UAAYA,SAASxoB,OAChBo+B,kBAIJ0iN,mBAAmB70N,aACnB60N,mBAAmBrgB,kBACpB1hO,KAAK4iP,YAAYj7E,MAAMuzE,4BACpB4G,oBAAoB50N,aACpB40N,oBAAoBpgB,mBAEvB1hO,KAAK4iP,YAAYh7E,UAAUszE,4BACxBmI,uBAAuBn2N,aACvBm2N,uBAAuB3hB,6BAGzBthM,QAxBI,EAgCX1W,eACO1pB,KAAKmsL,2BACD,QAEHr5K,MAAQ9S,KAAKmsL,oBAAoBr5K,eAClCA,MAcAA,MAAMmvE,QAKPjiF,KAAKi8N,YACAj8N,KAAKi8N,YAAYvyM,SAEnBg4N,MAAMtmE,SAAS1xJ,SAAS5W,OAPtBiW,EAAAA,EAbA,EA4BXkuB,kBACSj3C,KAAKu8N,UAEd2rB,kBAAkB9M,eAAgBxzJ,iBAC1B90E,MAAQsoO,eAAetoO,YACxBA,aACI,WAEH0iO,kBAAoBx1O,KAAK++N,gBAAgBe,qBAAqBl4I,cAChE4tJ,mBAAqBA,kBAAkB9R,WAAY,OAC/Cz7M,MAAQutN,kBAAkBvtN,MAC1BC,IAAMstN,kBAAkBttN,QACzB8nD,SAAS/nD,SAAW+nD,SAAS9nD,YACzB,WAEHqxJ,cAAgBmoE,MAAMtmE,SAAS7B,cAAcv5K,KAAKmsL,oBAAoB36J,KAAM1e,OAE5Eq1O,cAAgBp3O,KAAKC,IAAI,EAAGkX,IAAMqxJ,sBACpC4uE,cAAgBlgO,MACX,KAEFqB,iBAAiB,CAAC,CAACrB,MAAOkgO,uBAE7BvuE,QAAU55K,KAAK++N,gBAAgBuX,eAAexjO,MAAO9S,KAAK0pB,eAChD,OAAZkwJ,eACK,WAEH3iI,SAAWyqM,MAAMtmE,SAASnkI,SAASnkC,MAAO8mK,QAAS8nE,MAAMtmE,SAAS7B,cAAcv5K,KAAKmsL,oBAAoB36J,KAAM1e,eAC9GmkC,SAASh2C,OAASg2C,SAAW,KAEtCmxM,sBAAsBC,aAAcC,mBAC7BA,qBACID,mBAEHE,UAAYF,aAAapgO,MAAM,GAC/BugO,QAAUH,aAAangO,IAAI,GAC3BgjM,WAAao9B,cAAcrgO,MAAM,GACjCwgO,SAAWH,cAAcpgO,IAAI,UAC/BgjM,WAAas9B,SAAWD,UAAYE,SAE/BJ,aAGF/+N,iBAAiB,CAAC,CAACvY,KAAKC,IAAIu3O,UAAWr9B,YAAan6M,KAAKE,IAAIu3O,QAASC,aAE/E3B,wBAoBO9mP,KAAKmsL,iCAGJk8D,aAAeroP,KAAKkoP,kBAAkBloP,KAAKmsL,oBAAqB,YACjEk8D,wBAGDC,iBACAtoP,KAAK4iP,YAAYj7E,MAAMuzE,uBACzBoN,cAAgBtoP,KAAKkoP,kBAAkBloP,KAAK4iP,YAAYj7E,MAAMuzE,qBAAsB,UAC/EoN,4BAIDI,YAAc1oP,KAAKu8N,kBACpBA,UAAYv8N,KAAKooP,sBAAsBC,aAAcC,gBACrDtoP,KAAKu8N,oBAGNmsB,aAAeA,YAAYznP,QAAUjB,KAAKu8N,UAAUt7N,QAClDynP,YAAYzgO,MAAM,KAAOjoB,KAAKu8N,UAAUt0M,MAAM,IAAMygO,YAAYxgO,IAAI,KAAOloB,KAAKu8N,UAAUr0M,IAAI,eAK/F23J,oCAA6BpH,eAAez4K,KAAKu8N,uBAChDpyM,SAAW,CACfw+N,eAAgB3oP,KAAKu8N,gBAElBrkN,QAAQ,CACX/X,KAAM,wBACNgqB,SAAAA,gBAEG8T,MAAM/lB,QAAQ,mBAMrB8tO,eAAevqM,WACTz7C,KAAK4oP,uBACF3sB,YAAY/nN,oBAAoB,aAAclU,KAAK4oP,sBACnDA,gBAAkB,MAEW,SAAhC5oP,KAAKi8N,YAAY9nN,uBACdy0O,gBAAkB5oP,KAAKgmP,eAAehtO,KAAKhZ,KAAMy7C,kBACjDwgL,YAAY7nN,iBAAiB,aAAcpU,KAAK4oP,oBAGnDntM,OAAQ,OACJxE,SAAWj3C,KAAKi3C,eACjBA,SAASh2C,2BA0BVqiB,MAAMtjB,KAAKi8N,YAAYvyM,WAAa1pB,KAAKi8N,YAAYvyM,SAAWutB,SAAS/uB,IAAI+uB,SAASh2C,OAAS,UAC5Fg8N,eAAegT,YAAYh5L,SAAS/uB,IAAI+uB,SAASh2C,OAAS,WAI7DwoB,SAAWzpB,KAAKi+B,MAAMxU,eACxBC,SAAWg4N,MAAMtmE,SAAS1xJ,SAAS1pB,KAAKmsL,oBAAoBr5K,SAC5D2W,SAASxoB,OAAS,IACpByoB,SAAW3Y,KAAKC,IAAI0Y,SAAUD,SAASvB,IAAIuB,SAASxoB,OAAS,KAE3DjB,KAAKi8N,YAAYvyM,WAAaA,eAC3BuzM,eAAegT,YAAYvmN,UAQpC3K,eACO7G,QAAQ,gBACR2mN,WAAWluC,iBACXxE,oBAAoBptK,eACpBgjO,mBAAmBhjO,eACnBwkO,2BAA2BxkO,eAC3BmkO,cAAch/O,QACflE,KAAK4jP,kBACF3lN,MAAMz6B,IAAI,OAAQxD,KAAK4jP,cAE7B,QAAS,aAAa/+O,SAAQ1E,aACvB0iC,OAAS7iC,KAAK4iP,YAAYziP,MAAM0iC,WACjC,MAAM7kB,MAAM6kB,OACfA,OAAO7kB,IAAInZ,SAAQ0gK,QACbA,MAAM61E,gBACR71E,MAAM61E,eAAer8N,qBAKxB+iO,oBAAoB/iO,eACpBskO,uBAAuBtkO,eACvBk+M,eAAel+M,eACfw7M,0BAA0Bx7M,eAC1B2kO,gBACD1jP,KAAK4oP,sBACF3sB,YAAY/nN,oBAAoB,aAAclU,KAAK4oP,sBAErD3sB,YAAY/nN,oBAAoB,iBAAkBlU,KAAK+iP,4BAEvD9mB,YAAY/nN,oBAAoB,aAAclU,KAAKgjP,wBACnD/mB,YAAY/nN,oBAAoB,cAAelU,KAAKijP,yBACpDz/O,MAQPguB,cACSxxB,KAAKmsL,oBAAoB36J,KAQlC1e,eAES9S,KAAKmsL,oBAAoBr5K,SAAW9S,KAAKwlP,cAElDqD,4BACQC,mBAAqB9oP,KAAK4iP,YAAYj7E,MAAMuzE,qBAC5C6N,mBAAqB/oP,KAAK+hP,mBAAmBra,uBAG7CshB,mBAAqBF,oBAA4B9oP,KAAK8hP,oBAAoBpa,gCAE3EqhB,mBAAqBC,mBAM5B7B,4BACQr0O,MAAQ,CACZ0e,KAAMxxB,KAAK+hP,mBAAmBra,wBAA0B,GACxDlnM,MAAOxgC,KAAK8hP,oBAAoBpa,wBAA0B,IAEtD7kJ,SAAW7iF,KAAK+hP,mBAAmBpa,6BAA+B3nO,KAAK8S,QAE7EA,MAAMguB,MAAQhuB,MAAM0e,WACdy3N,eAAiB10B,kBAAkBv0N,KAAKwxB,OAAQqxD,UAChD4E,OAAS,GACTqhK,mBAAqB9oP,KAAK4iP,YAAYj7E,MAAMuzE,wBAC9CpoO,MAAM0e,KAAK0mL,WACbzwH,OAAO3mD,MAAQmoN,eAAenoN,OAAShuB,MAAM0e,KAAKq/L,YAv4hC9B,eAy4hClB/9M,MAAM0e,KAAKu+L,UACbtoI,OAAO3mD,kBAAamoN,eAAezoN,OAAS1tB,MAAM0e,KAAKo/L,YA34hCnC,eA64hClB99M,MAAM0e,KAAKymL,WAAanlM,MAAM0e,KAAKu+L,SAAWj9M,MAAM0tB,MAAMy3K,UAAY6wC,oBACxErhK,OAAOjnD,MAAQyoN,eAAezoN,OAAS1tB,MAAM0e,KAAKo/L,YAAc99M,MAAM0tB,MAAMowL,YA94hCxD,YAg5hCpB99M,MAAM0tB,MAAMiwL,OAAS39M,MAAM0e,KAAKymL,WAAanlM,MAAM0e,KAAKu+L,QAAUj9M,MAAM0e,KAAKi/L,OAAS39M,MAAM0tB,MAAMiwL,SAG/FhpI,OAAOjnD,QAAUinD,OAAO3mD,uBACtBu6M,gBAAgB,CACnBqK,kBAAmB7iK,SACnBl/E,MAAO,CACLkmB,QAAS,4CAEXqjK,0BAA2BnkK,EAAAA,UAKzBmgO,gBAAkB,CAACz4B,OAAQtpI,QAAUspI,OAAS1oI,qBAAqBZ,MAAOnnF,KAAKwiP,0BAA4Bp6J,mBAAmBjB,OAC9HgiK,kBAAoB,OACtBC,qBACH,QAAS,SAASvkP,SAAQ,SAAU1E,SAC/BsnF,OAAO5jF,eAAe1D,QAAU+oP,gBAAgBp2O,MAAM3S,MAAMswN,OAAQhpI,OAAOtnF,OAAQ,OAC/EkpP,UAAYv2O,MAAM3S,MAAMswN,OAAS,UAAY,QACnD04B,kBAAkBE,WAAaF,kBAAkBE,YAAc,GAC/DF,kBAAkBE,WAAWpnP,KAAKwlF,OAAOtnF,OAC5B,UAATA,OACFipP,iBAAmBC,eAIrBP,kBAAoBM,kBAAoBvmK,SAASl4E,WAAWg9J,MAAO,OAC/D+sD,WAAa7xI,SAASl4E,WAAWg9J,WAClCn2I,OAAOsxD,UAAUj+E,SAAQs2K,WACFA,QAAQxwK,YAAcwwK,QAAQxwK,WAAWg9J,SACzC+sD,YAAcv5C,UAAYt4F,WAClDs4F,QAAQV,aAAe1xJ,EAAAA,WAGtB82J,wCAAiC60C,0BAAiB00B,yDAAgD3hK,OAAOjnD,gBAG5Gl8B,OAAOG,KAAK0kP,mBAAmBloP,WAmB/BjB,KAAKi9N,eAAegS,4BAA8BjvO,KAAKi9N,eAAesS,gBAAiB,OACnF+Z,eAAiB,OACtB,QAAS,SAASzkP,SAAQ1E,aACnBopP,UAAYhiK,YAAYvnF,KAAKi9N,eAAex1I,OAAOtnF,OAAS,IAAI,IAAM,IAAIA,KAC1EqtO,UAAYjmJ,YAAYE,OAAOtnF,OAAS,IAAI,IAAM,IAAIA,KACxDopP,UAAY/b,UAAY+b,SAASh6O,gBAAkBi+N,SAASj+N,eAC9D+5O,eAAernP,gBAASjC,KAAKi9N,eAAex1I,OAAOtnF,uBAAcsnF,OAAOtnF,eAGxEmpP,eAAeroP,wBACZo6O,gBAAgB,CACnBqK,kBAAmB7iK,SACnBl/E,MAAO,CACLkmB,iDAA2Cy/N,eAAe72O,KAAK,WAC/Dw6K,UAAU,GAEZC,0BAA2BnkK,EAAAA,WAO1B0+D,cAzCC59D,QAAUvlB,OAAOG,KAAK0kP,mBAAmBpkP,QAAO,CAACsb,IAAKgpO,aACtDhpO,MACFA,KAAO,MAETA,eAAUgpO,kDAAyCF,kBAAkBE,WAAW52O,KAAK,YAEpF,IAAM,SACJ4oO,gBAAgB,CACnBqK,kBAAmB7iK,SACnBl/E,MAAO,CACLspL,UAAU,EACVpjK,QAAAA,SAEFqjK,0BAA2BnkK,EAAAA,KAoCjCm+N,+BAGsC,SAAhClnP,KAAKi8N,YAAY9nN,YAAyBnU,KAAKi9N,eAAegS,qCAG7DjvO,KAAK6oP,mCAGJphK,OAASznF,KAAKmnP,0BAEf1/J,mBAGAw1I,eAAekS,oBAAoB1nJ,cAClCD,YAAc,CAACC,OAAO3mD,MAAO2mD,OAAOjnD,OAAOz8B,OAAOwD,SAASkL,KAAK,UACjE+2O,6BAA6BhiK,aAMpC89J,oCACQxiK,UAAY9iF,KAAKwxB,OAAOsxD,UACxB2mK,IAAM,GAGZnlP,OAAOG,KAAKq+E,WAAWj+E,SAAQC,YACvBq2K,QAAUr4F,UAAUh+E,SAEO,IAA7B2kP,IAAIjpP,QAAQ26K,QAAQn9J,WAGxByrO,IAAIxnP,KAAKk5K,QAAQn9J,UACXypE,OAAS8sI,kBAAkBv0N,KAAKwxB,KAAM2pJ,SACtCuuE,YAAc,IAChBjiK,OAAOjnD,OAAU4nD,mBAAmBX,OAAOjnD,QAAWunD,qBAAqBN,OAAOjnD,MAAOxgC,KAAKwiP,2BAChGkH,YAAYznP,2BAAoBwlF,OAAOjnD,SAErCinD,OAAO3mD,OAAUsnD,mBAAmBX,OAAO3mD,QAAWinD,qBAAqBN,OAAO3mD,MAAO9gC,KAAKwiP,2BAChGkH,YAAYznP,2BAAoBwlF,OAAO3mD,QAErC2mD,OAAOn8E,MAAwB,mBAAhBm8E,OAAOn8E,MACxBo+O,YAAYznP,0BAAmBwlF,OAAOn8E,OAEpCo+O,YAAYzoP,SACdk6K,QAAQV,aAAe1xJ,EAAAA,OAClB82J,4BAAqB1E,QAAQn9J,gCAAuB0rO,YAAYj3O,KAAK,YAmBhF+2O,6BAA6BhiK,mBACrBiiK,IAAM,GACN3mK,UAAY9iF,KAAKwxB,OAAOsxD,UACxB2E,OAASysI,gBAAgB3sI,YAAYC,cACrCmiK,YAAct1B,WAAW5sI,QACzBmiK,aAAeniK,OAAO3mD,OAASymD,YAAYE,OAAO3mD,OAAO,IAAM,KAC/D+oN,aAAepiK,OAAOjnD,OAAS+mD,YAAYE,OAAOjnD,OAAO,IAAM,KACrEl8B,OAAOG,KAAKq+E,WAAWj+E,SAAQC,YACvBq2K,QAAUr4F,UAAUh+E,SAGO,IAA7B2kP,IAAIjpP,QAAQ26K,QAAQn9J,KAAcm9J,QAAQV,eAAiB1xJ,EAAAA,SAG/D0gO,IAAIxnP,KAAKk5K,QAAQn9J,UACX8rO,iBAAmB,GAEnBC,cAAgBx1B,kBAAkBv0N,KAAKmsL,oBAAoB36J,KAAM2pJ,SACjE6uE,kBAAoB31B,WAAW01B,kBAGhCA,cAAcvpN,OAAUupN,cAAcjpN,UAMvCkpN,oBAAsBL,aACxBG,iBAAiB7nP,4BAAqB+nP,oCAA2BL,mBAI9D3pP,KAAKi9N,eAAesS,gBAAiB,OAClC0a,oBAAsBF,cAAcjpN,OAASymD,YAAYwiK,cAAcjpN,OAAO,IAAM,KACpFopN,oBAAsBH,cAAcvpN,OAAS+mD,YAAYwiK,cAAcvpN,OAAO,IAAM,KAEtFypN,qBAAuBL,cAAgBK,oBAAoB9pP,KAAKoP,gBAAkBq6O,aAAazpP,KAAKoP,eACtGu6O,iBAAiB7nP,4BAAqBgoP,oBAAoB9pP,uBAAcypP,aAAazpP,WAGnF+pP,qBAAuBL,cAAgBK,oBAAoB/pP,KAAKoP,gBAAkBs6O,aAAa1pP,KAAKoP,eACtGu6O,iBAAiB7nP,4BAAqBioP,oBAAoB/pP,uBAAc0pP,aAAa1pP,WAGrF2pP,iBAAiB7oP,SACnBk6K,QAAQV,aAAe1xJ,EAAAA,OAClB82J,4BAAqB1E,QAAQn9J,gBAAO8rO,iBAAiBr3O,KAAK,eAIrEszO,cAAcjzO,WACR0qE,OAAS,QACPvmC,SAAWj3C,KAAKi3C,WAClBA,SAASh2C,SACXu8E,OAASvmC,SAAShvB,MAAM,IAxmJT,SAAUnV,MAAO8X,WAAO4yD,8DAAS,MAC/C1qE,MAAMquE,oBAIPr2D,IADA2xL,UAAYj/H,WAEX,IAAIx8E,EAAI,EAAGA,EAAI8R,MAAMquE,SAASlgF,OAAQD,IAAK,OACxCw+E,QAAU1sE,MAAMquE,SAASngF,MAC1B8pB,MAKHA,IAAM4nN,UAAU9nN,MAAO6xL,UAAYj9H,QAAQ91D,SAAW,IAEpDoB,IAAK,IACH,UAAW00D,QAAS,CAEtB10D,IAAIE,QAAUyxL,UACd3xL,IAAI8nN,UAAYn2B,UAChBA,WAAaj9H,QAAQ91D,SACrBoB,IAAM,iBAGJ2xL,UAAY3xL,IAAIE,QAAS,CAE3ByxL,WAAaj9H,QAAQ91D,kBAIvBoB,IAAIE,SAAWw0D,QAAQ91D,iBAEnB,WAAY81D,UACd10D,IAAM,IAAI5oB,OAAOu9B,OAAOg9K,UAAWA,UAAYj9H,QAAQ91D,SAAU81D,QAAQyE,QACzEn5D,IAAI6nN,YAAcl2B,UAGlB3xL,IAAI8nN,UAAYn2B,UAAYrzM,WAAWo2E,QAAQyE,QAC/Cr5D,MAAMe,OAAOb,MAEX,eAAgB00D,QAAS,OAIpB2qK,SAAUC,SAAW5qK,QAAQ0E,WAAW13E,MAAM,KAAKiD,IAAIrG,YAC9D0hB,IAAM,IAAI5oB,OAAOu9B,OAAOg9K,UAAWA,UAAYj9H,QAAQ91D,SAAU,IACjEoB,IAAI6nN,YAAcl2B,UAAY0tC,SAC9Br/N,IAAI8nN,UAAY9nN,IAAI6nN,YAAcyX,QAClCx/N,MAAMe,OAAOb,KAGjB2xL,WAAaj9H,QAAQ91D,UAujJrB2gO,CAAav3O,MAAO9S,KAAKyiP,cAAejlK,QAQ1Cu/I,yBACQ19L,YAAcr/B,KAAKi+B,MAAMoB,cACzBr6B,QAAUoqL,OAAOC,mBACjBj6H,KAAOg6H,OAAOI,wBACdx+K,IAAMD,KAAKC,IAAIhM,QAASoqL,OAAOE,+BAC9Bv+K,KAAKE,IAAIjM,QAAUq6B,YAAc+1B,KAAMpkD,KAQhDo1O,2BACQ/mN,YAAcr/B,KAAKi+B,MAAMoB,cACzBr6B,QAAUoqL,OAAOO,sBACjBv6H,KAAOg6H,OAAOU,2BACd9+K,IAAMD,KAAKC,IAAIhM,QAASoqL,OAAOQ,2BAC/B06D,OAASv5O,KAAKC,IAAIhM,QAASoqL,OAAOS,+CACjC9+K,KAAKE,IAAIjM,QAAUq6B,YAAc+1B,KAAMp1D,KAAKoiP,eAAiBkI,OAASt5O,KAE/Eq1O,6BACSj3D,OAAOW,uBAEhBhQ,0BAA0B9+F,YACxB43I,+BAA+B74N,KAAKm9N,kBAAmB,sBAAuBn9N,KAAKi+B,OAxrS1DssN,CAAAA,aAAC5yB,iBAC5BA,iBAD4B12I,WAE5BA,yBAEM82I,cAAgBJ,iBAAiBK,mBAClCD,2BAGCF,IAAM31N,OAAO41N,eAAiB51N,OAAOu9B,OAC3CwhD,WAAWp8E,SAAQogF,gBAEZ,MAAMngF,OAAOR,OAAOG,KAAKwgF,WAAY,IACpC2zI,oBAAoB9jN,IAAIhQ,oBAGtBgmB,IAAM,IAAI+sM,IAAI5yI,UAAUl6D,UAAWk6D,UAAUj6D,QAAS,IAC5DF,IAAI9M,GAAKinE,UAAUjnE,GACnB8M,IAAI3qB,KAAO,0BACX2qB,IAAI5lB,MAAQ,CACVJ,IAAK2zN,cAAc3zN,KACnBiQ,KAAMkwE,UAAUngF,MAEN,cAARA,KAA+B,aAARA,MACzBgmB,IAAI5lB,MAAM6P,KAAO,IAAImkB,WAAWpO,IAAI5lB,MAAM6P,KAAK7L,MAAM,iBAAiB4iC,QAExEisL,cAAcpsM,OAAOb,KAEvBm6D,UAAUq4F,uBA8pSVktE,CAAqB,CACnB7yB,iBAAkB33N,KAAKm9N,kBACvBl8I,WAAAA,aAGJorG,uBAAuBkf,aAAcxc,cAAe6oC,qBAC5CtM,gBAAkBtrN,KAAKi9N,eAAewS,YAAczvO,KAAKi9N,eAAe4H,uBAAyB7kO,KAAKi9N,eAAeyH,uBAI3H7L,+BAA+B74N,KAAKm9N,kBAAmB5xB,aAAcvrM,KAAKi+B,OAC1Ew5L,YAAY,CACVE,iBAAkB33N,KAAKm9N,kBACvBpuC,cAAAA,cACAu8B,gBAAAA,gBACAsM,cAAAA,gBAUJ4vB,kBAAkB3kK,iBACTA,SAASl4E,WAAW,eAAiBk4E,SAASl4E,WAAW+8J,gBAMlE29E,uCACQ7zN,KAAOxxB,KAAKwxB,UACbA,KAAKs0D,qBAGL,MAAMjD,YAAYrxD,KAAKsxD,eACrBygK,2BAA2BpC,oBAAoBnhP,KAAKwnP,kBAAkB3kK,gBAExE0gK,2BAA2B3E,oBAAoBptN,KAAKkI,IAAKlI,KAAKs0D,iBAE/D9lF,KAAKujP,2BAA2B1yE,sBAE7B0yE,2BAA2BlE,yBAAwB,QAIrDphN,MAAM1lB,IAAI,WAAW,UACnBgrO,2BAA2BlE,8BAOpCoL,uCACOlH,2BAA2BnC,8BAC3BmC,2BAA2BxkO,eAC3BsmO,iCAMPD,uCACO7B,2BAA2BjsO,GAAG,mBAAoBtX,KAAK0nP,0BAA0B1uO,KAAKhZ,OAC7D,CAAC,2BAA4B,8BAA+B,yBACpE6E,SAAQy7D,iBACvBijL,2BAA2BjsO,GAAGgpD,WAAWn2C,gBACvCjS,QAAQyb,WAAW,GAAIxJ,iBAGP,SAArBnqB,KAAKg9N,kBACF7wC,oBAAoB70K,GAAG,kBAAkB,WACtCka,KAAOxxB,KAAKwxB,QAEOxxB,KAAKujP,2BAA2BjC,iBAAiB9vN,KAAKkI,IAAKlI,KAAKs0D,kBAC/D,YAClB4kK,kBAAoB1qP,KAAKujP,2BAA2B9B,uBACpDkJ,YAAc,OACf,MAAM9nK,YAAYrxD,KAAKsxD,UAAW,OAC/B4kF,gBAAkB7kF,SAASl4E,WAAW+8J,mBACxCA,kBACFijF,YAAY1oP,KAAKylK,kBACZgjF,kBAAkB51O,IAAI4yJ,yBAClB,UAKRijF,YAAY1pP,SAAUypP,kBAAkBpwO,OAKvBswO,UACjBH,qCASb/C,kCACQ3J,eAAiB/9O,KAAKujP,2BAA2BjD,iBAClDvC,2BAGA8M,6BAEC/nK,UADO9iF,KAAKwxB,OACKsxD,UACjB2mK,IAAM,IAAIlrO,QACZusO,oBAAqB,EACzBxmP,OAAOG,KAAKq+E,WAAWj+E,SAAQC,YACvBq2K,QAAUr4F,UAAUh+E,KACpBo6O,UAAYl/O,KAAKwnP,kBAAkBrsE,SACnC4vE,mBAAqB7L,WAAanB,iBAAmBmB,UACjC/jE,QAAQV,eAAiB1xJ,EAAAA,GAA2C,qBAA/BoyJ,QAAQ0qE,qBAC7CkF,4BACjB5vE,QAAQV,oBACRU,QAAQ0qE,mBACfiF,oBAAqB,SAEjBE,gBAAkB7vE,QAAQV,cAAgBU,QAAQV,eAAiB1xJ,EAAAA,GAClD0gO,IAAI30O,IAAIqmK,QAAQn9J,KAAO+sO,oBAAsBC,iBAIpEvB,IAAIp9O,IAAI8uK,QAAQn9J,IAChBm9J,QAAQV,aAAe1xJ,EAAAA,EACvBoyJ,QAAQ0qE,mBAAqB,wBAExBhmE,4BAAqB1E,QAAQn9J,mBAAUm9J,QAAQ0qE,yBAEA,SAAlD7lP,KAAKujP,2BAA2BnF,eAClC95O,OAAOG,KAAKzE,KAAK4iP,aAAa/9O,SAAQC,YAC9B3E,KAAOH,KAAK4iP,YAAY99O,QAC1B3E,KAAK+6O,qBAAsB,OACvBiL,gBAAkBhmP,KAAK+6O,qBAAqB/4D,OAE9CgkE,iBAAmBA,gBAAgBx7O,WAAW+8J,kBAAoBq2E,iBACpE+M,oBAAqB,OAKzBA,yBACGG,wBAcTJ,6BAEQ/nK,UADO9iF,KAAKwxB,OACKsxD,UACjBy7J,qBAAuBv+O,KAAKujP,2BAA2BhF,qBACvDC,kBAAoBx+O,KAAKujP,2BAA2B/E,qBACxCD,sBAAwBA,qBAAqBjkO,MAAQkkO,mBAAqBA,kBAAkBlkO,UAIzG,MAAO0D,GAAIgjD,SAAUu9K,qBAAqB7/B,UAAW,CACvC8/B,kBAAkBn4O,IAAI2X,WAGhCmuK,oBAAoBjJ,oBAAoBliH,YACxCuiL,2BAA2BlC,eAAerjO,SAG9C,MAAOA,GAAIgjD,SAAUw9K,kBAAkB9/B,UAAW,OAC/CwsC,SAAW3M,qBAAqBl4O,IAAI2X,OAErCktO,SAWDlrP,KAAKmrP,oBAAoBD,SAAUlqL,cAKlCmrH,oBAAoBjJ,oBAAoBliH,OAAO,QAC/CuiL,2BAA2BpC,oBAAoBnjO,UAhBzB8kE,UAAU/+E,QAAOqmC,GACjCA,EAAEz/B,WAAW,gBAAkBq2D,MAAM,aAE7Bn8D,SAAQulC,SAClB+hJ,oBAAoBlI,gBAAgBjjH,MAAO52B,WAE7Cm5M,2BAA2BpC,oBAAoBnjO,UAanDulO,2BAA2BhF,qBAAuB,IAAInkO,IAAIqgB,KAAKC,MAAMD,KAAKsB,UAAU,IAAIyiN,uBAU/F2M,oBAAoBzmN,EAAG77B,MACjB67B,EAAE,aAAe77B,EAAE,YAAc67B,EAAE2+I,KAAOx6K,EAAEw6K,IAAM3+I,EAAE,mBAAmBggJ,OAAS77K,EAAE,mBAAmB67K,YAChG,QAEH0mE,QAAU1mN,EAAE,mBAAmBigJ,OAC/B0mE,QAAUxiP,EAAE,mBAAmB87K,WAGhC,MAAMv6I,KAAKghN,WACVA,QAAQhhN,KAAOihN,QAAQjhN,UAClB,MAGN,MAAMA,KAAKihN,WACVD,QAAQhhN,KAAOihN,QAAQjhN,UAClB,SAGJ,EAOT6gN,8BACQ3G,aAAetkP,KAAKi9O,sBACrB0F,eAEiD,SAAlD3iP,KAAKujP,2BAA2BnF,oBAC7BuG,0CAEFH,aAAaF,aAAc,oBAQlCgH,wCACOtrP,KAAKmsL,sBAAwBnsL,KAAKmsL,oBAAoB36J,gBAGvD+5N,wBAA0B,OAEzBp/D,oBAAoB36J,KAAKsxD,UAAUj+E,SAAQg+E,iBACxC2oK,SAAWxrP,KAAKmsL,oBAAoBtH,YAAYhiG,UAEjD2oK,UAAaA,SAASlxO,MAG3BkxO,SAAS3mP,SAAQC,YAET2mP,mBAAqBzrP,KAAKkjP,cAAcpuO,IAAIhQ,MADnC,WAC2C9E,KAAKkjP,cAAc78O,IAAIvB,KAC3E4mP,mBAVS,eAUY7oK,SAASgjK,oBAAqChjK,SAAS43F,eAAiB1xJ,EAAAA,EAC9F0iO,mBASMA,oBAAsBC,4BACxB7oK,SAAS43F,oBACT53F,SAASgjK,wBACXhmE,oCAA6Bh9F,SAAS7kE,8BAAqBlZ,mBAfnD,aAKT+9E,SAAS43F,eAAiB1xJ,EAAAA,GAbjB,eAa6B85D,SAASgjK,qBACjDhjK,SAAS43F,aAAe1xJ,EAAAA,EACxB85D,SAASgjK,mBAfE,kBAgBNhmE,qCAA8Bh9F,SAAS7kE,kCAAyBlZ,4DAR1D,YAWbymP,iCASFA,yBAA2BvrP,KAAKmsL,oBAAoB36J,KAAKsxD,UAAU7hF,aAChEkrL,oBAAoB36J,KAAKsxD,UAAUj+E,SAAQg+E,iBACxC8oK,QAAU9oK,UAAYA,SAASl4E,YAAck4E,SAASl4E,WAAW6zE,YAAcqE,SAASl4E,WAAW6zE,WAAWnwE,OAAS,IACvHu9O,wBAA0B/oK,SAAS43F,eAAiB1xJ,EAAAA,GA/B3C,eA+BuD85D,SAASgjK,mBAC3E8F,SAAWC,iCAEN/oK,SAAS43F,aAChB16K,QAAQuB,IAAIoC,wCAAiCm/E,SAAS7kE,0DAnCzC,8BA+CrB6tO,cAAcnpK,MAAOx4D,cAGb4hO,sBAF4B,iBAAVppK,MACUA,MAj9KZ52C,CAAAA,eAClBigN,YAAc,IAAI7yN,WAAW4S,eAC5BxpC,MAAMoa,KAAKqvO,aAAat8O,KAAI+5E,MAAQA,KAAKhlF,SAAS,IAAIwnP,SAAS,EAAG,OAAMv5O,KAAK,KA+8KxCw5O,CAAkBvpK,QAChBjiF,MAAM,EAAG,IAAI8O,mBACpDswK,6BAAsB31J,gCAAuB4hO,yDAC7C5I,cAAcn9O,IAAI+lP,qBAAsB5hO,QAS/CgiO,0BAA0BxpK,MAAOx4D,aAC1B2hO,cAAcnpK,MAAOx4D,QACrBlqB,KAAK2lP,6CACHwG,2CAGFhgE,oBAAoB3oL,IAAI,iBAAkBxD,KAAKmsP,oCAAoCnzO,KAAKhZ,YACxFmsL,oBAAoB70K,GAAG,iBAAkBtX,KAAKmsP,oCAAoCnzO,KAAKhZ,OAE9FmsP,2CACOb,yCACApO,4BAgEHkP,eACJ/mP,YAAYgnP,WAAYxpK,SAAU7kE,UAE9Bs5M,oBAAqB0lB,IACnBqP,WACEC,sBAAwBtP,GAAGE,mBAAmBlkO,KAAKgkO,OAErDn6J,SAASl4E,WAAY,OACjBgzE,WAAakF,SAASl4E,WAAW6zE,gBAClCjwE,MAAQovE,YAAcA,WAAWpvE,WACjCF,OAASsvE,YAAcA,WAAWtvE,YAClC4sE,UAAY4H,SAASl4E,WAAW8zE,eAChCvD,UAAY2H,SAASl4E,WAAW,cA3DpB,IAACs9O,OAAQsE,WAAYC,sBA6DnC/kK,OAAS8sI,kBAAkByoB,GAAGxrN,OAAQqxD,eACtCA,SAAWA,cAGX7kE,GAAKA,QAGLkG,SApEe+jO,OAoEUoE,WAAWvpK,UApEbypK,WAoEwB1pK,SAAS7kE,GApErBwuO,iBAoEyBF,sBApEJloP,eACzDy+E,SAAWolK,OAAOz2N,KAAKsxD,UAAUypK,YACjCE,aAAe/xE,eAAe73F,UAC9B6pK,iBAAmB/xE,UAAU93F,kBACb,IAAXz+E,cACFsoP,iBAELtoP,cACKy+E,SAAS1tE,SAEhB0tE,SAAS1tE,UAAW,QAEhBgV,SAAW,CACfu6N,cAAe,CACb1mO,GAAIuuO,WACJtxK,UAAW4H,SAASl4E,WAAW8zE,UAC/Bd,WAAYkF,SAASl4E,WAAW6zE,WAChCiJ,OAAQ5E,SAASl4E,WAAW88J,QAE9BlvI,MAAO,uBAELn0B,SAAWsoP,kBAAqBD,eAE9BroP,QAEFooP,iBAAiB3pK,UACjBolK,OAAO/vO,QAAQ,CACb/X,KAAM,mBACNgqB,SAAAA,YAGF89N,OAAO/vO,QAAQ,CACb/X,KAAM,oBACNgqB,SAAAA,YAIC/lB,gBAgEHuoP,kBAAoB,CAAC,UAAW,SAAU,QAAS,UAAW,eAK9DC,wBAAwB7sP,QAAQ65E,YAOpCv0E,YAAYc,sBAELmxN,oBAAsBnxN,QAAQ0vN,wBAC9B53L,MAAQ93B,QAAQ+kB,UAChB+rB,SAAW9wC,QAAQ8wC,cACnB41M,iCAAmC1mP,QAAQ0mP,sCAC3CC,uBAAyB3mP,QAAQ2mP,4BACjCh6O,MAAQ3M,QAAQ2M,WAChBi6O,cAAgB,QAChBC,mBAAqB,OACrBC,iBAAmB,UACnBC,yBAA2B,UAC3BrtE,QAAU1H,OAAO,wBACjB0H,QAAQ,oBACPstE,YAAc,IAAMntP,KAAKotP,sBACzBC,eAAiB,IAAMrtP,KAAKotP,sBAC5BE,eAAiB,IAAMttP,KAAKutP,eAC5BC,mBAAqB,IAAMxtP,KAAKytP,mBAChCzQ,GAAKh9O,KAAKs3N,oBACVo2B,YAAc,CAAC,OAAQ,WAAY,SACnCC,aAAe,GACrBD,YAAY7oP,SAAQ1E,OAClBwtP,aAAaxtP,MAAQ,CACnBg1B,MAAO,IAAMn1B,KAAK4tP,uBAAuBztP,MACzC0tP,UAAW,IAAM7tP,KAAK8tP,uBAAuB3tP,OAE/C68O,aAAM78O,wBAAsBmX,GAAG,cAAeq2O,aAAaxtP,MAAM0tP,WAIjE7Q,aAAM78O,wBAAsBmX,GAAG,iBAAkBq2O,aAAaxtP,MAAMg1B,YAK/D8I,MAAM3mB,GAAG,CAAC,SAAU,WAAYq2O,aAAaxtP,MAAMg1B,gBAWpD44N,mBAAqB3tP,MACxB,OAAQ,SAASyE,SAAQ1E,OACxB68O,aAAM78O,wBAAsBC,IAAI,WAAYJ,KAAKguP,8BAGhDA,oBAAsB,KACrBhuP,KAAKiuP,wBACFjB,mBAAqB,OACrBC,iBAAmBjtP,KAAKi+B,MAAMoB,cACnC0uN,mBAAmB,cAGlBG,yBAA2B,IAAMH,mBAAmB,YACpDI,oBAAsB,UACpBD,2BACLH,mBAAmB,YAEhB9vN,MAAM3mB,GAAG,SAAUtX,KAAKkuP,+BACxBjwN,MAAM3mB,GAAG,UAAWtX,KAAKmuP,0BACzBlwN,MAAM3mB,GAAG,UAAWg2O,qBACpBrvN,MAAM3mB,GAAGq1O,kBAAmBa,yBAC5BvvN,MAAM3mB,GAAG,UAAW+1O,qBAYpBpvN,MAAM1lB,IAAI,OAAQ40O,kBAElBpuO,QAAU,UACRmvO,gCACAruE,QAAQ,gBACR5hJ,MAAMz6B,IAAI,UAAW8pP,qBACrBrvN,MAAMz6B,IAAImpP,kBAAmBa,yBAC7BvvN,MAAMz6B,IAAI,UAAW6pP,qBACrBpvN,MAAMz6B,IAAI,OAAQ2pP,kBAClBlvN,MAAMz6B,IAAI,UAAWxD,KAAKmuP,0BAC1BlwN,MAAMz6B,IAAI,SAAUxD,KAAKkuP,0BAC9BR,YAAY7oP,SAAQ1E,OAClB68O,aAAM78O,wBAAsBqD,IAAI,cAAemqP,aAAaxtP,MAAM0tP,WAClE7Q,aAAM78O,wBAAsBqD,IAAI,iBAAkBmqP,aAAaxtP,MAAMg1B,YAChE8I,MAAMz6B,IAAI,CAAC,SAAU,WAAYmqP,aAAaxtP,MAAMg1B,UAEvDn1B,KAAKktP,0BACPhrP,OAAOuX,aAAazZ,KAAKktP,+BAEtBO,oBASTL,2BACOgB,oBACDpuP,KAAKktP,0BACPhrP,OAAOuX,aAAazZ,KAAKktP,+BAGtBA,yBAA2BhrP,OAAO8R,WAAWhU,KAAKotP,oBAAoBp0O,KAAKhZ,MAAO,KAazF4tP,uBAAuBztP,YACf8nP,OAASjoP,KAAKs3N,8BAAuBn3N,wBACvCH,eAAQG,2BAA2B,QAChC0/K,gEAAyD1/K,gCAExDA,2BAA2B,iBAC3BA,mBAAmB8nP,OAAOlnB,YAapC+sB,uBAAuB3tP,YACf68O,GAAKh9O,KAAKs3N,oBACV2wB,OAASjL,aAAM78O,wBACfspB,SAAWw+N,OAAOlnB,YAClBstB,oBApnyBe,SAAU3pN,EAAG77B,MAEhC67B,IAAM77B,SACD,MAGJ67B,GAAK77B,IAAMA,GAAK67B,SACZ,KAGLA,EAAEzjC,SAAW4H,EAAE5H,cACV,MAGJ,IAAID,EAAI,EAAGA,EAAI0jC,EAAEzjC,OAAQD,OACxB0jC,EAAEzc,MAAMjnB,KAAO6H,EAAEof,MAAMjnB,IAAM0jC,EAAExc,IAAIlnB,KAAO6H,EAAEqf,IAAIlnB,UAC3C,SAKJ,EA+lyBuBstP,CAAiBtuP,eAAQG,mBAAkBspB,4BAC/DtpB,mBAAmBspB,SAIvB4kO,oBAAqB,OACjBlkO,SAAW,CACfokO,eAAgB9kO,iBAElBuzN,GAAG9kO,QAAQ,CACT/X,KAAM,wBACNgqB,SAAAA,qBAEGyjO,uBAAuBztP,qBAGtBA,kCACH0/K,yBAAkB7/K,eAAQG,uCAA4BA,0EAAyE,CAClIgkL,WAAY8jE,OAAOzmB,WAAaymB,OAAOzmB,UAAUxjN,GACjDyL,SAAUkvJ,kBAAkBlvJ,YAG1BzpB,eAAQG,2BAA2B,UAGlC0/K,kBAAW1/K,iDACXytP,uBAAuBztP,WACvB89B,MAAM/lB,QAAQ,CACjB/X,KAAM,QACNkB,mBAAalB,8BAEF,aAATA,MAKJ68O,GAAG3B,gBAAgB,CACjB13O,MAAO,CACLkmB,4BAAsB1pB,wCAExB+sL,0BAA2BnkK,EAAAA,KAW/BqlO,uBACMpuP,KAAKi+B,MAAMjR,UAAYhtB,KAAKi+B,MAAMktC,uBAGhC9rC,YAAcr/B,KAAKi+B,MAAMoB,cACzB5V,SAAWzpB,KAAKi+B,MAAMxU,cACxBzpB,KAAKitP,mBAAqB5tN,eAAiB5V,SAASxoB,QAAUo+B,YAp3yB9Ck5I,IAo3yB+E9uJ,SAASvB,IAAIuB,SAASxoB,OAAS,WAMzHjB,KAAKutP,kBAEVvtP,KAAKgtP,oBAAsB,GAAK3tN,cAAgBr/B,KAAKitP,sBAClDD,0BACAwB,gBACA,GAAInvN,cAAgBr/B,KAAKitP,sBACzBD,yBACA,MACAD,cAAc9qP,KAAKqnB,iBAAiB,CAACtpB,KAAKitP,iBAAkB5tN,qBAC3DlV,SAAW,CACfskO,aAAczuP,KAAK+sP,oBAEhBz1B,oBAAoBp/M,QAAQ,CAC/B/X,KAAM,sBACNgqB,SAAAA,gBAEG6iO,mBAAqB,OACrBC,iBAAmB5tN,aAS5BouN,wBACOT,mBAAqB,EAS5BiB,qBACkBjuP,KAAKi+B,MAAMktC,iBAElB,QAMHl0B,SAAWj3C,KAAKi3C,WAChB5X,YAAcr/B,KAAKi+B,MAAMoB,kBAE3BwpJ,UADyB7oL,KAAK0uP,qBAAqBz3M,SAAU5X,YAAar/B,KAAK8S,QAAS9S,KAAK6sP,kCAEvE,CAGxBhkE,OAFoB5xI,SAAS/uB,IAAI+uB,SAASh2C,OAAS,MAIjDjB,KAAK2uP,sBAAsB13M,SAAU5X,aAAc,OAC/CmrB,cAAgBvT,SAAShvB,MAAM,GAGrC4gK,OAASr+H,eAGTA,gBAAkBvT,SAAS/uB,IAAI,GAAK,EAv7yBlBqwJ,YAy7yBE,IAAXsQ,mBACJhJ,QAAQ,qDAA8CxgJ,+CAAwCo5I,eAAexhI,qCAA8B4xI,kBAC3I5qJ,MAAMwU,eAAeo2I,SACnB,QAEHq0C,cAAgBl9N,KAAKs3N,oBAAoB2F,eACzCxzM,SAAWzpB,KAAKi+B,MAAMxU,WACtBy3M,cAAgBhE,cAAcyS,YAAczS,cAAcgE,gBAAkB,KAC5ED,cAAgB/D,cAAcuS,YAAcvS,cAAc+D,gBAAkB,KAC5EnuN,MAAQ9S,KAAK8S,QAGb87O,oBAAsB97O,MAAMitE,mBAAqBjtE,MAAMitE,mBAAkE,GAA5CjtE,MAAMgtE,eA38yBnE,oBA88yBhB+uK,gBAAkB,CAAC3tB,cAAeD,mBACnC,IAAIjgO,EAAI,EAAGA,EAAI6tP,gBAAgB5tP,OAAQD,IAAK,KAE1C6tP,gBAAgB7tP,eAGH83K,YAAY+1E,gBAAgB7tP,GAAIq+B,aAGlCuvN,2BACP,QAGLE,UAAYt2E,cAAc/uJ,SAAU4V,oBAGjB,IAArByvN,UAAU7tP,SAGd4nL,OAASimE,UAAU7mO,MAAM,GA39yBLswJ,QA49yBfsH,QAAQ,kCAA2BivE,UAAU7mO,MAAM,4CAAqCoX,qCAA4BwpJ,kBACpH5qJ,MAAMwU,eAAeo2I,SACnB,GAQT2lE,cACMxuP,KAAKutP,4BAIHluN,YAAcr/B,KAAKi+B,MAAMoB,cACzB5V,SAAWzpB,KAAKi+B,MAAMxU,WACtBmd,aAAe0xI,UAAU7uJ,SAAU4V,oBASrCuH,aAAa3lC,QAAUo+B,YAAc,GAAKuH,aAAa1e,IAAI,SACxDulO,wBACAxvN,MAAMwU,eAAepT,kBACrBwgJ,QAAQ,qBAAcxgJ,2DAAoDuH,aAAa3e,MAAM,kBAAS2e,aAAa1e,IAAI,+BAA+B,sDAEtJ+V,MAAM/lB,QAAQ,CACjB/X,KAAM,QACNkB,KAAM,gCAcZksP,qBACQt2M,SAAWj3C,KAAKi3C,WAChB5X,YAAcr/B,KAAKi+B,MAAMoB,iBAC3Br/B,KAAKi+B,MAAMktC,iBAEN,KAELnrE,KAAK2uP,sBAAsB13M,SAAU5X,aAAc,OAC/C0vN,UAAY93M,SAAS/uB,IAAI+uB,SAASh2C,OAAS,eAC5C4+K,QAAQ,0CAAmCxgJ,iEAA0D0vN,iBACrGtB,wBACAxvN,MAAMwU,eAAes8M,gBAErB9wN,MAAM/lB,QAAQ,CACjB/X,KAAM,QACNkB,KAAM,qBAED,QAEH67N,cAAgBl9N,KAAKi+B,MAAMs1C,IAAI+jJ,oBAAoB2F,eACnDxzM,SAAWzpB,KAAKi+B,MAAMxU,cACLzpB,KAAKgvP,gBAAgB,CAC1C9tB,cAAehE,cAAcgE,gBAC7BD,cAAe/D,cAAc+D,gBAC7B5hM,YAAAA,0BAOKouN,wBACAxvN,MAAMwU,eAAepT,kBAErBpB,MAAM/lB,QAAQ,CACjB/X,KAAM,QACNkB,KAAM,yBAED,QAEHytP,UAAYt2E,cAAc/uJ,SAAU4V,oBAEtCyvN,UAAU7tP,OAAS,SAChB4+K,6BAAsBxgJ,uCAA8ByvN,UAAU7mO,MAAM,UACpEwlO,wBACAwB,YAAY5vN,cACV,GAKXqvN,qBAAqBz3M,SAAU5X,YAAawjD,cAAUgqK,6FAC/C51M,SAASh2C,cAEL,MAELiuP,WAAaj4M,SAAS/uB,IAAI+uB,SAASh2C,OAAS,GAnkzB5Bs3K,SAokzBd98H,QAAUonC,SAASZ,QACnBktK,QAAiD,iBAAhCtsK,SAAS9C,0BAC5BtkC,SAAW0zM,SAAWtC,oCACxBqC,WAAaj4M,SAAS/uB,IAAI+uB,SAASh2C,OAAS,GAA+B,EAA1B4hF,SAAS/C,gBAExDzgD,YAAc6vN,WAKpBP,sBAAsB13M,SAAU5X,sBAC1B4X,SAASh2C,QAEbg2C,SAAShvB,MAAM,GAAK,GAAKoX,YAAc4X,SAAShvB,MAAM,GAAKjoB,KAAK8sP,wBAKlEkC,4BASM7yI,KATU8kH,cACdA,cADcC,cAEdA,cAFc7hM,YAGdA,uBAGK4hM,kBAKDA,cAAchgO,QAAUigO,cAAcjgO,OAAQ,OAI1CmuP,eAAiB92E,UAAU2oD,cAAe5hM,YAAc,GACxDgwN,WAAa/2E,UAAU2oD,cAAe5hM,aACtCiwN,WAAah3E,UAAU4oD,cAAe7hM,aACxCiwN,WAAWruP,SAAWouP,WAAWpuP,QAAUmuP,eAAenuP,SAC5Dk7G,IAAM,CACJl0F,MAAOmnO,eAAelnO,IAAI,GAC1BA,IAAKonO,WAAWpnO,IAAI,SAGnB,CACaswJ,cAAcyoD,cAAe5hM,aAGhCp+B,SACbk7G,IAAMn8G,KAAKuvP,uBAAuBtuB,cAAe5hM,sBAGjD88E,WACG0jE,QAAQ,0CAAmC1jE,IAAIl0F,qBAAYk0F,IAAIj0F,4CAAqCmX,eAClG,IAWX4vN,YAAYO,4BACJ/lO,SAAWzpB,KAAKi+B,MAAMxU,WACtB4V,YAAcr/B,KAAKi+B,MAAMoB,cACzByvN,UAAYt2E,cAAc/uJ,SAAU4V,qBACrCouN,mBACoB,IAArBqB,UAAU7tP,QAAgBo+B,cAAgBmwN,iCAGzC3vE,QAAQ,eAAgB,eAAgBxgJ,YAAa,yBAA0BmwN,qBAAsB,mBAAoBV,UAAU7mO,MAAM,SAEzIgW,MAAMwU,eAAeq8M,UAAU7mO,MAAM,GAnpzBpB,0BAopzBhBkC,SAAW,CACfslO,QAAS,CACP/yO,KAAM2iB,YACN1iB,GAAImyO,UAAU7mO,MAAM,UAGnBqvM,oBAAoBp/M,QAAQ,CAC/B/X,KAAM,YACNgqB,SAAAA,gBAEG8T,MAAM/lB,QAAQ,CACjB/X,KAAM,QACNkB,KAAM,iBAGVkuP,uBAAuB9lO,SAAU4V,mBAuBzBqwN,KApozBO,SAAUjmO,aACrBA,SAASxoB,OAAS,SACbqoB,yBAEH3B,OAAS,OACV,IAAI3mB,EAAI,EAAGA,EAAIyoB,SAASxoB,OAAQD,IAAK,OAClCinB,MAAQwB,SAASvB,IAAIlnB,EAAI,GACzBknB,IAAMuB,SAASxB,MAAMjnB,GAC3B2mB,OAAO1lB,KAAK,CAACgmB,MAAOC,aAEfoB,iBAAiB3B,QA0nzBTgoO,CAASlmO,cACjB,IAAIzoB,EAAI,EAAGA,EAAI0uP,KAAKzuP,OAAQD,IAAK,OAC9BinB,MAAQynO,KAAKznO,MAAMjnB,GACnBknB,IAAMwnO,KAAKxnO,IAAIlnB,MAEjBq+B,YAAcpX,MAAQ,GAAKoX,YAAcpX,MAAQ,QAC5C,CACLA,MAAAA,MACAC,IAAAA,YAIC,YAGL0nO,eAAiB,CACrBC,cAAe,GACfC,UAAU17N,aAKDA,KAJMp0B,KAAKkrB,KAAK,CACrB6kO,0BAA0B,IAEL/5M,gBAAkBh2C,KAAKwtE,mBAY5CqO,WAAa,SAAUhoE,OAAQ1N,aAC/B6pP,WAAa,EACbnnE,OAAS,QACPonE,aAAevpP,MAAMkpP,eAAgBzpP,SAC3C0N,OAAO4J,OAAM,KACX5J,OAAOqE,QAAQ,CACb/X,KAAM,QACNkB,KAAM,0CAUJ6uP,sBAAwB,WACxBrnE,QACFh1K,OAAOwrB,YAAYwpJ,SAUjB/yI,UAAY,SAAUu3B,WACtBA,MAAAA,YAGJw7G,OAASh1K,OAAO6V,aAAeX,EAAAA,GAAYlV,OAAOwrB,eAAiB,EACnExrB,OAAO0E,IAAI,iBAAkB23O,uBAC7Br8O,OAAO0X,IAAI8hD,WACXx5D,OAAOqE,QAAQ,CACb/X,KAAM,QACNkB,KAAM,qBAERwS,OAAO6J,SASH6yD,aAAe,cAGfqO,KAAKxlE,MAAQ42O,WAA0C,IAA7BC,aAAaJ,cACzCh8O,OAAOqE,QAAQ,CACb/X,KAAM,QACNkB,KAAM,sCAIL4uP,aAAaH,WAA+C,mBAA3BG,aAAaH,iBAInDE,WAAapxK,KAAKxlE,MACX62O,aAAaH,UAAU1qP,KAAKyO,OAAQiiC,WAJzC/1C,QAAQuB,IAAIqC,MAAM,2EAYhBwsP,cAAgB,WACpBt8O,OAAOrQ,IAAI,iBAAkB0sP,uBAC7Br8O,OAAOrQ,IAAI,QAAS+sE,cACpB18D,OAAOrQ,IAAI,UAAW2sP,gBAaxBt8O,OAAOyD,GAAG,QAASi5D,cACnB18D,OAAOyD,GAAG,UAAW64O,eAGrBt8O,OAAOu8O,oBARc,SAAUrqE,YAC7BoqE,gBACAt0K,WAAWhoE,OAAQkyK,cAejBqqE,oBAAsB,SAAUjqP,SACpC01E,WAAW77E,KAAMmG,gBAObs/K,IAAM,CACV7F,eAAAA,eACAxE,SAAAA,SACAgM,MAAAA,MACAipE,2BAA4Br5B,sBAC5Bs5B,0BA/jV6C,iBAGvCxtK,UAAY9iF,KAAK8iF,UAAUtxD,KAAKsxD,UAAU/+E,OAAOq3K,SAAST,WAEhEw6C,WAAWryI,WAAW,CAACp+C,EAAG77B,IAAM0sN,yBAAyB7wL,EAAG77B,YAMjCi6E,UAAU/+E,QAAO8+E,YAAc0xI,kBAAkBv0N,KAAK8iF,UAAUtxD,KAAMqxD,UAAU/hD,QACjF,IAAM,MAojVhCk2L,sBAAAA,sBACAu5B,+BAlrVqC,SAAUC,WAC3CC,SAAW,EACXC,qBAAuB,KACvBF,MAAQ,GAAKA,MAAQ,QACjB,IAAI1sP,MAAM,kEAEX,eACDmzN,WAAaj3N,KAAKk3N,qBAAsBh1N,OAAOi1N,kBAAwB,SACtE7zM,MAAMtjB,KAAKo3N,oBACdH,WAAaj3N,KAAKo3N,kBAEhBq5B,QAAU,IACZA,QAAUzwP,KAAKq3N,gBACfq5B,oBAAsB1wP,KAAKq3N,iBAOzBr3N,KAAKq3N,gBAAkB,GAAKr3N,KAAKq3N,kBAAoBq5B,sBACvDD,QAAUD,MAAQxwP,KAAKq3N,iBAAmB,EAAIm5B,OAASC,QACvDC,oBAAsB1wP,KAAKq3N,iBAEtB3B,eAAe11N,KAAK8iF,UAAUtxD,KAAMi/N,QAASttO,SAAS8xM,qBAAqBj1N,KAAKi+B,MAAMpzB,KAAM,SAAU,IAAMosN,WAAY9zM,SAAS8xM,qBAAqBj1N,KAAKi+B,MAAMpzB,KAAM,UAAW,IAAMosN,WAAYj3N,KAAK41N,iCAAkC51N,KAAKs3N,uBA2pVzP/B,yBAAAA,yBACAo7B,0BAl4VgC,SAAUjiP,KAAMkV,WAC5CgtO,UACAC,kBACAniP,KAAK/D,WAAW6zE,YAAc9vE,KAAK/D,WAAW6zE,WAAWjwE,QAC3DqiP,UAAYliP,KAAK/D,WAAW6zE,WAAWjwE,OAEzCqiP,UAAYA,WAAa1uP,OAAOwN,OAAOqrK,UACnCn3J,MAAMjZ,WAAW6zE,YAAc56D,MAAMjZ,WAAW6zE,WAAWjwE,QAC7DsiP,WAAajtO,MAAMjZ,WAAW6zE,WAAWjwE,OAE3CsiP,WAAaA,YAAc3uP,OAAOwN,OAAOqrK,UAGrC61E,YAAcC,YAAcniP,KAAK/D,WAAW8zE,WAAa76D,MAAMjZ,WAAW8zE,UACrE/vE,KAAK/D,WAAW8zE,UAAY76D,MAAMjZ,WAAW8zE,UAE/CmyK,UAAYC,YAm3VnB32N,IAAKorJ,cAGPhhL,OAAOG,KAAK2qL,QAAQvqL,SAAQiN,OAC1BxN,OAAO0B,eAAey/K,IAAK3zK,KAAM,CAC/BzL,IAAG,KACDtG,QAAQuB,IAAIoC,yBAAkBoO,wDACvBs9K,OAAOt9K,OAEhB/L,IAAIb,OACFnF,QAAQuB,IAAIoC,yBAAkBoO,wDACT,iBAAV5M,OAAsBA,MAAQ,EACvCnF,QAAQuB,IAAIoC,4BAAqBoO,6CAGnCs9K,OAAOt9K,MAAQ5M,kBAaf4rP,qBAAuB,SAAU/0K,cAAeq/J,sBAC9CzZ,YAAcyZ,eAAetoO,YAC/BsmD,eAAiB,MAChB,IAAIp4D,EAAI,EAAGA,EAAI+6E,cAAc96E,OAAQD,OACpC+6E,cAAc/6E,GAAGgd,KAAO2jN,YAAY3jN,GAAI,CAC1Co7C,cAAgBp4D,QAIpB+6E,cAAcV,eAAiBjiB,cAC/B2iB,cAAc7jE,QAAQ,CACpBkhD,cAAAA,cACAj5D,KAAM,YAmBVslL,IAAI9wI,cAAgB,kBACX50C,QAAQuB,IAAIoC,KAAK,kFA+GpBqtP,0BAA4BC,aAACn9O,OACjCA,OADiCo9O,iBAEjCA,iBAFiCC,WAGjCA,WAHiCC,cAIjCA,0BAEKt9O,OAAOu9O,IAAIC,2BACPz9M,QAAQy7B,gBAWXiiL,qBA/D4B,EAACxuK,UAAWyuK,aACvCzuK,UAAU/9E,QAAO,CAACysP,cAAe3uK,gBACjCA,SAASN,yBACLivK,oBAEHC,kBAAoBF,WAAWxsP,QAAO,CAAC2sP,cAAe7hF,mBACpD8hF,iBAAmB9uK,SAASN,kBAAkBstF,kBAChD8hF,kBAAoBA,iBAAiBhvK,OACvC+uK,cAAc7hF,WAAa,CACzBltF,KAAMgvK,iBAAiBhvK,OAGpB+uK,gBACN,WACCptP,OAAOG,KAAKgtP,mBAAmBxwP,QACjCuwP,cAAcvvP,KAAKwvP,mBAEdD,gBACN,IA6C0BI,CADXV,WAAaC,cAAc9wP,OAAO,CAAC6wP,aAAeC,cACA7sP,OAAOG,KAAKwsP,mBAC1EY,+BAAiC,GACjCC,0BAA4B,UAMlCR,qBAAqBzsP,SAAQ4sP,oBAC3BK,0BAA0B7vP,KAAK,IAAI2xC,SAAQ,CAACy7B,QAASx7B,UACnDhgC,OAAOoqB,MAAM1lB,IAAI,oBAAqB82D,aAExCwiL,+BAA+B5vP,KAAK,IAAI2xC,SAAQ,CAACy7B,QAASx7B,UACxDhgC,OAAOu9O,IAAIC,oBAAoB,CAC7BE,WAAYE,oBACXt5N,MACGA,IACF0b,OAAO1b,KAGTk3C,oBAUCz7B,QAAQu/F,KAAK,CAIpBv/F,QAAQrwC,IAAIsuP,gCAEZj+M,QAAQu/F,KAAK2+G,8BAoBTC,gBAAkBC,aAACn+O,OACvBA,OADuBo9O,iBAEvBA,iBAFuBn+O,MAGvBA,MAHuBo+O,WAIvBA,yBAEMe,cA7Lc,EAACN,iBAAkBloF,aAAcyoF,qBAChDP,wBACIA,qBAELlqK,OAAS,GACTgiF,cAAgBA,aAAa9+J,YAAc8+J,aAAa9+J,WAAW88J,SACrEhgF,OAASysI,gBAAgB3sI,YAAYkiF,aAAa9+J,WAAW88J,UAE3DyqF,eAAiBA,cAAcvnP,YAAcunP,cAAcvnP,WAAW88J,SACxEhgF,OAAOjnD,MAAQ0xN,cAAcvnP,WAAW88J,cAEpC0qF,iBAAmBrqK,gBAAgBL,OAAO3mD,OAC1CsxN,iBAAmBtqK,gBAAgBL,OAAOjnD,OAE1C6xN,sBAAwB,OACzB,MAAMxiF,aAAa8hF,iBACtBU,sBAAsBxiF,WAAa,GAC/BuiF,mBACFC,sBAAsBxiF,WAAWuiF,iBAAmBA,kBAElDD,mBACFE,sBAAsBxiF,WAAWsiF,iBAAmBA,kBAQlD1oF,aAAalnF,mBAAqBknF,aAAalnF,kBAAkBstF,YAAcpG,aAAalnF,kBAAkBstF,WAAWltF,OAC3H0vK,sBAAsBxiF,WAAWltF,KAAO8mF,aAAalnF,kBAAkBstF,WAAWltF,MAIzC,iBAAhCgvK,iBAAiB9hF,aAC1BwiF,sBAAsBxiF,WAAWt9I,IAAMo/N,iBAAiB9hF,mBAGrDnpK,MAAMirP,iBAAkBU,wBAuJTC,CAAcrB,iBAAkBn+O,MAAOo+O,oBACxDe,gBAGLp+O,OAAO25D,gBAAgB+jL,WAAaU,gBAGhCA,gBAAkBp+O,OAAOu9O,OAC3BrxP,QAAQuB,IAAIoC,KAAK,kEACV,KAIL6uP,mBAAqB,SACpBrwP,OAAOq3D,oBACH,WAEHi5L,aAAetwP,OAAOq3D,aAAaC,QAzPjB,mBA0PnBg5L,oBACI,gBAGA/3N,KAAKC,MAAM83N,cAClB,MAAOxgP,UAEA,OA+CLygP,iBAAmB,CAACv4N,IAAK3kB,YACxB2kB,IAAIwrJ,sBACPxrJ,IAAIwrJ,oBAAsB,IAAInnK,KAEhC2b,IAAIwrJ,oBAAoBr5K,IAAIkJ,WASxBm9O,kBAAoB,CAACx4N,IAAK3kB,YACzB2kB,IAAIyrJ,uBACPzrJ,IAAIyrJ,qBAAuB,IAAIpnK,KAEjC2b,IAAIyrJ,qBAAqBt5K,IAAIkJ,WASzBo9O,oBAAsB,CAACz4N,IAAK3kB,YAC3B2kB,IAAIwrJ,sBAGTxrJ,IAAIwrJ,oBAAoBtwK,OAAOG,UAC1B2kB,IAAIwrJ,oBAAoBprK,aACpB4f,IAAIwrJ,sBAUTktE,qBAAuB,CAAC14N,IAAK3kB,YAC5B2kB,IAAIyrJ,uBAGTzrJ,IAAIyrJ,qBAAqBvwK,OAAOG,UAC3B2kB,IAAIyrJ,qBAAqBrrK,aACrB4f,IAAIyrJ,uBAOfF,IAAIotE,kBAAoB,eACjB3xP,WAAaA,SAAS4J,qBAClB,QAEHg2B,MAAQ5/B,SAAS4J,cAAc,aAEhC/K,QAAQm+C,QAAQ,SAASC,qBACrB,QAGO,CAEhB,gCAEA,gBAEA,kBAEA,wBAEA,kBAAmB,gBAAiB,uBACrBl8B,MAAK,SAAU6wO,iBACrB,kBAAkBzwP,KAAKy+B,MAAMyT,YAAYu+M,eAtB5B,GAyBxBrtE,IAAIstE,sBACG7xP,UAAaA,SAAS4J,eAAkB/K,QAAQm+C,QAAQ,SAASC,gBAG/D,kBAAkB97C,KAAKnB,SAAS4J,cAAc,SAASypC,YAAY,yBAE5EkxI,IAAIutE,qBAAuB7yP,MACZ,QAATA,KACKslL,IAAIotE,kBAEA,SAAT1yP,MACKslL,IAAIstE,mBASfttE,IAAItnI,YAAc,kBACTp+C,QAAQuB,IAAIoC,KAAK,4EAQ1B+hL,IAAIvrJ,IAAI+4N,UAAY,SAAU19O,UAC5Bk9O,iBAAiBhtE,IAAIvrJ,IAAK3kB,WAQ5BkwK,IAAIvrJ,IAAIg5N,WAAa,SAAU39O,UAC7Bm9O,kBAAkBjtE,IAAIvrJ,IAAK3kB,WAQ7BkwK,IAAIvrJ,IAAIi5N,WAAa,SAAU59O,UAC7Bo9O,oBAAoBltE,IAAIvrJ,IAAK3kB,WAQ/BkwK,IAAIvrJ,IAAIk5N,YAAc,SAAU79O,UAC9Bq9O,qBAAqBntE,IAAIvrJ,IAAK3kB,iBAE1B89O,UAAYtzP,QAAQwhB,aAAa,mBAYjC+xO,mBAAmBD,UACvBhuP,YAAYI,OAAQylB,KAAM/kB,kBAClB+kB,KAAM/kB,QAAQotE,KAGoB,iBAA7BptE,QAAQotP,wBACZz1O,SAASm9D,UAAY90E,QAAQotP,uBAE/B1zE,QAAU1H,OAAO,cAGlBjtJ,KAAKpN,UAAYoN,KAAKpN,SAASojD,SAAU,OACrCsyL,QAAUzzP,QAAQy4E,UAAUttD,KAAKpN,SAASojD,eAC3CvjD,QAAU61O,gBAEZv1N,MAAQ/S,UACRuoO,QAAUhuP,YACVupN,MAAQ,QACR0kC,yBAA0B,OAC1BC,cACD3zP,KAAK8d,SAAS81O,gBAAkB1oO,KAAKkpB,2BAA6BlpB,KAAKopB,0BACzEppB,KAAKkpB,2BAA0B,GAC/BlpB,KAAKopB,2BAA0B,QAC1B,GAAIt0C,KAAK8d,SAAS81O,iBAAmB1oO,KAAK2oO,2BAA6B3oO,KAAK+pC,iCAG3E,IAAInxD,MAAM,iFAIbwT,GAAGpW,SAAU,CAAC,mBAAoB,yBAA0B,sBAAuB,uBAAuBgO,cACvGJ,kBAAoB5N,SAAS4N,mBAAqB5N,SAAS4yP,yBAA2B5yP,SAAS6yP,sBAAwB7yP,SAAS8yP,oBAClIllP,mBAAqBA,kBAAkB5C,SAASlM,KAAKi+B,MAAMpzB,WACxDysN,oBAAoB4lB,0BAKpB5lB,oBAAoB+sB,oBAGxB/sO,GAAGtX,KAAKi+B,MAAO,WAAW,WACzBj+B,KAAK0zP,6BACFA,yBAA0B,OAG5BjhN,eAAezyC,KAAKi+B,MAAMoB,uBAE5B/nB,GAAGtX,KAAKi+B,MAAO,SAAS,WAGvBj+B,KAAKi+B,MAAMt6B,SAAW3D,KAAKs3N,0BACxBA,oBAAoBqrB,uBAGxBrrO,GAAGtX,KAAKi+B,MAAO,OAAQj+B,KAAK0d,MASnCi2O,kBAAYxtP,+DAAU,WACf2X,SAAWpX,MAAM1G,KAAK8d,SAAU3X,cAEhC2X,SAAS0e,gBAAkBx8B,KAAK8d,SAAS0e,kBAAmB,OAC5D1e,SAAS83M,kCAAsF,IAAnD51N,KAAK8d,SAAS83M,sCAC1D93M,SAASo5M,oBAAsBl3N,KAAK8d,SAASo5M,sBAAuB,OACpEp5M,SAASm2O,kCAAoF,IAA9Cj0P,KAAKyzP,QAAQQ,6BAA+Cj0P,KAAKyzP,QAAQQ,6BAA+Bj0P,KAAK8d,SAASm2O,+BAAgC,OACrMn2O,SAASk+N,mBAAqBh8O,KAAK8d,SAASk+N,qBAAsB,OAClEl+N,SAASo2O,yBAA2Bl0P,KAAK8d,SAASo2O,2BAA4B,OAC9Ep2O,SAASy/M,yBAA2Bv9N,KAAK8d,SAASy/M,2BAA4B,OAC9Ez/M,SAASoiK,iBAAmBlgL,KAAK8d,SAASoiK,kBAAoB,QAC9DpiK,SAASqiK,iBAAmBngL,KAAK8d,SAASqiK,kBAAoB,QAC9DriK,SAAS6gN,oBAAsB3+N,KAAK8d,SAAS6gN,sBAAuB,OACpE7gN,SAASsiK,OAAgC,IAAxBpgL,KAAK8d,SAASsiK,WAC/BtiK,SAASskO,eAAiBpiP,KAAK8d,SAASskO,iBAAkB,EACR,iBAA5CpiP,KAAK8d,SAASovK,iCAClBpvK,SAASovK,0BAA4B,IAEL,iBAA5BltL,KAAK8d,SAASm9D,WACnBj7E,KAAK8d,SAASm2O,6BAA8B,OACxCzB,aAAeD,qBACjBC,cAAgBA,aAAav3K,iBAC1Bn9D,SAASm9D,UAAYu3K,aAAav3K,eAClCh9C,MAAM/lB,QAAQ,CACjB/X,KAAM,QACNkB,KAAM,sCAGNmxP,cAAgBA,aAAat2B,kBAC1Bp+M,SAASo+M,WAAas2B,aAAat2B,gBACnCj+L,MAAM/lB,QAAQ,CACjB/X,KAAM,QACNkB,KAAM,uCAOyB,iBAA5BrB,KAAK8d,SAASm9D,iBAClBn9D,SAASm9D,UAAYm0G,OAAOK,wBAI9B3xK,SAASqkO,yBAA2BniP,KAAK8d,SAASqkO,0BAA4BniP,KAAK8d,SAASm9D,YAAcm0G,OAAOK,mBAErH,kBAAmB,sBAAuB,mBAAoB,mCAAoC,YAAa,mBAAoB,mBAAoB,sBAAuB,mBAAoB,0BAA2B,iBAAkB,yBAA0B,QAAS,qBAAsB,2BAA4B,2BAA4B,uBAAwB,0BAA0B5qL,SAAQ4xD,cACrX,IAAzBz2D,KAAKyzP,QAAQh9L,eACjB34C,SAAS24C,QAAUz2D,KAAKyzP,QAAQh9L,iBAGpCm/J,iCAAmC51N,KAAK8d,SAAS83M,sCACjDsB,oBAAsBl3N,KAAK8d,SAASo5M,0BACnCE,iBAAmBp3N,KAAK8d,SAASs5M,iBAEP,iBAArBA,kBAAiCA,kBAAoB,SACzDA,iBAAmBA,kBAI5B+8B,iBAAWhuP,+DAAU,QACdwtP,YAAYxtP,SAQnBolB,IAAIA,IAAKprB,UAEForB,WA5Sa60N,IAAAA,aA+SbuT,mBAEA71O,SAASyN,IAhTgE,KAD5D60N,QAiTgBpgP,KAAKyzP,QAAQloO,KAhTrChc,cAAc/O,QAAQ,0CACzBi6B,KAAKC,MAAM0lN,QAAQhlM,UAAUglM,QAAQ5/O,QAAQ,KAAO,IAGtD4/O,aA6SAtiO,SAASoN,KAAOlrB,KAAKi+B,WACrBngB,SAASmkO,UAAYx8D,SACrB3nK,SAASs9M,WAAa7yI,yBAAyBpoF,WAE/C2d,SAAS+qK,OAASzjI,YAChBnnB,MAAMwU,eAAe2S,YAGvBtnC,SAASH,QAAU3d,KAAK2d,aACxB25M,oBAAsB,IAAI0qB,mBAAmBhiP,KAAK8d,gBACjDs2O,uBAAyB1tP,MAAM,CACnComP,uBA970BkBv0E,IA+70BjBv4K,KAAK8d,SAAU,CAChBm5B,SAAU,IAAMj3C,KAAKi3C,WACrBnkC,MAAO,IAAM9S,KAAKs3N,oBAAoBxkN,QACtC+iN,mBAAoB71N,KAAKs3N,2BAEtB+8B,iBAAmB,IAAIzH,gBAAgBwH,6BACvCE,sCACAh9B,oBAAoBhgN,GAAG,SAAS,WAC7BzD,OAAS9T,QAAQunB,QAAQtnB,KAAKi+B,MAAMngB,SAASojD,cAC/Cv9D,MAAQ3D,KAAKs3N,oBAAoB3zN,MAChB,iBAAVA,OAAuBA,MAAM4b,KAEZ,iBAAV5b,QAChBA,MAAQ,CACNkmB,QAASlmB,MACT4b,KAAM,IAJR5b,MAAM4b,KAAO,EAOf1L,OAAOlQ,MAAMA,gBAET4wP,gBAAkBv0P,KAAK8d,SAASskO,eAAiB38D,IAAI8qE,+BAA+B,KAAQ9qE,IAAI4qE,gCAGjG/4B,oBAAoB2lB,eAAiBj9O,KAAKi9O,eAAiBj9O,KAAKi9O,eAAejkO,KAAKhZ,MAAQu0P,gBAAgBv7O,KAAKhZ,WACjHs3N,oBAAoBiuB,sBAAwB9/D,IAAI6qE,0BAA0Bt3O,KAAKhZ,WAE/E8iF,UAAY9iF,KAAKs3N,oBAAoBnrC,yBACrC8vC,YAAcj8N,KAAKs3N,oBAAoB2E,YAI5C33N,OAAO46B,iBAAiBl/B,KAAM,CAC5Bi9O,eAAgB,CACd52O,aACSrG,KAAKs3N,oBAAoB2lB,gBAElCl3O,IAAIk3O,qBACG3lB,oBAAoB2lB,eAAiBA,eAAejkO,KAAKhZ,QAGlEk8N,WAAY,CACV71N,aACSrG,KAAKs3N,oBAAoByqB,mBAAmB7lB,WAAW9mK,MAEhErvD,IAAIm2N,iBACG5E,oBAAoByqB,mBAAmB7lB,WAAW9mK,KAAO8mK,gBAGzD5E,oBAAoByqB,mBAAmB7lB,WAAW/yL,MAAQ,IAGnE8xC,UAAW,CACT50E,UACMmuP,mBAAqBx0P,KAAKs3N,oBAAoByqB,mBAAmB9mK,gBAC/Dw5K,mBAAqBvyP,OAAOmG,UAAUqsP,YAAcxyP,OAAOmG,UAAUssP,eAAiBzyP,OAAOmG,UAAUusP,oBAEzG50P,KAAK8d,SAASo2O,0BAA4BO,mBAAoB,OAG1DI,kCAAkE,IAA9BJ,mBAAmBK,SAAkB,IAK7EN,mBADEK,mCARyB,KAQsCL,oBARtC,IASNzjP,KAAKC,IAAIwjP,mBAAoBK,mCAE7BA,yCAGlBL,oBAETzuP,IAAIk1E,gBACGq8I,oBAAoByqB,mBAAmB9mK,UAAYA,eAInDq8I,oBAAoByqB,mBAAmB7lB,WAAa,CACvD9mK,KAAM,EACNjsB,MAAO,KAabkuL,gBAAiB,CACfhxN,YACQ0uP,aAAe,GAAK/0P,KAAKi7E,WAAa,OACxC+5K,cAEFA,cADEh1P,KAAKk8N,WAAa,EACJ,EAAIl8N,KAAKk8N,WAET,SAEInrN,KAAK4X,MAAM,GAAKosO,aAAeC,iBAGvDjvP,MACEhG,QAAQuB,IAAIqC,MAAM,mDAIpB3D,KAAK8d,SAASm9D,iBACXA,UAAYj7E,KAAK8d,SAASm9D,WAE7Bj7E,KAAK8d,SAASo+M,kBACXA,WAAal8N,KAAK8d,SAASo+M,YAElC53N,OAAO46B,iBAAiBl/B,KAAKgvN,MAAO,CAClC/zI,UAAW,CACT50E,IAAK,IAAMrG,KAAKi7E,WAAa,EAC7Bh1E,YAAY,GAEd+5N,cAAe,CACb35N,IAAK,IAAMrG,KAAKs3N,oBAAoB29B,kBAAoB,EACxDhvP,YAAY,GAEdg6N,qBAAsB,CACpB55N,IAAK,IAAMrG,KAAKs3N,oBAAoB49B,yBAA2B,EAC/DjvP,YAAY,GAEdi6N,sBAAuB,CACrB75N,IAAK,IAAMrG,KAAKs3N,oBAAoB69B,0BAA4B,EAChElvP,YAAY,GAEdk6N,qBAAsB,CACpB95N,IAAK,IAAMrG,KAAKs3N,oBAAoB89B,yBAA2B,EAC/DnvP,YAAY,GAEdm6N,sBAAuB,CACrB/5N,IAAK,IAAMrG,KAAKs3N,oBAAoB+9B,0BAA4B,EAChEpvP,YAAY,GAEd85N,sBAAuB,CACrB15N,IAAK,IAAMrG,KAAKs3N,oBAAoBg+B,0BAA4B,EAChErvP,YAAY,GAEdo6N,mBAAoB,CAClBh6N,IAAK,IAAMrG,KAAKs3N,oBAAoB8vB,uBAAyB,EAC7DnhP,YAAY,GAEdq6N,aAAc,CACZj6N,IAAK,IAAMrG,KAAKs3N,oBAAoBi+B,iBAAmB,EACvDtvP,YAAY,GAEduvP,wBAAyB,CACvBnvP,IAAK,IAAMrG,KAAKs3N,oBAAoB2sB,4BAA8B,EAClEh+O,YAAY,GAEdwvP,yBAA0B,CACxBpvP,IAAK,IAAMrG,KAAKs3N,oBAAoB4sB,6BAA+B,EACnEj+O,YAAY,GAEdyvP,oBAAqB,CACnBrvP,IAAK,IAAMrG,KAAKs3N,oBAAoB6sB,wBAA0B,EAC9Dl+O,YAAY,GAEd0vP,iBAAkB,CAChBtvP,IAAK,IAAMrG,KAAKs3N,oBAAoB8sB,qBAAuB,EAC3Dn+O,YAAY,GAEdwjB,SAAU,CACRpjB,IAAK,IAAMsyK,kBAAkB34K,KAAKi+B,MAAMxU,YACxCxjB,YAAY,GAEdo5B,YAAa,CACXh5B,IAAK,IAAMrG,KAAKi+B,MAAMoB,cACtBp5B,YAAY,GAEdunE,cAAe,CACbnnE,IAAK,IAAMrG,KAAKi+B,MAAM+X,eACtB/vC,YAAY,GAEd2vP,YAAa,CACXvvP,IAAK,IAAMrG,KAAKi+B,MAAMxjB,MACtBxU,YAAY,GAEdyjB,SAAU,CACRrjB,IAAK,IAAMrG,KAAKi+B,MAAMvU,WACtBzjB,YAAY,GAEdurB,KAAM,CACJnrB,IAAK,IAAMrG,KAAK8iF,UAAUtxD,KAC1BvrB,YAAY,GAEd4vP,iBAAkB,CAChBxvP,IAAK,IAAMrG,KAAKi+B,MAAM1a,oBACtBtd,YAAY,GAEdgxC,SAAU,CACR5wC,IAAK,IAAMsyK,kBAAkB34K,KAAKi+B,MAAMgZ,YACxChxC,YAAY,GAEd6xK,UAAW,CACTzxK,IAAK,IAAMu4E,KAAKxlE,MAChBnT,YAAY,GAEdk9D,qBAAsB,CACpB98D,IAAK,IAAMrG,KAAKi+B,MAAMyV,0BACtBztC,YAAY,UAGXg4B,MAAM1lB,IAAI,UAAWvY,KAAKs3N,oBAAoB4tB,eAAelsO,KAAKhZ,KAAKs3N,2BACvEr5L,MAAM3mB,GAAG,mBAAmB,KAC3BtX,KAAK8d,SAASm2O,8BA9iBM9tP,CAAAA,cACvBjE,OAAOq3D,oBACH,MAELu8L,cAAgBvD,qBACpBuD,cAAgBA,cAAgBpvP,MAAMovP,cAAe3vP,SAAWA,YAE9DjE,OAAOq3D,aAAaE,QA3QE,cA2QyBh/B,KAAKsB,UAAU+5N,gBAC9D,MAAO9jP,UAKA,IAkiBH+jP,CAAsB,CACpB96K,UAAWj7E,KAAKi7E,UAChBihJ,WAAYnrN,KAAKw4B,MAAMvpC,KAAKk8N,sBAI7B5E,oBAAoBhgN,GAAG,wBAAwB,KAphDxB,IAAU+0O,YAAAA,WAshDZrsP,MAphDjB4sK,gBAAkB,WACrBp7I,KAAO66N,WAAW/0B,oBAAoB9lM,OACtCsxD,UAAY0kF,YAAYh2I,MAAQ66N,WAAW/0B,oBAAoBxB,0BAA4BtkM,KAAKsxD,iBACjGA,UAGEA,UAAU/+E,QAAO+O,QAAU4nK,eAAe5nK,SAAQrD,KAAI,CAACuC,EAAGhR,IAAM,IAAIorP,eAAeC,WAAYr6O,EAAGA,EAAEgM,MAFlG,YAkhDJs5M,oBAAoB2F,eAAe3lN,GAAG,wBAAwB,UAC5D0+O,oBAIF1+O,GAAGtX,KAAKs3N,oBAAqB,YAAY,gBACvCr5L,MAAM/lB,QAAQ,oBAIhBZ,GAAGtX,KAAKs3N,oBAAqB,aAAa,gBACxCo8B,yBAA0B,UAE5BuC,sBAGAj2P,KAAKi+B,MAAMpzB,YAGXqrP,gBAAkBh0P,OAAOswB,IAAI29J,gBAAgBnwL,KAAKs3N,oBAAoB2E,cAGtEl8N,QAAQ0J,QAAQD,eAAiBzJ,QAAQ0J,QAAQF,SAAWvJ,KAAK8d,SAAS81O,gBAA+C,QAA7B5zP,KAAK8d,SAASs9M,YAA+D,mBAAhCp7N,KAAKi+B,MAAM0kC,uBAClJ1kC,MAAM0kC,iBAAiB3iE,KAAKk2P,sBAC5Bj4N,MAAM0kC,iBAAiB3iE,KAAKyzP,QAAQloO,WAEpC0S,MAAM1S,IAAIvrB,KAAKk2P,kBAGxBC,2BACQC,oBAAsBp2P,KAAKs3N,oBAAoBsrB,YAAYj7E,MAAMuzE,0BAClEr7D,QAAQ,wCACbkxE,0BAA0B,CACxBl9O,OAAQ7T,KAAK2d,QACbszO,iBAAkBjxP,KAAKyzP,QAAQlC,WAC/BL,WAAYkF,qBAAuBA,oBAAoBtjP,QACvDq+O,cAAenxP,KAAK8iF,UAAUtxD,KAAKsxD,YAClC94D,MAAK,UACD61J,QAAQ,gCACRy3C,oBAAoB2F,eAAe+R,oBACvCniK,OAAM10C,WACF0nJ,QAAQ,uCAAwC1nJ,UAChDxa,QAAQha,MAAM,CACjBkmB,QAAS,0CACTtK,KAAM,OAIZ82O,4BASOx2E,QAAQ,uEACRs2E,qBAWPH,kBACQI,oBAAsBp2P,KAAKs3N,oBAAoBsrB,YAAYj7E,MAAMuzE,qBACjEob,mBAAqBvE,gBAAgB,CACzCl+O,OAAQ7T,KAAK2d,QACbszO,iBAAkBjxP,KAAKyzP,QAAQlC,WAC/Bz+O,MAAO9S,KAAK8iF,UAAUhwE,QACtBo+O,WAAYkF,qBAAuBA,oBAAoBtjP,eAEpD6K,QAAQsgB,MAAM3mB,GAAG,mBAAmBtF,SAClCslN,oBAAoB40B,0BAA0Bl6O,EAAE0wE,MAAO1wE,EAAEkY,gBAE3DmsO,qBAAuBr2P,KAAKq2P,qBAAqBr9O,KAAKhZ,WACtD2d,QAAQsgB,MAAM3mB,GAAG,gBAAiBtX,KAAKq2P,sBACvCC,wBAKAH,0BAHE7+B,oBAAoB2F,eAAe+R,iBAY5CinB,4BACQpiP,OAAS9T,QAAQunB,QAAQtnB,KAAKi+B,MAAMngB,SAASojD,UAG9CrtD,QAAWA,OAAOkoE,gBAAiB/7E,KAAKu2P,sBAGxCA,eAAiB1iP,OAAOkoE,qBACxBu7I,oBAAoBhgN,GAAG,wBAAwB,KAr4BxB,IAAUykE,cAAexI,IAAfwI,cAs4BZ/7E,KAAKu2P,gBAt4BsBhjL,IAs4BNvzE,MAr4B7C4sK,kBAAkB/nK,SAAQmxN,MAC5Bj6I,cAAcT,gBAAgB06I,QAEhC86B,qBAAqB/0K,cAAexI,IAAIuP,mBAo4BjCA,UAAUxrE,GAAG,eAAe,KAC/Bw5O,qBAAqB9wP,KAAKu2P,eAAgBv2P,KAAK8iF,sCAQ1C,2BAn9BK,kBACA,qBACA,sBACA,wBACF,SA29BZ/5E,iBACS/I,KAAKqF,YAAY0D,UAE1BwmO,uBACStB,cAAcsB,gBAMvB7xN,YACO45M,oBAAoB55M,OAM3B+0B,eAAepT,kBACRi4L,oBAAoB7kL,eAAepT,aAM1C3V,kBACS1pB,KAAKs3N,oBAAoB5tM,WAMlCutB,kBACSj3C,KAAKs3N,oBAAoBrgL,WAMlCl4B,UACM/e,KAAKq0P,uBACFA,iBAAiBt1O,UAEpB/e,KAAKs3N,0BACFA,oBAAoBv4M,UAEvB/e,KAAKu2P,qBACFA,eAAex3O,UAElB/e,KAAKi+B,OAASj+B,KAAKi+B,MAAMs1C,YACpBvzE,KAAKi+B,MAAMs1C,IAEhBvzE,KAAKk2P,iBAAmBh0P,OAAOswB,IAAIo+J,kBACrC1uL,OAAOswB,IAAIo+J,gBAAgB5wL,KAAKk2P,sBAC3BA,gBAAkB,MAErBl2P,KAAKi+B,YACFA,MAAMz6B,IAAI,gBAAiBxD,KAAKq2P,4BAEjCt3O,UAERy3O,qBAAqBpxM,KAAM7vC,iBAClBiyK,eAAe,CACpB3kG,SAAU7iF,KAAKs3N,oBAAoBxkN,QACnCsyC,KAAAA,KACA7vC,SAAAA,WAIJmzK,kBAAkBN,YAAa7yK,cAAUuzK,0EAAuBF,kEAAa,SACpEF,kBAAkB,CACvBN,YAAAA,YACAvlG,SAAU7iF,KAAKs3N,oBAAoBxkN,QACnC81K,WAAAA,WACAE,eAAAA,eACAD,OAAQ7oL,KAAK8d,SAAS+qK,OACtB39J,KAAMlrB,KAAK8d,SAASoN,KACpB3V,SAAAA,WAQJkhP,sBAMOv8N,IAAI+4N,UAAY19O,WACnBk9O,iBAAiBzyP,KAAKk6B,IAAK3kB,gBAQxB2kB,IAAIg5N,WAAa39O,WACpBm9O,kBAAkB1yP,KAAKk6B,IAAK3kB,gBAQzB2kB,IAAIi5N,WAAa59O,WACpBo9O,oBAAoB3yP,KAAKk6B,IAAK3kB,gBAQ3B2kB,IAAIk5N,YAAc79O,WACrBq9O,qBAAqB5yP,KAAKk6B,IAAK3kB,gBAI5BoI,QAAQzF,QAAQ,mBAEvBo8O,iCACmC,CAAC,wBAAyB,wBAAyB,2BAA4B,8BAA+B,yBAGtHzvP,SAAQy7D,iBAC1Bg3J,oBAAoBhgN,GAAGgpD,WAAWn2C,gBAChCxM,QAAQzF,QAAQyb,WAAW,GAAIxJ,iBAJhB,CAAC,YAAa,uBAOtBtlB,SAAQy7D,iBACjB+zL,iBAAiB/8O,GAAGgpD,WAAWn2C,gBAC7BxM,QAAQzF,QAAQyb,WAAW,GAAIxJ,wBAatCusO,iBAAmB,CACvBr1P,KAAM,yBACNs2E,QArnCc,SAsnCdjiC,gBAAgBjB,YAAQtuC,+DAAU,SAC1B8pP,aAAevpP,MAAM3G,QAAQoG,QAASA,kBAEvC8pP,aAAa18K,IAAI8uK,qBAAuBt6J,qBAAqB,yBAAyB,KAGpF2uK,iBAAiBniN,YAAYE,OAAOt0C,KAAM8vP,eAEnDh6M,aAAaxwC,OAAQylB,UAAM/kB,+DAAU,SAC7B8pP,aAAevpP,MAAM3G,QAAQoG,QAASA,gBAC5C+kB,KAAKqoD,IAAM,IAAI+/K,WAAW7tP,OAAQylB,KAAM+kO,cACxC/kO,KAAKqoD,IAAIr5C,IAAMorJ,aACfp6J,KAAKqoD,IAAIkjL,iBACTvrO,KAAKqoD,IAAIhoD,IAAI9lB,OAAO8lB,IAAK9lB,OAAOtF,MACzB+qB,KAAKqoD,KAEdh/B,YAAYp0C,KAAMgG,eACVwwP,WAAapuK,yBAAyBpoF,UACvCw2P,iBACI,SAEH/C,eAAiB8C,iBAAiBE,kBAAkBzwP,gBAC7Bs/K,IAAIutE,qBAAqB2D,aACH/C,eACxB,QAAU,IAEvCgD,wBAAkBzwP,+DAAU,SACpBotE,IACJA,IAAM,IACJptE,QACE0wP,wBAA0B92P,QAAQ0J,QAAQD,eAAiBzJ,QAAQ0J,QAAQF,SAC3EqqP,eACJA,eAAiBiD,uBACftjL,WACGqgL,wBAYF7rK,qBAAqB,yBAAyB,IAIrDhoF,QAAQm+C,QAAQ,SAAS7I,sBAAsBqhN,iBAAkB,GAEnE32P,QAAQuzP,WAAaA,WACrBvzP,QAAQ22P,iBAAmBA,iBAC3B32P,QAAQ0lL,IAAMA,IACT1lL,QAAQs5E,KACXt5E,QAAQuoB,kBAAkB,MAAOm9J,KAEnC1lL,QAAQoG,QAAQotE,IAAMxzE,QAAQoG,QAAQotE,KAAO,GACxCxzE,QAAQk3E,WAAcl3E,QAAQk3E,UAAU,wBAC3Cl3E,QAAQq4E,eAAe,sBAAuBg4K,qBAGzCrwP"}